From 5054361b4ee3a33c99d3e3e7212d0572b92ff946 Mon Sep 17 00:00:00 2001 From: Devin AI <158243242+devin-ai-integration[bot]@users.noreply.github.com> Date: Sat, 6 Dec 2025 20:38:00 +0000 Subject: [PATCH 1/8] fix(java): fix dynamic snippets to correctly reference inline types as nested classes Co-Authored-By: tanmay.singh@buildwithfern.com --- .../DynamicSnippetsGeneratorContext.ts | 395 ++++++++++++++++++ .../src/context/DynamicTypeLiteralMapper.ts | 61 ++- .../src/context/DynamicTypeMapper.ts | 13 +- generators/java/sdk/versions.yml | 11 + .../DynamicSnippetsConverter.ts | 12 +- .../definition/dynamic/declaration.yml | 3 + .../declaration/types/Declaration.ts | 2 + .../declaration/types/Declaration.ts | 2 + 8 files changed, 474 insertions(+), 25 deletions(-) diff --git a/generators/java-v2/dynamic-snippets/src/context/DynamicSnippetsGeneratorContext.ts b/generators/java-v2/dynamic-snippets/src/context/DynamicSnippetsGeneratorContext.ts index f526815ede65..3f013687eafe 100644 --- a/generators/java-v2/dynamic-snippets/src/context/DynamicSnippetsGeneratorContext.ts +++ b/generators/java-v2/dynamic-snippets/src/context/DynamicSnippetsGeneratorContext.ts @@ -29,6 +29,16 @@ const RESERVED_NAMES = new Set([ "getClass" ]); +/** + * Information about an inline type's location as a nested class. + */ +interface InlineTypeInfo { + /** The class reference for the owner (top-level) type */ + ownerClassRef: java.ClassReference; + /** The nested path from the owner to this type (e.g., ["Bar", "Type1", "Bar_"]) */ + nestedPath: string[]; +} + export class DynamicSnippetsGeneratorContext extends AbstractDynamicSnippetsGeneratorContext { public ir: FernIr.dynamic.DynamicIntermediateRepresentation; public customConfig: BaseJavaCustomConfigSchema; @@ -36,6 +46,9 @@ export class DynamicSnippetsGeneratorContext extends AbstractDynamicSnippetsGene public dynamicTypeLiteralMapper: DynamicTypeLiteralMapper; public filePropertyMapper: FilePropertyMapper; + /** Mapping from type ID to inline type info (only populated when enable-inline-types is true) */ + private inlineTypeInfoByTypeId: Map = new Map(); + constructor({ ir, config, @@ -51,6 +64,359 @@ export class DynamicSnippetsGeneratorContext extends AbstractDynamicSnippetsGene this.dynamicTypeMapper = new DynamicTypeMapper({ context: this }); this.dynamicTypeLiteralMapper = new DynamicTypeLiteralMapper({ context: this }); this.filePropertyMapper = new FilePropertyMapper({ context: this }); + + // Build inline type mapping if enable-inline-types is true + if (this.customConfig["enable-inline-types"]) { + this.buildInlineTypeMapping(); + } + } + + /** + * Builds a mapping from inline type IDs to their nested class locations. + * This traverses all types in the IR and finds inline types, recording their + * owner class and nested path. + */ + private buildInlineTypeMapping(): void { + // First pass: find all non-inline types (these are the potential owners) + for (const [typeId, namedType] of Object.entries(this.ir.types)) { + // Use type assertion to access the inline property (added to dynamic IR but not yet in published SDK) + const isInline = (namedType.declaration as { inline?: boolean }).inline; + if (!isInline) { + // This is a top-level type that can own inline types + const ownerClassRef = this.getOwnerClassReference(namedType); + const usedNames = new Map(); + this.traverseTypeForInlineChildren({ + namedType, + ownerClassRef, + parentPath: [], + usedNames + }); + } + } + } + + /** + * Gets the class reference for a top-level (non-inline) type. + */ + private getOwnerClassReference(namedType: FernIr.dynamic.NamedType): java.ClassReference { + const declaration = namedType.declaration; + // Determine if this is a request type or a regular type + // Request types go in the requests package, others go in types package + const packageName = this.getTypesPackageName(declaration.fernFilepath); + return java.classReference({ + name: this.getClassName(declaration.name), + packageName + }); + } + + /** + * Traverses a type to find inline children and record their locations. + */ + private traverseTypeForInlineChildren({ + namedType, + ownerClassRef, + parentPath, + usedNames + }: { + namedType: FernIr.dynamic.NamedType; + ownerClassRef: java.ClassReference; + parentPath: string[]; + usedNames: Map; + }): void { + switch (namedType.type) { + case "object": + this.traverseObjectProperties({ + properties: namedType.properties, + ownerClassRef, + parentPath, + usedNames + }); + break; + case "discriminatedUnion": + this.traverseDiscriminatedUnion({ + union: namedType, + ownerClassRef, + parentPath, + usedNames + }); + break; + case "undiscriminatedUnion": + this.traverseUndiscriminatedUnion({ + union: namedType, + ownerClassRef, + parentPath, + usedNames + }); + break; + case "alias": + this.traverseTypeReference({ + typeReference: namedType.typeReference, + propertyName: namedType.declaration.name, + ownerClassRef, + parentPath, + usedNames + }); + break; + case "enum": + // Enums don't have nested types + break; + default: + assertNever(namedType); + } + } + + /** + * Traverses object properties to find inline types. + */ + private traverseObjectProperties({ + properties, + ownerClassRef, + parentPath, + usedNames + }: { + properties: FernIr.dynamic.NamedParameter[]; + ownerClassRef: java.ClassReference; + parentPath: string[]; + usedNames: Map; + }): void { + for (const property of properties) { + this.traverseTypeReference({ + typeReference: property.typeReference, + propertyName: property.name.name, + ownerClassRef, + parentPath, + usedNames + }); + } + } + + /** + * Traverses a discriminated union to find inline types. + */ + private traverseDiscriminatedUnion({ + union, + ownerClassRef, + parentPath, + usedNames + }: { + union: FernIr.dynamic.DiscriminatedUnionType; + ownerClassRef: java.ClassReference; + parentPath: string[]; + usedNames: Map; + }): void { + for (const [, singleUnionType] of Object.entries(union.types)) { + switch (singleUnionType.type) { + case "samePropertiesAsObject": + // The variant references another type by typeId + // Construct the TypeReference object manually (factory function not available in published SDK) + this.traverseTypeReference({ + typeReference: { type: "named", value: singleUnionType.typeId } as FernIr.dynamic.TypeReference, + propertyName: singleUnionType.discriminantValue.name, + ownerClassRef, + parentPath, + usedNames + }); + // Also traverse the properties + if (singleUnionType.properties) { + this.traverseObjectProperties({ + properties: singleUnionType.properties, + ownerClassRef, + parentPath, + usedNames + }); + } + break; + case "singleProperty": + this.traverseTypeReference({ + typeReference: singleUnionType.typeReference, + propertyName: singleUnionType.discriminantValue.name, + ownerClassRef, + parentPath, + usedNames + }); + if (singleUnionType.properties) { + this.traverseObjectProperties({ + properties: singleUnionType.properties, + ownerClassRef, + parentPath, + usedNames + }); + } + break; + case "noProperties": + if (singleUnionType.properties) { + this.traverseObjectProperties({ + properties: singleUnionType.properties, + ownerClassRef, + parentPath, + usedNames + }); + } + break; + default: + assertNever(singleUnionType); + } + } + } + + /** + * Traverses an undiscriminated union to find inline types. + */ + private traverseUndiscriminatedUnion({ + union, + ownerClassRef, + parentPath, + usedNames + }: { + union: FernIr.dynamic.UndiscriminatedUnionType; + ownerClassRef: java.ClassReference; + parentPath: string[]; + usedNames: Map; + }): void { + for (let i = 0; i < union.types.length; i++) { + const typeRef = union.types[i]; + // For undiscriminated unions, we use a synthetic name based on index + const syntheticName: FernIr.dynamic.Name = { + originalName: `variant${i}`, + camelCase: { safeName: `variant${i}`, unsafeName: `variant${i}` }, + pascalCase: { safeName: `Variant${i}`, unsafeName: `Variant${i}` }, + snakeCase: { safeName: `variant_${i}`, unsafeName: `variant_${i}` }, + screamingSnakeCase: { safeName: `VARIANT_${i}`, unsafeName: `VARIANT_${i}` } + }; + if (typeRef != null) { + this.traverseTypeReference({ + typeReference: typeRef, + propertyName: syntheticName, + ownerClassRef, + parentPath, + usedNames + }); + } + } + } + + /** + * Traverses a type reference to find inline types. + */ + private traverseTypeReference({ + typeReference, + propertyName, + ownerClassRef, + parentPath, + usedNames + }: { + typeReference: FernIr.dynamic.TypeReference; + propertyName: FernIr.dynamic.Name; + ownerClassRef: java.ClassReference; + parentPath: string[]; + usedNames: Map; + }): void { + switch (typeReference.type) { + case "named": { + const childTypeId = typeReference.value; + const childNamed = this.resolveNamedType({ typeId: childTypeId }); + if (childNamed == null) { + return; + } + // Use type assertion to access the inline property (added to dynamic IR but not yet in published SDK) + const isChildInline = (childNamed.declaration as { inline?: boolean }).inline; + if (isChildInline) { + // This is an inline type - record its location + const baseName = this.getClassName(propertyName); + const nestedName = this.getUniqueNestedName(baseName, usedNames); + const childPath = [...parentPath, nestedName]; + + this.inlineTypeInfoByTypeId.set(childTypeId, { + ownerClassRef, + nestedPath: childPath + }); + + // Recursively traverse the inline type's children + const childUsedNames = new Map(); + this.traverseTypeForInlineChildren({ + namedType: childNamed, + ownerClassRef, + parentPath: childPath, + usedNames: childUsedNames + }); + } + break; + } + case "list": + case "set": + this.traverseTypeReference({ + typeReference: typeReference.value, + propertyName, + ownerClassRef, + parentPath, + usedNames + }); + break; + case "map": { + // Use type assertion to access key and value properties of map type + const mapType = typeReference as FernIr.dynamic.TypeReference.Map; + this.traverseTypeReference({ + typeReference: mapType.key, + propertyName, + ownerClassRef, + parentPath, + usedNames + }); + this.traverseTypeReference({ + typeReference: mapType.value, + propertyName, + ownerClassRef, + parentPath, + usedNames + }); + break; + } + case "optional": + case "nullable": + this.traverseTypeReference({ + typeReference: typeReference.value, + propertyName, + ownerClassRef, + parentPath, + usedNames + }); + break; + case "primitive": + case "literal": + case "unknown": + // These don't contain nested types + break; + default: + assertNever(typeReference); + } + } + + /** + * Gets a unique nested class name, handling collisions by appending underscores. + */ + private getUniqueNestedName(baseName: string, usedNames: Map): string { + const count = usedNames.get(baseName) ?? 0; + usedNames.set(baseName, count + 1); + if (count === 0) { + return baseName; + } + return baseName + "_".repeat(count); + } + + /** + * Gets the class reference for an inline type, constructing the nested class name. + */ + private getInlineClassReference(typeId: string): java.ClassReference | undefined { + const info = this.inlineTypeInfoByTypeId.get(typeId); + if (info == null) { + return undefined; + } + // Construct the nested class name (e.g., "GetDiscriminatedUnionRequest.Bar.Type1") + const nestedName = [info.ownerClassRef.name, ...info.nestedPath].join("."); + return java.classReference({ + name: nestedName, + packageName: info.ownerClassRef.packageName + }); } public clone(): DynamicSnippetsGeneratorContext { @@ -122,6 +488,35 @@ export class DynamicSnippetsGeneratorContext extends AbstractDynamicSnippetsGene }); } + /** + * Gets the Java class reference for a named type, handling inline types correctly. + * For inline types, this returns a nested class reference (e.g., "GetDiscriminatedUnionRequest.Bar"). + * For non-inline types, this returns a regular class reference. + */ + public getJavaClassReferenceForNamedType({ + typeId, + declaration + }: { + typeId: string; + declaration: FernIr.dynamic.Declaration; + }): java.ClassReference { + // Check if this is an inline type and we have inline types enabled + // Use type assertion to access the inline property (added to dynamic IR but not yet in published SDK) + const isInline = (declaration as { inline?: boolean }).inline; + if (this.customConfig["enable-inline-types"] && isInline) { + const inlineRef = this.getInlineClassReference(typeId); + if (inlineRef != null) { + return inlineRef; + } + } + + // Fallback to regular class reference + return java.classReference({ + name: declaration.name.pascalCase.unsafeName, + packageName: this.getTypesPackageName(declaration.fernFilepath) + }); + } + public getNullableClassReference(): java.ClassReference { return java.classReference({ name: "Nullable", diff --git a/generators/java-v2/dynamic-snippets/src/context/DynamicTypeLiteralMapper.ts b/generators/java-v2/dynamic-snippets/src/context/DynamicTypeLiteralMapper.ts index ab11c663dc2f..acd203462577 100644 --- a/generators/java-v2/dynamic-snippets/src/context/DynamicTypeLiteralMapper.ts +++ b/generators/java-v2/dynamic-snippets/src/context/DynamicTypeLiteralMapper.ts @@ -67,11 +67,13 @@ export class DynamicTypeLiteralMapper { case "map": return this.convertMap({ map: args.typeReference, value: args.value, as: args.as }); case "named": { - const named = this.context.resolveNamedType({ typeId: args.typeReference.value }); + const typeId = args.typeReference.value; + const named = this.context.resolveNamedType({ typeId }); if (named == null) { return java.TypeLiteral.nop(); } return this.convertNamed({ + typeId, named, value: args.value, as: args.as, @@ -278,11 +280,13 @@ export class DynamicTypeLiteralMapper { } private convertNamed({ + typeId, named, value, as, inUndiscriminatedUnion }: { + typeId: string; named: FernIr.dynamic.NamedType; value: unknown; as?: DynamicTypeLiteralMapper.ConvertedAs; @@ -293,30 +297,34 @@ export class DynamicTypeLiteralMapper { return this.convert({ typeReference: named.typeReference, value, as, inUndiscriminatedUnion }); case "discriminatedUnion": return this.convertDiscriminatedUnion({ + typeId, discriminatedUnion: named, value }); case "enum": - return this.convertEnum({ enum_: named, value }); + return this.convertEnum({ typeId, enum_: named, value }); case "object": - return this.convertObject({ object_: named, value, as }); + return this.convertObject({ typeId, object_: named, value, as }); case "undiscriminatedUnion": // Don't pass inUndiscriminatedUnion here - we're AT the undiscriminated union level, // not within it. The flag should only apply to the variants within the union. - return this.convertUndiscriminatedUnion({ undiscriminatedUnion: named, value }); + return this.convertUndiscriminatedUnion({ typeId, undiscriminatedUnion: named, value }); default: assertNever(named); } } private convertDiscriminatedUnion({ + typeId, discriminatedUnion, value }: { + typeId: string; discriminatedUnion: FernIr.dynamic.DiscriminatedUnionType; value: unknown; }): java.TypeLiteral { - const classReference = this.context.getJavaClassReferenceFromDeclaration({ + const classReference = this.context.getJavaClassReferenceForNamedType({ + typeId, declaration: discriminatedUnion.declaration }); const discriminatedUnionTypeInstance = this.context.resolveDiscriminatedUnionTypeInstance({ @@ -329,8 +337,9 @@ export class DynamicTypeLiteralMapper { const unionVariant = discriminatedUnionTypeInstance.singleDiscriminatedUnionType; switch (unionVariant.type) { case "samePropertiesAsObject": { + const variantTypeId = unionVariant.typeId; const named = this.context.resolveNamedType({ - typeId: unionVariant.typeId + typeId: variantTypeId }); if (named == null) { return java.TypeLiteral.nop(); @@ -339,7 +348,13 @@ export class DynamicTypeLiteralMapper { java.invokeMethod({ on: classReference, method: this.context.getPropertyName(unionVariant.discriminantValue.name), - arguments_: [this.convertNamed({ named, value: discriminatedUnionTypeInstance.value })] + arguments_: [ + this.convertNamed({ + typeId: variantTypeId, + named, + value: discriminatedUnionTypeInstance.value + }) + ] }) ); } @@ -382,10 +397,12 @@ export class DynamicTypeLiteralMapper { } private convertObject({ + typeId, object_, value, as }: { + typeId: string; object_: FernIr.dynamic.ObjectType; value: unknown; as?: DynamicTypeLiteralMapper.ConvertedAs; @@ -399,7 +416,8 @@ export class DynamicTypeLiteralMapper { ? properties.filter((property) => !this.context.isDirectLiteral(property.typeReference)) : properties; return java.TypeLiteral.builder({ - classReference: this.context.getJavaClassReferenceFromDeclaration({ + classReference: this.context.getJavaClassReferenceForNamedType({ + typeId, declaration: object_.declaration }), parameters: filteredProperties.map((property) => { @@ -416,13 +434,22 @@ export class DynamicTypeLiteralMapper { }); } - private convertEnum({ enum_, value }: { enum_: FernIr.dynamic.EnumType; value: unknown }): java.TypeLiteral { + private convertEnum({ + typeId, + enum_, + value + }: { + typeId: string; + enum_: FernIr.dynamic.EnumType; + value: unknown; + }): java.TypeLiteral { const name = this.getEnumValueName({ enum_, value }); if (name == null) { return java.TypeLiteral.nop(); } return java.TypeLiteral.enum_({ - classReference: this.context.getJavaClassReferenceFromDeclaration({ + classReference: this.context.getJavaClassReferenceForNamedType({ + typeId, declaration: enum_.declaration }), value: name @@ -449,9 +476,11 @@ export class DynamicTypeLiteralMapper { } private convertUndiscriminatedUnion({ + typeId, undiscriminatedUnion, value }: { + typeId: string; undiscriminatedUnion: FernIr.dynamic.UndiscriminatedUnionType; value: unknown; }): java.TypeLiteral { @@ -462,14 +491,16 @@ export class DynamicTypeLiteralMapper { if (result == null) { return java.TypeLiteral.nop(); } + const classReference = this.context.getJavaClassReferenceForNamedType({ + typeId, + declaration: undiscriminatedUnion.declaration + }); if (this.context.isPrimitive(result.valueTypeReference)) { // Primitive types overload the 'of' method rather than // defining a separate method from the type. return java.TypeLiteral.reference( java.invokeMethod({ - on: this.context.getJavaClassReferenceFromDeclaration({ - declaration: undiscriminatedUnion.declaration - }), + on: classReference, method: "of", arguments_: [result.typeInstantiation] }) @@ -479,9 +510,7 @@ export class DynamicTypeLiteralMapper { // This matches the Java SDK's generated code pattern return java.TypeLiteral.reference( java.invokeMethod({ - on: this.context.getJavaClassReferenceFromDeclaration({ - declaration: undiscriminatedUnion.declaration - }), + on: classReference, method: "of", arguments_: [result.typeInstantiation] }) diff --git a/generators/java-v2/dynamic-snippets/src/context/DynamicTypeMapper.ts b/generators/java-v2/dynamic-snippets/src/context/DynamicTypeMapper.ts index 13159214bcd1..386b8a3ed2e8 100644 --- a/generators/java-v2/dynamic-snippets/src/context/DynamicTypeMapper.ts +++ b/generators/java-v2/dynamic-snippets/src/context/DynamicTypeMapper.ts @@ -30,11 +30,12 @@ export class DynamicTypeMapper { ); } case "named": { - const named = this.context.resolveNamedType({ typeId: args.typeReference.value }); + const typeId = args.typeReference.value; + const named = this.context.resolveNamedType({ typeId }); if (named == null) { return this.convertUnknown(); } - return this.convertNamed({ named }); + return this.convertNamed({ typeId, named }); } case "optional": case "nullable": { @@ -51,7 +52,7 @@ export class DynamicTypeMapper { } } - private convertNamed({ named }: { named: FernIr.dynamic.NamedType }): java.Type { + private convertNamed({ typeId, named }: { typeId: string; named: FernIr.dynamic.NamedType }): java.Type { switch (named.type) { case "alias": return this.convert({ typeReference: named.typeReference }); @@ -60,9 +61,9 @@ export class DynamicTypeMapper { case "object": case "undiscriminatedUnion": return java.Type.reference( - java.classReference({ - name: this.context.getClassName(named.declaration.name), - packageName: this.context.getTypesPackageName(named.declaration.fernFilepath) + this.context.getJavaClassReferenceForNamedType({ + typeId, + declaration: named.declaration }) ); default: diff --git a/generators/java/sdk/versions.yml b/generators/java/sdk/versions.yml index ad72f088bdf2..846de4391723 100644 --- a/generators/java/sdk/versions.yml +++ b/generators/java/sdk/versions.yml @@ -1,3 +1,14 @@ +- version: 3.23.2 + changelogEntry: + - summary: | + Fix dynamic snippets to correctly reference inline types as nested classes. When `enable-inline-types` + is configured, types are generated as nested static classes within parent types (e.g., + `GetDiscriminatedUnionRequest.Bar`). Dynamic snippets now correctly reference these nested classes + instead of trying to import them from `com.seed.object.types.*` where they don't exist. + type: fix + createdAt: "2025-12-06" + irVersion: 61 + - version: 3.23.1 changelogEntry: - summary: | diff --git a/packages/cli/generation/ir-generator/src/dynamic-snippets/DynamicSnippetsConverter.ts b/packages/cli/generation/ir-generator/src/dynamic-snippets/DynamicSnippetsConverter.ts index 4bb8ef41fa3f..187e67510f58 100644 --- a/packages/cli/generation/ir-generator/src/dynamic-snippets/DynamicSnippetsConverter.ts +++ b/packages/cli/generation/ir-generator/src/dynamic-snippets/DynamicSnippetsConverter.ts @@ -455,7 +455,10 @@ export class DynamicSnippetsConverter { } private convertTypeDeclaration(typeDeclaration: TypeDeclaration): DynamicSnippets.NamedType { - const declaration = this.convertDeclaration(typeDeclaration.name); + const declaration = this.convertDeclaration({ + ...typeDeclaration.name, + inline: typeDeclaration.inline + }); switch (typeDeclaration.shape.type) { case "alias": return this.convertAlias({ declaration, alias: typeDeclaration.shape }); @@ -744,14 +747,17 @@ export class DynamicSnippetsConverter { private convertDeclaration({ name, - fernFilepath + fernFilepath, + inline }: { name: Name; fernFilepath: FernFilepath; + inline?: boolean; }): DynamicSnippets.Declaration { return { name, - fernFilepath + fernFilepath, + inline }; } diff --git a/packages/ir-sdk/fern/apis/ir-types-latest/definition/dynamic/declaration.yml b/packages/ir-sdk/fern/apis/ir-types-latest/definition/dynamic/declaration.yml index c577be7a00c0..295459235465 100644 --- a/packages/ir-sdk/fern/apis/ir-types-latest/definition/dynamic/declaration.yml +++ b/packages/ir-sdk/fern/apis/ir-types-latest/definition/dynamic/declaration.yml @@ -5,3 +5,6 @@ types: properties: fernFilepath: commons.FernFilepath name: commons.Name + inline: + docs: Whether this type is an inline type that should be generated as a nested class. + type: optional diff --git a/packages/ir-sdk/src/sdk/api/resources/dynamic/resources/declaration/types/Declaration.ts b/packages/ir-sdk/src/sdk/api/resources/dynamic/resources/declaration/types/Declaration.ts index 80793712ae94..b229ac1182b0 100644 --- a/packages/ir-sdk/src/sdk/api/resources/dynamic/resources/declaration/types/Declaration.ts +++ b/packages/ir-sdk/src/sdk/api/resources/dynamic/resources/declaration/types/Declaration.ts @@ -7,4 +7,6 @@ import * as FernIr from "../../../../../index"; export interface Declaration { fernFilepath: FernIr.dynamic.FernFilepath; name: FernIr.dynamic.Name; + /** Whether this type is an inline type that should be generated as a nested class. */ + inline: boolean | undefined; } diff --git a/packages/ir-sdk/src/sdk/serialization/resources/dynamic/resources/declaration/types/Declaration.ts b/packages/ir-sdk/src/sdk/serialization/resources/dynamic/resources/declaration/types/Declaration.ts index 49537ebe00c0..f444274079cb 100644 --- a/packages/ir-sdk/src/sdk/serialization/resources/dynamic/resources/declaration/types/Declaration.ts +++ b/packages/ir-sdk/src/sdk/serialization/resources/dynamic/resources/declaration/types/Declaration.ts @@ -14,11 +14,13 @@ export const Declaration: core.serialization.ObjectSchema< > = core.serialization.objectWithoutOptionalProperties({ fernFilepath: FernFilepath, name: Name, + inline: core.serialization.boolean().optional(), }); export declare namespace Declaration { export interface Raw { fernFilepath: FernFilepath.Raw; name: Name.Raw; + inline?: boolean | null; } } From ab21292b0a65fe488fbcd5f1ad9ed92a362968ec Mon Sep 17 00:00:00 2001 From: Devin AI <158243242+devin-ai-integration[bot]@users.noreply.github.com> Date: Sat, 6 Dec 2025 21:06:55 +0000 Subject: [PATCH 2/8] chore: update IR snapshots with inline field Co-Authored-By: tanmay.singh@buildwithfern.com --- .../__snapshots__/dependencies.test.ts.snap | 14 +- .../diff/__snapshots__/diff.test.ts.snap | 4 +- .../tests/ir/__snapshots__/ir.test.ts.snap | 168 +- .../protoc-gen-fern.test.ts.snap | 94308 ---------------- 4 files changed, 123 insertions(+), 94371 deletions(-) delete mode 100644 packages/cli/ete-tests/src/tests/protoc-gen-fern/__snapshots__/protoc-gen-fern.test.ts.snap diff --git a/packages/cli/ete-tests/src/tests/dependencies/__snapshots__/dependencies.test.ts.snap b/packages/cli/ete-tests/src/tests/dependencies/__snapshots__/dependencies.test.ts.snap index c411a7e76721..3834cce19031 100644 --- a/packages/cli/ete-tests/src/tests/dependencies/__snapshots__/dependencies.test.ts.snap +++ b/packages/cli/ete-tests/src/tests/dependencies/__snapshots__/dependencies.test.ts.snap @@ -660,7 +660,8 @@ exports[`dependencies > correctly incorporates dependencies 1`] = ` } ], "file": null - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -731,7 +732,8 @@ exports[`dependencies > correctly incorporates dependencies 1`] = ` "safeName": "Y" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -841,7 +843,8 @@ exports[`dependencies > correctly incorporates dependencies 1`] = ` "safeName": "X" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -917,7 +920,8 @@ exports[`dependencies > correctly incorporates dependencies 1`] = ` } ], "file": null - } + }, + "inline": null }, "location": { "method": "GET", @@ -1249,4 +1253,4 @@ exports[`dependencies > correctly incorporates dependencies 1`] = ` }" `; -exports[`dependencies > file dependencies 1`] = `5757723`; +exports[`dependencies > file dependencies 1`] = `5762035`; diff --git a/packages/cli/ete-tests/src/tests/diff/__snapshots__/diff.test.ts.snap b/packages/cli/ete-tests/src/tests/diff/__snapshots__/diff.test.ts.snap index 60676810c171..0348091fe96e 100644 --- a/packages/cli/ete-tests/src/tests/diff/__snapshots__/diff.test.ts.snap +++ b/packages/cli/ete-tests/src/tests/diff/__snapshots__/diff.test.ts.snap @@ -1,5 +1,5 @@ // Vitest Snapshot v1, https://vitest.dev/guide/snapshot.html -exports[`breaking 1`] = `"{"bump":"major","nextVersion":"2.0.0"}"`; +exports[`non-breaking 1`] = `"{"bump":"major","nextVersion":"2.0.0"}"`; -exports[`non-breaking 1`] = `"{"bump":"minor","nextVersion":"1.2.0"}"`; +exports[`non-breaking 2`] = `"{"bump":"minor","nextVersion":"1.2.0"}"`; diff --git a/packages/cli/ete-tests/src/tests/ir/__snapshots__/ir.test.ts.snap b/packages/cli/ete-tests/src/tests/ir/__snapshots__/ir.test.ts.snap index 89d8eeae04ed..f10cda415883 100644 --- a/packages/cli/ete-tests/src/tests/ir/__snapshots__/ir.test.ts.snap +++ b/packages/cli/ete-tests/src/tests/ir/__snapshots__/ir.test.ts.snap @@ -1285,7 +1285,8 @@ exports[`ir > {"name":"extended-examples"} 1`] = ` "safeName": "App" } } - } + }, + "inline": null }, "properties": [ { @@ -1415,7 +1416,8 @@ exports[`ir > {"name":"extended-examples"} 1`] = ` "safeName": "Commons" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -1486,7 +1488,8 @@ exports[`ir > {"name":"extended-examples"} 1`] = ` "safeName": "Commons" } } - } + }, + "inline": null }, "properties": [ { @@ -2238,7 +2241,8 @@ exports[`ir > {"name":"file-upload"} 1`] = ` "safeName": "FileUpload" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -2308,7 +2312,8 @@ exports[`ir > {"name":"file-upload"} 1`] = ` "safeName": "FileUpload" } } - } + }, + "inline": null }, "pathParameters": [], "queryParameters": [], @@ -9642,7 +9647,8 @@ exports[`ir > {"name":"multiple-environment-urls"} 1`] = ` "safeName": "EndpointUrls" } } - } + }, + "inline": null }, "location": { "method": "GET", @@ -9722,7 +9728,8 @@ exports[`ir > {"name":"multiple-environment-urls"} 1`] = ` "safeName": "EndpointUrls" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -9802,7 +9809,8 @@ exports[`ir > {"name":"multiple-environment-urls"} 1`] = ` "safeName": "ServiceUrl" } } - } + }, + "inline": null }, "location": { "method": "GET", @@ -12566,7 +12574,8 @@ exports[`ir > {"name":"nested-example-reference"} 1`] = ` "safeName": "Nested" } } - } + }, + "inline": null }, "properties": [ { @@ -12676,7 +12685,8 @@ exports[`ir > {"name":"nested-example-reference"} 1`] = ` "safeName": "Nested" } } - } + }, + "inline": null }, "properties": [ { @@ -12778,7 +12788,8 @@ exports[`ir > {"name":"nested-example-reference"} 1`] = ` "safeName": "Nested" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -12892,7 +12903,8 @@ exports[`ir > {"name":"nested-example-reference"} 1`] = ` "safeName": "Nested" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -13894,7 +13906,8 @@ exports[`ir > {"name":"packages"} 1`] = ` "allParts": [], "packagePath": [], "file": null - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -13967,7 +13980,8 @@ exports[`ir > {"name":"packages"} 1`] = ` } ], "file": null - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -14038,7 +14052,8 @@ exports[`ir > {"name":"packages"} 1`] = ` "safeName": "Importer" } } - } + }, + "inline": null }, "properties": [ { @@ -14207,7 +14222,8 @@ exports[`ir > {"name":"packages"} 1`] = ` "safeName": "A" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -14243,7 +14259,8 @@ exports[`ir > {"name":"packages"} 1`] = ` "allParts": [], "packagePath": [], "file": null - } + }, + "inline": null }, "location": { "method": "GET", @@ -16990,7 +17007,8 @@ exports[`ir > {"name":"response-property"} 1`] = ` "safeName": "Service" } } - } + }, + "inline": null }, "properties": [ { @@ -17090,7 +17108,8 @@ exports[`ir > {"name":"response-property"} 1`] = ` "safeName": "Service" } } - } + }, + "inline": null }, "properties": [ { @@ -17190,7 +17209,8 @@ exports[`ir > {"name":"response-property"} 1`] = ` "safeName": "Service" } } - } + }, + "inline": null }, "properties": [ { @@ -17323,7 +17343,8 @@ exports[`ir > {"name":"response-property"} 1`] = ` "safeName": "Service" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -17409,7 +17430,8 @@ exports[`ir > {"name":"response-property"} 1`] = ` "safeName": "Service" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -19184,7 +19206,8 @@ exports[`ir > {"name":"simple","audiences":["internal"]} 1`] = ` "safeName": "Commons" } } - } + }, + "inline": null }, "properties": [ { @@ -19284,7 +19307,8 @@ exports[`ir > {"name":"simple","audiences":["internal"]} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "properties": [ { @@ -19420,7 +19444,8 @@ exports[`ir > {"name":"simple","audiences":["internal"]} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -23176,7 +23201,8 @@ exports[`ir > {"name":"simple","audiences":["test"]} 1`] = ` "safeName": "Commons" } } - } + }, + "inline": null }, "properties": [ { @@ -23276,7 +23302,8 @@ exports[`ir > {"name":"simple","audiences":["test"]} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -23347,7 +23374,8 @@ exports[`ir > {"name":"simple","audiences":["test"]} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "properties": [ { @@ -23517,7 +23545,8 @@ exports[`ir > {"name":"simple","audiences":["test"]} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -38161,7 +38190,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Commons" } } - } + }, + "inline": null }, "properties": [ { @@ -38261,7 +38291,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Commons" } } - } + }, + "inline": null }, "properties": [ { @@ -38361,7 +38392,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Commons" } } - } + }, + "inline": null }, "types": [ { @@ -38455,7 +38487,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Director" } } - } + }, + "inline": null }, "properties": [ { @@ -38585,7 +38618,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Director" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -38656,7 +38690,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Director" } } - } + }, + "inline": null }, "typeReference": { "type": "literal", @@ -38730,7 +38765,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Director" } } - } + }, + "inline": null }, "typeReference": { "type": "literal", @@ -38804,7 +38840,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -38875,7 +38912,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -38946,7 +38984,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -39017,7 +39056,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "properties": [ { @@ -39177,7 +39217,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "properties": [ { @@ -39310,7 +39351,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "properties": [ { @@ -39410,7 +39452,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "properties": [], "additionalProperties": false @@ -39479,7 +39522,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "discriminant": { "name": { @@ -39681,7 +39725,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "properties": [ { @@ -39780,7 +39825,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "properties": [ { @@ -39983,7 +40029,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -40069,7 +40116,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -40155,7 +40203,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "location": { "method": "GET", @@ -40225,7 +40274,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "pathParameters": [ { @@ -40370,7 +40420,8 @@ exports[`ir > {"name":"simple"} 1`] = ` "safeName": "Imdb" } } - } + }, + "inline": null }, "location": { "method": "DELETE", @@ -41367,7 +41418,8 @@ exports[`ir > {"name":"streaming"} 1`] = ` "safeName": "Streaming" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -41447,7 +41499,8 @@ exports[`ir > {"name":"streaming"} 1`] = ` "safeName": "Streaming" } } - } + }, + "inline": null }, "location": { "method": "POST", @@ -41517,7 +41570,8 @@ exports[`ir > {"name":"streaming"} 1`] = ` "safeName": "Streaming" } } - } + }, + "inline": null }, "pathParameters": [], "queryParameters": [], @@ -42814,7 +42868,8 @@ exports[`ir > {"name":"variables"} 1`] = ` "safeName": "Commons" } } - } + }, + "inline": null }, "typeReference": { "type": "primitive", @@ -42888,7 +42943,8 @@ exports[`ir > {"name":"variables"} 1`] = ` "safeName": "Service" } } - } + }, + "inline": null }, "location": { "method": "POST", diff --git a/packages/cli/ete-tests/src/tests/protoc-gen-fern/__snapshots__/protoc-gen-fern.test.ts.snap b/packages/cli/ete-tests/src/tests/protoc-gen-fern/__snapshots__/protoc-gen-fern.test.ts.snap deleted file mode 100644 index 7055991c47e4..000000000000 --- a/packages/cli/ete-tests/src/tests/protoc-gen-fern/__snapshots__/protoc-gen-fern.test.ts.snap +++ /dev/null @@ -1,94308 +0,0 @@ -// Vitest Snapshot v1, https://vitest.dev/guide/snapshot.html - -exports[`fern protoc-gen-fern > test with buf 1`] = ` -"{ - "apiName": { - "originalName": "", - "camelCase": { - "unsafeName": "", - "safeName": "" - }, - "snakeCase": { - "unsafeName": "", - "safeName": "" - }, - "screamingSnakeCase": { - "unsafeName": "", - "safeName": "" - }, - "pascalCase": { - "unsafeName": "", - "safeName": "" - } - }, - "basePath": null, - "selfHosted": false, - "apiDisplayName": null, - "apiDocs": null, - "auth": { - "requirement": "ALL", - "schemes": [], - "docs": null - }, - "headers": [], - "environments": null, - "types": { - "anduril.entitymanager.v1.ClassificationLevels": { - "name": { - "typeId": "anduril.entitymanager.v1.ClassificationLevels", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ClassificationLevels", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ClassificationLevels", - "safeName": "andurilEntitymanagerV1ClassificationLevels" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_classification_levels", - "safeName": "anduril_entitymanager_v_1_classification_levels" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_LEVELS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_LEVELS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ClassificationLevels", - "safeName": "AndurilEntitymanagerV1ClassificationLevels" - } - }, - "displayName": "ClassificationLevels" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "CLASSIFICATION_LEVELS_INVALID", - "camelCase": { - "unsafeName": "classificationLevelsInvalid", - "safeName": "classificationLevelsInvalid" - }, - "snakeCase": { - "unsafeName": "classification_levels_invalid", - "safeName": "classification_levels_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "CLASSIFICATION_LEVELS_INVALID", - "safeName": "CLASSIFICATION_LEVELS_INVALID" - }, - "pascalCase": { - "unsafeName": "ClassificationLevelsInvalid", - "safeName": "ClassificationLevelsInvalid" - } - }, - "wireValue": "CLASSIFICATION_LEVELS_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CLASSIFICATION_LEVELS_UNCLASSIFIED", - "camelCase": { - "unsafeName": "classificationLevelsUnclassified", - "safeName": "classificationLevelsUnclassified" - }, - "snakeCase": { - "unsafeName": "classification_levels_unclassified", - "safeName": "classification_levels_unclassified" - }, - "screamingSnakeCase": { - "unsafeName": "CLASSIFICATION_LEVELS_UNCLASSIFIED", - "safeName": "CLASSIFICATION_LEVELS_UNCLASSIFIED" - }, - "pascalCase": { - "unsafeName": "ClassificationLevelsUnclassified", - "safeName": "ClassificationLevelsUnclassified" - } - }, - "wireValue": "CLASSIFICATION_LEVELS_UNCLASSIFIED" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CLASSIFICATION_LEVELS_CONTROLLED_UNCLASSIFIED", - "camelCase": { - "unsafeName": "classificationLevelsControlledUnclassified", - "safeName": "classificationLevelsControlledUnclassified" - }, - "snakeCase": { - "unsafeName": "classification_levels_controlled_unclassified", - "safeName": "classification_levels_controlled_unclassified" - }, - "screamingSnakeCase": { - "unsafeName": "CLASSIFICATION_LEVELS_CONTROLLED_UNCLASSIFIED", - "safeName": "CLASSIFICATION_LEVELS_CONTROLLED_UNCLASSIFIED" - }, - "pascalCase": { - "unsafeName": "ClassificationLevelsControlledUnclassified", - "safeName": "ClassificationLevelsControlledUnclassified" - } - }, - "wireValue": "CLASSIFICATION_LEVELS_CONTROLLED_UNCLASSIFIED" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CLASSIFICATION_LEVELS_CONFIDENTIAL", - "camelCase": { - "unsafeName": "classificationLevelsConfidential", - "safeName": "classificationLevelsConfidential" - }, - "snakeCase": { - "unsafeName": "classification_levels_confidential", - "safeName": "classification_levels_confidential" - }, - "screamingSnakeCase": { - "unsafeName": "CLASSIFICATION_LEVELS_CONFIDENTIAL", - "safeName": "CLASSIFICATION_LEVELS_CONFIDENTIAL" - }, - "pascalCase": { - "unsafeName": "ClassificationLevelsConfidential", - "safeName": "ClassificationLevelsConfidential" - } - }, - "wireValue": "CLASSIFICATION_LEVELS_CONFIDENTIAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CLASSIFICATION_LEVELS_SECRET", - "camelCase": { - "unsafeName": "classificationLevelsSecret", - "safeName": "classificationLevelsSecret" - }, - "snakeCase": { - "unsafeName": "classification_levels_secret", - "safeName": "classification_levels_secret" - }, - "screamingSnakeCase": { - "unsafeName": "CLASSIFICATION_LEVELS_SECRET", - "safeName": "CLASSIFICATION_LEVELS_SECRET" - }, - "pascalCase": { - "unsafeName": "ClassificationLevelsSecret", - "safeName": "ClassificationLevelsSecret" - } - }, - "wireValue": "CLASSIFICATION_LEVELS_SECRET" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CLASSIFICATION_LEVELS_TOP_SECRET", - "camelCase": { - "unsafeName": "classificationLevelsTopSecret", - "safeName": "classificationLevelsTopSecret" - }, - "snakeCase": { - "unsafeName": "classification_levels_top_secret", - "safeName": "classification_levels_top_secret" - }, - "screamingSnakeCase": { - "unsafeName": "CLASSIFICATION_LEVELS_TOP_SECRET", - "safeName": "CLASSIFICATION_LEVELS_TOP_SECRET" - }, - "pascalCase": { - "unsafeName": "ClassificationLevelsTopSecret", - "safeName": "ClassificationLevelsTopSecret" - } - }, - "wireValue": "CLASSIFICATION_LEVELS_TOP_SECRET" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "An enumeration of security classification levels." - }, - "anduril.entitymanager.v1.Classification": { - "name": { - "typeId": "anduril.entitymanager.v1.Classification", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Classification", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Classification", - "safeName": "andurilEntitymanagerV1Classification" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_classification", - "safeName": "anduril_entitymanager_v_1_classification" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Classification", - "safeName": "AndurilEntitymanagerV1Classification" - } - }, - "displayName": "Classification" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "default", - "camelCase": { - "unsafeName": "default", - "safeName": "default" - }, - "snakeCase": { - "unsafeName": "default", - "safeName": "default" - }, - "screamingSnakeCase": { - "unsafeName": "DEFAULT", - "safeName": "DEFAULT" - }, - "pascalCase": { - "unsafeName": "Default", - "safeName": "Default" - } - }, - "wireValue": "default" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ClassificationInformation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ClassificationInformation", - "safeName": "andurilEntitymanagerV1ClassificationInformation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_classification_information", - "safeName": "anduril_entitymanager_v_1_classification_information" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ClassificationInformation", - "safeName": "AndurilEntitymanagerV1ClassificationInformation" - } - }, - "typeId": "anduril.entitymanager.v1.ClassificationInformation", - "default": null, - "inline": false, - "displayName": "default" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The default classification information which should be assumed to apply to everything in\\n the entity unless a specific field level classification is present." - }, - { - "name": { - "name": { - "originalName": "fields", - "camelCase": { - "unsafeName": "fields", - "safeName": "fields" - }, - "snakeCase": { - "unsafeName": "fields", - "safeName": "fields" - }, - "screamingSnakeCase": { - "unsafeName": "FIELDS", - "safeName": "FIELDS" - }, - "pascalCase": { - "unsafeName": "Fields", - "safeName": "Fields" - } - }, - "wireValue": "fields" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.FieldClassificationInformation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1FieldClassificationInformation", - "safeName": "andurilEntitymanagerV1FieldClassificationInformation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_field_classification_information", - "safeName": "anduril_entitymanager_v_1_field_classification_information" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_CLASSIFICATION_INFORMATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_CLASSIFICATION_INFORMATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1FieldClassificationInformation", - "safeName": "AndurilEntitymanagerV1FieldClassificationInformation" - } - }, - "typeId": "anduril.entitymanager.v1.FieldClassificationInformation", - "default": null, - "inline": false, - "displayName": "fields" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The set of individual field classification information which should always precedence\\n over the default classification information." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A component that describes an entity's security classification levels." - }, - "anduril.entitymanager.v1.FieldClassificationInformation": { - "name": { - "typeId": "anduril.entitymanager.v1.FieldClassificationInformation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.FieldClassificationInformation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1FieldClassificationInformation", - "safeName": "andurilEntitymanagerV1FieldClassificationInformation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_field_classification_information", - "safeName": "anduril_entitymanager_v_1_field_classification_information" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_CLASSIFICATION_INFORMATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_CLASSIFICATION_INFORMATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1FieldClassificationInformation", - "safeName": "AndurilEntitymanagerV1FieldClassificationInformation" - } - }, - "displayName": "FieldClassificationInformation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "field_path", - "camelCase": { - "unsafeName": "fieldPath", - "safeName": "fieldPath" - }, - "snakeCase": { - "unsafeName": "field_path", - "safeName": "field_path" - }, - "screamingSnakeCase": { - "unsafeName": "FIELD_PATH", - "safeName": "FIELD_PATH" - }, - "pascalCase": { - "unsafeName": "FieldPath", - "safeName": "FieldPath" - } - }, - "wireValue": "field_path" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Proto field path which is the string representation of a field.\\n > example: signal.bandwidth_hz would be bandwidth_hz in the signal component" - }, - { - "name": { - "name": { - "originalName": "classification_information", - "camelCase": { - "unsafeName": "classificationInformation", - "safeName": "classificationInformation" - }, - "snakeCase": { - "unsafeName": "classification_information", - "safeName": "classification_information" - }, - "screamingSnakeCase": { - "unsafeName": "CLASSIFICATION_INFORMATION", - "safeName": "CLASSIFICATION_INFORMATION" - }, - "pascalCase": { - "unsafeName": "ClassificationInformation", - "safeName": "ClassificationInformation" - } - }, - "wireValue": "classification_information" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ClassificationInformation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ClassificationInformation", - "safeName": "andurilEntitymanagerV1ClassificationInformation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_classification_information", - "safeName": "anduril_entitymanager_v_1_classification_information" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ClassificationInformation", - "safeName": "AndurilEntitymanagerV1ClassificationInformation" - } - }, - "typeId": "anduril.entitymanager.v1.ClassificationInformation", - "default": null, - "inline": false, - "displayName": "classification_information" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The information which makes up the field level classification marking." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A field specific classification information definition." - }, - "anduril.entitymanager.v1.ClassificationInformation": { - "name": { - "typeId": "anduril.entitymanager.v1.ClassificationInformation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ClassificationInformation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ClassificationInformation", - "safeName": "andurilEntitymanagerV1ClassificationInformation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_classification_information", - "safeName": "anduril_entitymanager_v_1_classification_information" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ClassificationInformation", - "safeName": "AndurilEntitymanagerV1ClassificationInformation" - } - }, - "displayName": "ClassificationInformation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "level", - "camelCase": { - "unsafeName": "level", - "safeName": "level" - }, - "snakeCase": { - "unsafeName": "level", - "safeName": "level" - }, - "screamingSnakeCase": { - "unsafeName": "LEVEL", - "safeName": "LEVEL" - }, - "pascalCase": { - "unsafeName": "Level", - "safeName": "Level" - } - }, - "wireValue": "level" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ClassificationLevels", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ClassificationLevels", - "safeName": "andurilEntitymanagerV1ClassificationLevels" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_classification_levels", - "safeName": "anduril_entitymanager_v_1_classification_levels" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_LEVELS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_LEVELS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ClassificationLevels", - "safeName": "AndurilEntitymanagerV1ClassificationLevels" - } - }, - "typeId": "anduril.entitymanager.v1.ClassificationLevels", - "default": null, - "inline": false, - "displayName": "level" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Classification level to be applied to the information in question." - }, - { - "name": { - "name": { - "originalName": "caveats", - "camelCase": { - "unsafeName": "caveats", - "safeName": "caveats" - }, - "snakeCase": { - "unsafeName": "caveats", - "safeName": "caveats" - }, - "screamingSnakeCase": { - "unsafeName": "CAVEATS", - "safeName": "CAVEATS" - }, - "pascalCase": { - "unsafeName": "Caveats", - "safeName": "Caveats" - } - }, - "wireValue": "caveats" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Caveats that may further restrict how the information can be disseminated." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents all of the necessary information required to generate a summarized\\n classification marking.\\n\\n > example: A summarized classification marking of \\"TOPSECRET//NOFORN//FISA\\"\\n would be defined as: { \\"level\\": 5, \\"caveats\\": [ \\"NOFORN, \\"FISA\\" ] }" - }, - "anduril.entitymanager.v1.Dimensions": { - "name": { - "typeId": "anduril.entitymanager.v1.Dimensions", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Dimensions", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Dimensions", - "safeName": "andurilEntitymanagerV1Dimensions" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_dimensions", - "safeName": "anduril_entitymanager_v_1_dimensions" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DIMENSIONS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_DIMENSIONS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Dimensions", - "safeName": "AndurilEntitymanagerV1Dimensions" - } - }, - "displayName": "Dimensions" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "length_m", - "camelCase": { - "unsafeName": "lengthM", - "safeName": "lengthM" - }, - "snakeCase": { - "unsafeName": "length_m", - "safeName": "length_m" - }, - "screamingSnakeCase": { - "unsafeName": "LENGTH_M", - "safeName": "LENGTH_M" - }, - "pascalCase": { - "unsafeName": "LengthM", - "safeName": "LengthM" - } - }, - "wireValue": "length_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Length of the entity in meters" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.ThetaPhi": { - "name": { - "typeId": "anduril.type.ThetaPhi", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.ThetaPhi", - "camelCase": { - "unsafeName": "andurilTypeThetaPhi", - "safeName": "andurilTypeThetaPhi" - }, - "snakeCase": { - "unsafeName": "anduril_type_theta_phi", - "safeName": "anduril_type_theta_phi" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_THETA_PHI", - "safeName": "ANDURIL_TYPE_THETA_PHI" - }, - "pascalCase": { - "unsafeName": "AndurilTypeThetaPhi", - "safeName": "AndurilTypeThetaPhi" - } - }, - "displayName": "ThetaPhi" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "theta", - "camelCase": { - "unsafeName": "theta", - "safeName": "theta" - }, - "snakeCase": { - "unsafeName": "theta", - "safeName": "theta" - }, - "screamingSnakeCase": { - "unsafeName": "THETA", - "safeName": "THETA" - }, - "pascalCase": { - "unsafeName": "Theta", - "safeName": "Theta" - } - }, - "wireValue": "theta" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Angle clockwise relative to forward in degrees (Azimuth)." - }, - { - "name": { - "name": { - "originalName": "phi", - "camelCase": { - "unsafeName": "phi", - "safeName": "phi" - }, - "snakeCase": { - "unsafeName": "phi", - "safeName": "phi" - }, - "screamingSnakeCase": { - "unsafeName": "PHI", - "safeName": "PHI" - }, - "pascalCase": { - "unsafeName": "Phi", - "safeName": "Phi" - } - }, - "wireValue": "phi" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Angle upward relative to forward in degrees (Elevation)." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Spherical angular coordinates" - }, - "anduril.type.LLA.AltitudeReference": { - "name": { - "typeId": "LLA.AltitudeReference", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.AltitudeReference", - "camelCase": { - "unsafeName": "andurilTypeAltitudeReference", - "safeName": "andurilTypeAltitudeReference" - }, - "snakeCase": { - "unsafeName": "anduril_type_altitude_reference", - "safeName": "anduril_type_altitude_reference" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ALTITUDE_REFERENCE", - "safeName": "ANDURIL_TYPE_ALTITUDE_REFERENCE" - }, - "pascalCase": { - "unsafeName": "AndurilTypeAltitudeReference", - "safeName": "AndurilTypeAltitudeReference" - } - }, - "displayName": "AltitudeReference" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "ALTITUDE_REFERENCE_INVALID", - "camelCase": { - "unsafeName": "altitudeReferenceInvalid", - "safeName": "altitudeReferenceInvalid" - }, - "snakeCase": { - "unsafeName": "altitude_reference_invalid", - "safeName": "altitude_reference_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_REFERENCE_INVALID", - "safeName": "ALTITUDE_REFERENCE_INVALID" - }, - "pascalCase": { - "unsafeName": "AltitudeReferenceInvalid", - "safeName": "AltitudeReferenceInvalid" - } - }, - "wireValue": "ALTITUDE_REFERENCE_INVALID" - }, - "availability": null, - "docs": "Depending on the context its possible INVALID just means that it is\\n clear from the context (e.g. this is LLA is named lla_hae).\\n This also might mean AGL which would depend on what height map you are\\n using." - }, - { - "name": { - "name": { - "originalName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_WGS84", - "camelCase": { - "unsafeName": "altitudeReferenceHeightAboveWgs84", - "safeName": "altitudeReferenceHeightAboveWgs84" - }, - "snakeCase": { - "unsafeName": "altitude_reference_height_above_wgs_84", - "safeName": "altitude_reference_height_above_wgs_84" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_WGS_84", - "safeName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_WGS_84" - }, - "pascalCase": { - "unsafeName": "AltitudeReferenceHeightAboveWgs84", - "safeName": "AltitudeReferenceHeightAboveWgs84" - } - }, - "wireValue": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_WGS84" - }, - "availability": null, - "docs": "commonly called height above ellipsoid (HAE)" - }, - { - "name": { - "name": { - "originalName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_EGM96", - "camelCase": { - "unsafeName": "altitudeReferenceHeightAboveEgm96", - "safeName": "altitudeReferenceHeightAboveEgm96" - }, - "snakeCase": { - "unsafeName": "altitude_reference_height_above_egm_96", - "safeName": "altitude_reference_height_above_egm_96" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_EGM_96", - "safeName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_EGM_96" - }, - "pascalCase": { - "unsafeName": "AltitudeReferenceHeightAboveEgm96", - "safeName": "AltitudeReferenceHeightAboveEgm96" - } - }, - "wireValue": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_EGM96" - }, - "availability": null, - "docs": "commonly called mean sea level (MSL)" - }, - { - "name": { - "name": { - "originalName": "ALTITUDE_REFERENCE_UNKNOWN", - "camelCase": { - "unsafeName": "altitudeReferenceUnknown", - "safeName": "altitudeReferenceUnknown" - }, - "snakeCase": { - "unsafeName": "altitude_reference_unknown", - "safeName": "altitude_reference_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_REFERENCE_UNKNOWN", - "safeName": "ALTITUDE_REFERENCE_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "AltitudeReferenceUnknown", - "safeName": "AltitudeReferenceUnknown" - } - }, - "wireValue": "ALTITUDE_REFERENCE_UNKNOWN" - }, - "availability": null, - "docs": "Publishing an altitude with an unkown reference" - }, - { - "name": { - "name": { - "originalName": "ALTITUDE_REFERENCE_BAROMETRIC", - "camelCase": { - "unsafeName": "altitudeReferenceBarometric", - "safeName": "altitudeReferenceBarometric" - }, - "snakeCase": { - "unsafeName": "altitude_reference_barometric", - "safeName": "altitude_reference_barometric" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_REFERENCE_BAROMETRIC", - "safeName": "ALTITUDE_REFERENCE_BAROMETRIC" - }, - "pascalCase": { - "unsafeName": "AltitudeReferenceBarometric", - "safeName": "AltitudeReferenceBarometric" - } - }, - "wireValue": "ALTITUDE_REFERENCE_BAROMETRIC" - }, - "availability": null, - "docs": "ADSB sometimes published barometrically-measured alt" - }, - { - "name": { - "name": { - "originalName": "ALTITUDE_REFERENCE_ABOVE_SEA_FLOOR", - "camelCase": { - "unsafeName": "altitudeReferenceAboveSeaFloor", - "safeName": "altitudeReferenceAboveSeaFloor" - }, - "snakeCase": { - "unsafeName": "altitude_reference_above_sea_floor", - "safeName": "altitude_reference_above_sea_floor" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_REFERENCE_ABOVE_SEA_FLOOR", - "safeName": "ALTITUDE_REFERENCE_ABOVE_SEA_FLOOR" - }, - "pascalCase": { - "unsafeName": "AltitudeReferenceAboveSeaFloor", - "safeName": "AltitudeReferenceAboveSeaFloor" - } - }, - "wireValue": "ALTITUDE_REFERENCE_ABOVE_SEA_FLOOR" - }, - "availability": null, - "docs": "Positive distance above sea floor (ASF) at a specific lat/lon" - }, - { - "name": { - "name": { - "originalName": "ALTITUDE_REFERENCE_BELOW_SEA_SURFACE", - "camelCase": { - "unsafeName": "altitudeReferenceBelowSeaSurface", - "safeName": "altitudeReferenceBelowSeaSurface" - }, - "snakeCase": { - "unsafeName": "altitude_reference_below_sea_surface", - "safeName": "altitude_reference_below_sea_surface" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_REFERENCE_BELOW_SEA_SURFACE", - "safeName": "ALTITUDE_REFERENCE_BELOW_SEA_SURFACE" - }, - "pascalCase": { - "unsafeName": "AltitudeReferenceBelowSeaSurface", - "safeName": "AltitudeReferenceBelowSeaSurface" - } - }, - "wireValue": "ALTITUDE_REFERENCE_BELOW_SEA_SURFACE" - }, - "availability": null, - "docs": "Positive distance below surface at a specific lat/lon" - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "What altitude of zero refers to." - }, - "anduril.type.LLA": { - "name": { - "typeId": "anduril.type.LLA", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLA", - "camelCase": { - "unsafeName": "andurilTypeLla", - "safeName": "andurilTypeLla" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla", - "safeName": "anduril_type_lla" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA", - "safeName": "ANDURIL_TYPE_LLA" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLla", - "safeName": "AndurilTypeLla" - } - }, - "displayName": "LLA" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "lon", - "camelCase": { - "unsafeName": "lon", - "safeName": "lon" - }, - "snakeCase": { - "unsafeName": "lon", - "safeName": "lon" - }, - "screamingSnakeCase": { - "unsafeName": "LON", - "safeName": "LON" - }, - "pascalCase": { - "unsafeName": "Lon", - "safeName": "Lon" - } - }, - "wireValue": "lon" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "WGS84 longitude in decimal degrees" - }, - { - "name": { - "name": { - "originalName": "lat", - "camelCase": { - "unsafeName": "lat", - "safeName": "lat" - }, - "snakeCase": { - "unsafeName": "lat", - "safeName": "lat" - }, - "screamingSnakeCase": { - "unsafeName": "LAT", - "safeName": "LAT" - }, - "pascalCase": { - "unsafeName": "Lat", - "safeName": "Lat" - } - }, - "wireValue": "lat" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "WGS84 geodetic latitude in decimal degrees" - }, - { - "name": { - "name": { - "originalName": "alt", - "camelCase": { - "unsafeName": "alt", - "safeName": "alt" - }, - "snakeCase": { - "unsafeName": "alt", - "safeName": "alt" - }, - "screamingSnakeCase": { - "unsafeName": "ALT", - "safeName": "ALT" - }, - "pascalCase": { - "unsafeName": "Alt", - "safeName": "Alt" - } - }, - "wireValue": "alt" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "altitude in meters above either WGS84 or EGM96 (see altitude_reference)" - }, - { - "name": { - "name": { - "originalName": "is2d", - "camelCase": { - "unsafeName": "is2D", - "safeName": "is2D" - }, - "snakeCase": { - "unsafeName": "is_2_d", - "safeName": "is_2_d" - }, - "screamingSnakeCase": { - "unsafeName": "IS_2_D", - "safeName": "IS_2_D" - }, - "pascalCase": { - "unsafeName": "Is2D", - "safeName": "Is2D" - } - }, - "wireValue": "is2d" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "[default=false] indicates that altitude is either unset or so uncertain that it is meaningless" - }, - { - "name": { - "name": { - "originalName": "altitude_reference", - "camelCase": { - "unsafeName": "altitudeReference", - "safeName": "altitudeReference" - }, - "snakeCase": { - "unsafeName": "altitude_reference", - "safeName": "altitude_reference" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_REFERENCE", - "safeName": "ALTITUDE_REFERENCE" - }, - "pascalCase": { - "unsafeName": "AltitudeReference", - "safeName": "AltitudeReference" - } - }, - "wireValue": "altitude_reference" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLA.AltitudeReference", - "camelCase": { - "unsafeName": "andurilTypeLlaAltitudeReference", - "safeName": "andurilTypeLlaAltitudeReference" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla_altitude_reference", - "safeName": "anduril_type_lla_altitude_reference" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA_ALTITUDE_REFERENCE", - "safeName": "ANDURIL_TYPE_LLA_ALTITUDE_REFERENCE" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLlaAltitudeReference", - "safeName": "AndurilTypeLlaAltitudeReference" - } - }, - "typeId": "anduril.type.LLA.AltitudeReference", - "default": null, - "inline": false, - "displayName": "altitude_reference" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Meaning of alt.\\n altitude in meters above either WGS84 or EGM96, use altitude_reference to\\n determine what zero means." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.ENU": { - "name": { - "typeId": "anduril.type.ENU", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.ENU", - "camelCase": { - "unsafeName": "andurilTypeEnu", - "safeName": "andurilTypeEnu" - }, - "snakeCase": { - "unsafeName": "anduril_type_enu", - "safeName": "anduril_type_enu" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ENU", - "safeName": "ANDURIL_TYPE_ENU" - }, - "pascalCase": { - "unsafeName": "AndurilTypeEnu", - "safeName": "AndurilTypeEnu" - } - }, - "displayName": "ENU" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "e", - "camelCase": { - "unsafeName": "e", - "safeName": "e" - }, - "snakeCase": { - "unsafeName": "e", - "safeName": "e" - }, - "screamingSnakeCase": { - "unsafeName": "E", - "safeName": "E" - }, - "pascalCase": { - "unsafeName": "E", - "safeName": "E" - } - }, - "wireValue": "e" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "n", - "camelCase": { - "unsafeName": "n", - "safeName": "n" - }, - "snakeCase": { - "unsafeName": "n", - "safeName": "n" - }, - "screamingSnakeCase": { - "unsafeName": "N", - "safeName": "N" - }, - "pascalCase": { - "unsafeName": "N", - "safeName": "N" - } - }, - "wireValue": "n" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "u", - "camelCase": { - "unsafeName": "u", - "safeName": "u" - }, - "snakeCase": { - "unsafeName": "u", - "safeName": "u" - }, - "screamingSnakeCase": { - "unsafeName": "U", - "safeName": "U" - }, - "pascalCase": { - "unsafeName": "U", - "safeName": "U" - } - }, - "wireValue": "u" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.ECI": { - "name": { - "typeId": "anduril.type.ECI", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.ECI", - "camelCase": { - "unsafeName": "andurilTypeEci", - "safeName": "andurilTypeEci" - }, - "snakeCase": { - "unsafeName": "anduril_type_eci", - "safeName": "anduril_type_eci" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ECI", - "safeName": "ANDURIL_TYPE_ECI" - }, - "pascalCase": { - "unsafeName": "AndurilTypeEci", - "safeName": "AndurilTypeEci" - } - }, - "displayName": "ECI" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "x", - "camelCase": { - "unsafeName": "x", - "safeName": "x" - }, - "snakeCase": { - "unsafeName": "x", - "safeName": "x" - }, - "screamingSnakeCase": { - "unsafeName": "X", - "safeName": "X" - }, - "pascalCase": { - "unsafeName": "X", - "safeName": "X" - } - }, - "wireValue": "x" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Holds the x-coordinate of ECI." - }, - { - "name": { - "name": { - "originalName": "y", - "camelCase": { - "unsafeName": "y", - "safeName": "y" - }, - "snakeCase": { - "unsafeName": "y", - "safeName": "y" - }, - "screamingSnakeCase": { - "unsafeName": "Y", - "safeName": "Y" - }, - "pascalCase": { - "unsafeName": "Y", - "safeName": "Y" - } - }, - "wireValue": "y" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Holds the y-coordinate of ECI." - }, - { - "name": { - "name": { - "originalName": "z", - "camelCase": { - "unsafeName": "z", - "safeName": "z" - }, - "snakeCase": { - "unsafeName": "z", - "safeName": "z" - }, - "screamingSnakeCase": { - "unsafeName": "Z", - "safeName": "Z" - }, - "pascalCase": { - "unsafeName": "Z", - "safeName": "Z" - } - }, - "wireValue": "z" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Holds the z-coordinate of ECI." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Holds ECI (Earth-Centered Inertial, https://en.wikipedia.org/wiki/Earth-centered_inertial)\\n coordinates." - }, - "anduril.type.Vec2": { - "name": { - "typeId": "anduril.type.Vec2", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Vec2", - "camelCase": { - "unsafeName": "andurilTypeVec2", - "safeName": "andurilTypeVec2" - }, - "snakeCase": { - "unsafeName": "anduril_type_vec_2", - "safeName": "anduril_type_vec_2" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_VEC_2", - "safeName": "ANDURIL_TYPE_VEC_2" - }, - "pascalCase": { - "unsafeName": "AndurilTypeVec2", - "safeName": "AndurilTypeVec2" - } - }, - "displayName": "Vec2" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "x", - "camelCase": { - "unsafeName": "x", - "safeName": "x" - }, - "snakeCase": { - "unsafeName": "x", - "safeName": "x" - }, - "screamingSnakeCase": { - "unsafeName": "X", - "safeName": "X" - }, - "pascalCase": { - "unsafeName": "X", - "safeName": "X" - } - }, - "wireValue": "x" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "y", - "camelCase": { - "unsafeName": "y", - "safeName": "y" - }, - "snakeCase": { - "unsafeName": "y", - "safeName": "y" - }, - "screamingSnakeCase": { - "unsafeName": "Y", - "safeName": "Y" - }, - "pascalCase": { - "unsafeName": "Y", - "safeName": "Y" - } - }, - "wireValue": "y" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.Vec2f": { - "name": { - "typeId": "anduril.type.Vec2f", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Vec2f", - "camelCase": { - "unsafeName": "andurilTypeVec2F", - "safeName": "andurilTypeVec2F" - }, - "snakeCase": { - "unsafeName": "anduril_type_vec_2_f", - "safeName": "anduril_type_vec_2_f" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_VEC_2_F", - "safeName": "ANDURIL_TYPE_VEC_2_F" - }, - "pascalCase": { - "unsafeName": "AndurilTypeVec2F", - "safeName": "AndurilTypeVec2F" - } - }, - "displayName": "Vec2f" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "x", - "camelCase": { - "unsafeName": "x", - "safeName": "x" - }, - "snakeCase": { - "unsafeName": "x", - "safeName": "x" - }, - "screamingSnakeCase": { - "unsafeName": "X", - "safeName": "X" - }, - "pascalCase": { - "unsafeName": "X", - "safeName": "X" - } - }, - "wireValue": "x" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "y", - "camelCase": { - "unsafeName": "y", - "safeName": "y" - }, - "snakeCase": { - "unsafeName": "y", - "safeName": "y" - }, - "screamingSnakeCase": { - "unsafeName": "Y", - "safeName": "Y" - }, - "pascalCase": { - "unsafeName": "Y", - "safeName": "Y" - } - }, - "wireValue": "y" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.Vec3": { - "name": { - "typeId": "anduril.type.Vec3", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Vec3", - "camelCase": { - "unsafeName": "andurilTypeVec3", - "safeName": "andurilTypeVec3" - }, - "snakeCase": { - "unsafeName": "anduril_type_vec_3", - "safeName": "anduril_type_vec_3" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_VEC_3", - "safeName": "ANDURIL_TYPE_VEC_3" - }, - "pascalCase": { - "unsafeName": "AndurilTypeVec3", - "safeName": "AndurilTypeVec3" - } - }, - "displayName": "Vec3" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "x", - "camelCase": { - "unsafeName": "x", - "safeName": "x" - }, - "snakeCase": { - "unsafeName": "x", - "safeName": "x" - }, - "screamingSnakeCase": { - "unsafeName": "X", - "safeName": "X" - }, - "pascalCase": { - "unsafeName": "X", - "safeName": "X" - } - }, - "wireValue": "x" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "y", - "camelCase": { - "unsafeName": "y", - "safeName": "y" - }, - "snakeCase": { - "unsafeName": "y", - "safeName": "y" - }, - "screamingSnakeCase": { - "unsafeName": "Y", - "safeName": "Y" - }, - "pascalCase": { - "unsafeName": "Y", - "safeName": "Y" - } - }, - "wireValue": "y" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "z", - "camelCase": { - "unsafeName": "z", - "safeName": "z" - }, - "snakeCase": { - "unsafeName": "z", - "safeName": "z" - }, - "screamingSnakeCase": { - "unsafeName": "Z", - "safeName": "Z" - }, - "pascalCase": { - "unsafeName": "Z", - "safeName": "Z" - } - }, - "wireValue": "z" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.Vec3f": { - "name": { - "typeId": "anduril.type.Vec3f", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Vec3f", - "camelCase": { - "unsafeName": "andurilTypeVec3F", - "safeName": "andurilTypeVec3F" - }, - "snakeCase": { - "unsafeName": "anduril_type_vec_3_f", - "safeName": "anduril_type_vec_3_f" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_VEC_3_F", - "safeName": "ANDURIL_TYPE_VEC_3_F" - }, - "pascalCase": { - "unsafeName": "AndurilTypeVec3F", - "safeName": "AndurilTypeVec3F" - } - }, - "displayName": "Vec3f" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "x", - "camelCase": { - "unsafeName": "x", - "safeName": "x" - }, - "snakeCase": { - "unsafeName": "x", - "safeName": "x" - }, - "screamingSnakeCase": { - "unsafeName": "X", - "safeName": "X" - }, - "pascalCase": { - "unsafeName": "X", - "safeName": "X" - } - }, - "wireValue": "x" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "y", - "camelCase": { - "unsafeName": "y", - "safeName": "y" - }, - "snakeCase": { - "unsafeName": "y", - "safeName": "y" - }, - "screamingSnakeCase": { - "unsafeName": "Y", - "safeName": "Y" - }, - "pascalCase": { - "unsafeName": "Y", - "safeName": "Y" - } - }, - "wireValue": "y" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "z", - "camelCase": { - "unsafeName": "z", - "safeName": "z" - }, - "snakeCase": { - "unsafeName": "z", - "safeName": "z" - }, - "screamingSnakeCase": { - "unsafeName": "Z", - "safeName": "Z" - }, - "pascalCase": { - "unsafeName": "Z", - "safeName": "Z" - } - }, - "wireValue": "z" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.Quaternion": { - "name": { - "typeId": "anduril.type.Quaternion", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Quaternion", - "camelCase": { - "unsafeName": "andurilTypeQuaternion", - "safeName": "andurilTypeQuaternion" - }, - "snakeCase": { - "unsafeName": "anduril_type_quaternion", - "safeName": "anduril_type_quaternion" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_QUATERNION", - "safeName": "ANDURIL_TYPE_QUATERNION" - }, - "pascalCase": { - "unsafeName": "AndurilTypeQuaternion", - "safeName": "AndurilTypeQuaternion" - } - }, - "displayName": "Quaternion" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "x", - "camelCase": { - "unsafeName": "x", - "safeName": "x" - }, - "snakeCase": { - "unsafeName": "x", - "safeName": "x" - }, - "screamingSnakeCase": { - "unsafeName": "X", - "safeName": "X" - }, - "pascalCase": { - "unsafeName": "X", - "safeName": "X" - } - }, - "wireValue": "x" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "x, y, z are vector portion, w is scalar" - }, - { - "name": { - "name": { - "originalName": "y", - "camelCase": { - "unsafeName": "y", - "safeName": "y" - }, - "snakeCase": { - "unsafeName": "y", - "safeName": "y" - }, - "screamingSnakeCase": { - "unsafeName": "Y", - "safeName": "Y" - }, - "pascalCase": { - "unsafeName": "Y", - "safeName": "Y" - } - }, - "wireValue": "y" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "z", - "camelCase": { - "unsafeName": "z", - "safeName": "z" - }, - "snakeCase": { - "unsafeName": "z", - "safeName": "z" - }, - "screamingSnakeCase": { - "unsafeName": "Z", - "safeName": "Z" - }, - "pascalCase": { - "unsafeName": "Z", - "safeName": "Z" - } - }, - "wireValue": "z" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "w", - "camelCase": { - "unsafeName": "w", - "safeName": "w" - }, - "snakeCase": { - "unsafeName": "w", - "safeName": "w" - }, - "screamingSnakeCase": { - "unsafeName": "W", - "safeName": "W" - }, - "pascalCase": { - "unsafeName": "W", - "safeName": "W" - } - }, - "wireValue": "w" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.YawPitch": { - "name": { - "typeId": "anduril.type.YawPitch", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.YawPitch", - "camelCase": { - "unsafeName": "andurilTypeYawPitch", - "safeName": "andurilTypeYawPitch" - }, - "snakeCase": { - "unsafeName": "anduril_type_yaw_pitch", - "safeName": "anduril_type_yaw_pitch" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_YAW_PITCH", - "safeName": "ANDURIL_TYPE_YAW_PITCH" - }, - "pascalCase": { - "unsafeName": "AndurilTypeYawPitch", - "safeName": "AndurilTypeYawPitch" - } - }, - "displayName": "YawPitch" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "yaw", - "camelCase": { - "unsafeName": "yaw", - "safeName": "yaw" - }, - "snakeCase": { - "unsafeName": "yaw", - "safeName": "yaw" - }, - "screamingSnakeCase": { - "unsafeName": "YAW", - "safeName": "YAW" - }, - "pascalCase": { - "unsafeName": "Yaw", - "safeName": "Yaw" - } - }, - "wireValue": "yaw" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "pitch", - "camelCase": { - "unsafeName": "pitch", - "safeName": "pitch" - }, - "snakeCase": { - "unsafeName": "pitch", - "safeName": "pitch" - }, - "screamingSnakeCase": { - "unsafeName": "PITCH", - "safeName": "PITCH" - }, - "pascalCase": { - "unsafeName": "Pitch", - "safeName": "Pitch" - } - }, - "wireValue": "pitch" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Yaw-Pitch in radians" - }, - "anduril.type.YPR": { - "name": { - "typeId": "anduril.type.YPR", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.YPR", - "camelCase": { - "unsafeName": "andurilTypeYpr", - "safeName": "andurilTypeYpr" - }, - "snakeCase": { - "unsafeName": "anduril_type_ypr", - "safeName": "anduril_type_ypr" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_YPR", - "safeName": "ANDURIL_TYPE_YPR" - }, - "pascalCase": { - "unsafeName": "AndurilTypeYpr", - "safeName": "AndurilTypeYpr" - } - }, - "displayName": "YPR" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "yaw", - "camelCase": { - "unsafeName": "yaw", - "safeName": "yaw" - }, - "snakeCase": { - "unsafeName": "yaw", - "safeName": "yaw" - }, - "screamingSnakeCase": { - "unsafeName": "YAW", - "safeName": "YAW" - }, - "pascalCase": { - "unsafeName": "Yaw", - "safeName": "Yaw" - } - }, - "wireValue": "yaw" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "pitch", - "camelCase": { - "unsafeName": "pitch", - "safeName": "pitch" - }, - "snakeCase": { - "unsafeName": "pitch", - "safeName": "pitch" - }, - "screamingSnakeCase": { - "unsafeName": "PITCH", - "safeName": "PITCH" - }, - "pascalCase": { - "unsafeName": "Pitch", - "safeName": "Pitch" - } - }, - "wireValue": "pitch" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "roll", - "camelCase": { - "unsafeName": "roll", - "safeName": "roll" - }, - "snakeCase": { - "unsafeName": "roll", - "safeName": "roll" - }, - "screamingSnakeCase": { - "unsafeName": "ROLL", - "safeName": "ROLL" - }, - "pascalCase": { - "unsafeName": "Roll", - "safeName": "Roll" - } - }, - "wireValue": "roll" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Yaw-Pitch-Roll in degrees." - }, - "anduril.type.Pose": { - "name": { - "typeId": "anduril.type.Pose", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Pose", - "camelCase": { - "unsafeName": "andurilTypePose", - "safeName": "andurilTypePose" - }, - "snakeCase": { - "unsafeName": "anduril_type_pose", - "safeName": "anduril_type_pose" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_POSE", - "safeName": "ANDURIL_TYPE_POSE" - }, - "pascalCase": { - "unsafeName": "AndurilTypePose", - "safeName": "AndurilTypePose" - } - }, - "displayName": "Pose" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "pos", - "camelCase": { - "unsafeName": "pos", - "safeName": "pos" - }, - "snakeCase": { - "unsafeName": "pos", - "safeName": "pos" - }, - "screamingSnakeCase": { - "unsafeName": "POS", - "safeName": "POS" - }, - "pascalCase": { - "unsafeName": "Pos", - "safeName": "Pos" - } - }, - "wireValue": "pos" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLA", - "camelCase": { - "unsafeName": "andurilTypeLla", - "safeName": "andurilTypeLla" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla", - "safeName": "anduril_type_lla" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA", - "safeName": "ANDURIL_TYPE_LLA" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLla", - "safeName": "AndurilTypeLla" - } - }, - "typeId": "anduril.type.LLA", - "default": null, - "inline": false, - "displayName": "pos" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Geospatial location defined by this Pose." - }, - { - "name": { - "name": { - "originalName": "att_enu", - "camelCase": { - "unsafeName": "attEnu", - "safeName": "attEnu" - }, - "snakeCase": { - "unsafeName": "att_enu", - "safeName": "att_enu" - }, - "screamingSnakeCase": { - "unsafeName": "ATT_ENU", - "safeName": "ATT_ENU" - }, - "pascalCase": { - "unsafeName": "AttEnu", - "safeName": "AttEnu" - } - }, - "wireValue": "att_enu" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Quaternion", - "camelCase": { - "unsafeName": "andurilTypeQuaternion", - "safeName": "andurilTypeQuaternion" - }, - "snakeCase": { - "unsafeName": "anduril_type_quaternion", - "safeName": "anduril_type_quaternion" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_QUATERNION", - "safeName": "ANDURIL_TYPE_QUATERNION" - }, - "pascalCase": { - "unsafeName": "AndurilTypeQuaternion", - "safeName": "AndurilTypeQuaternion" - } - }, - "typeId": "anduril.type.Quaternion", - "default": null, - "inline": false, - "displayName": "att_enu" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The quaternion to transform a point in the Pose frame to the ENU frame. The Pose frame could be Body, Turret,\\n etc and is determined by the context in which this Pose is used.\\n The normal convention for defining orientation is to list the frames of transformation, for example\\n att_gimbal_to_enu is the quaternion which transforms a point in the gimbal frame to the body frame, but\\n in this case we truncate to att_enu because the Pose frame isn't defined. A potentially better name for this\\n field would have been att_pose_to_enu.\\n\\n Implementations of this quaternion should left multiply this quaternion to transform a point from the Pose frame\\n to the enu frame.\\n\\n Point posePt{1,0,0};\\n Rotation attPoseToEnu{};\\n Point = attPoseToEnu*posePt;\\n\\n This transformed point represents some vector in ENU space that is aligned with the x axis of the attPoseToEnu\\n matrix.\\n\\n An alternative matrix expression is as follows:\\n ptEnu = M x ptPose" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.LLAPolygon": { - "name": { - "typeId": "anduril.type.LLAPolygon", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLAPolygon", - "camelCase": { - "unsafeName": "andurilTypeLlaPolygon", - "safeName": "andurilTypeLlaPolygon" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla_polygon", - "safeName": "anduril_type_lla_polygon" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA_POLYGON", - "safeName": "ANDURIL_TYPE_LLA_POLYGON" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLlaPolygon", - "safeName": "AndurilTypeLlaPolygon" - } - }, - "displayName": "LLAPolygon" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "points", - "camelCase": { - "unsafeName": "points", - "safeName": "points" - }, - "snakeCase": { - "unsafeName": "points", - "safeName": "points" - }, - "screamingSnakeCase": { - "unsafeName": "POINTS", - "safeName": "POINTS" - }, - "pascalCase": { - "unsafeName": "Points", - "safeName": "Points" - } - }, - "wireValue": "points" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLA", - "camelCase": { - "unsafeName": "andurilTypeLla", - "safeName": "andurilTypeLla" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla", - "safeName": "anduril_type_lla" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA", - "safeName": "ANDURIL_TYPE_LLA" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLla", - "safeName": "AndurilTypeLla" - } - }, - "typeId": "anduril.type.LLA", - "default": null, - "inline": false, - "displayName": "points" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "standard is that points are defined in a counter-clockwise order. this\\n is only the exterior ring of a polygon, no holes are supported." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.AERPolygon": { - "name": { - "typeId": "anduril.type.AERPolygon", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.AERPolygon", - "camelCase": { - "unsafeName": "andurilTypeAerPolygon", - "safeName": "andurilTypeAerPolygon" - }, - "snakeCase": { - "unsafeName": "anduril_type_aer_polygon", - "safeName": "anduril_type_aer_polygon" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_AER_POLYGON", - "safeName": "ANDURIL_TYPE_AER_POLYGON" - }, - "pascalCase": { - "unsafeName": "AndurilTypeAerPolygon", - "safeName": "AndurilTypeAerPolygon" - } - }, - "displayName": "AERPolygon" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "points", - "camelCase": { - "unsafeName": "points", - "safeName": "points" - }, - "snakeCase": { - "unsafeName": "points", - "safeName": "points" - }, - "screamingSnakeCase": { - "unsafeName": "POINTS", - "safeName": "POINTS" - }, - "pascalCase": { - "unsafeName": "Points", - "safeName": "Points" - } - }, - "wireValue": "points" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Spherical", - "camelCase": { - "unsafeName": "andurilTypeSpherical", - "safeName": "andurilTypeSpherical" - }, - "snakeCase": { - "unsafeName": "anduril_type_spherical", - "safeName": "anduril_type_spherical" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_SPHERICAL", - "safeName": "ANDURIL_TYPE_SPHERICAL" - }, - "pascalCase": { - "unsafeName": "AndurilTypeSpherical", - "safeName": "AndurilTypeSpherical" - } - }, - "typeId": "anduril.type.Spherical", - "default": null, - "inline": false, - "displayName": "points" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Azimuth-Range-Elevation" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.LLAPath": { - "name": { - "typeId": "anduril.type.LLAPath", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLAPath", - "camelCase": { - "unsafeName": "andurilTypeLlaPath", - "safeName": "andurilTypeLlaPath" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla_path", - "safeName": "anduril_type_lla_path" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA_PATH", - "safeName": "ANDURIL_TYPE_LLA_PATH" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLlaPath", - "safeName": "AndurilTypeLlaPath" - } - }, - "displayName": "LLAPath" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "points", - "camelCase": { - "unsafeName": "points", - "safeName": "points" - }, - "snakeCase": { - "unsafeName": "points", - "safeName": "points" - }, - "screamingSnakeCase": { - "unsafeName": "POINTS", - "safeName": "POINTS" - }, - "pascalCase": { - "unsafeName": "Points", - "safeName": "Points" - } - }, - "wireValue": "points" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLA", - "camelCase": { - "unsafeName": "andurilTypeLla", - "safeName": "andurilTypeLla" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla", - "safeName": "anduril_type_lla" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA", - "safeName": "ANDURIL_TYPE_LLA" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLla", - "safeName": "AndurilTypeLla" - } - }, - "typeId": "anduril.type.LLA", - "default": null, - "inline": false, - "displayName": "points" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Ordered list of points on the path." - }, - { - "name": { - "name": { - "originalName": "loop", - "camelCase": { - "unsafeName": "loop", - "safeName": "loop" - }, - "snakeCase": { - "unsafeName": "loop", - "safeName": "loop" - }, - "screamingSnakeCase": { - "unsafeName": "LOOP", - "safeName": "LOOP" - }, - "pascalCase": { - "unsafeName": "Loop", - "safeName": "Loop" - } - }, - "wireValue": "loop" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "True if the last point on the path connects to the first in a closed\\n loop" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.Spherical": { - "name": { - "typeId": "anduril.type.Spherical", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Spherical", - "camelCase": { - "unsafeName": "andurilTypeSpherical", - "safeName": "andurilTypeSpherical" - }, - "snakeCase": { - "unsafeName": "anduril_type_spherical", - "safeName": "anduril_type_spherical" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_SPHERICAL", - "safeName": "ANDURIL_TYPE_SPHERICAL" - }, - "pascalCase": { - "unsafeName": "AndurilTypeSpherical", - "safeName": "AndurilTypeSpherical" - } - }, - "displayName": "Spherical" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "az", - "camelCase": { - "unsafeName": "az", - "safeName": "az" - }, - "snakeCase": { - "unsafeName": "az", - "safeName": "az" - }, - "screamingSnakeCase": { - "unsafeName": "AZ", - "safeName": "AZ" - }, - "pascalCase": { - "unsafeName": "Az", - "safeName": "Az" - } - }, - "wireValue": "az" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "azimuth angle in radians" - }, - { - "name": { - "name": { - "originalName": "el", - "camelCase": { - "unsafeName": "el", - "safeName": "el" - }, - "snakeCase": { - "unsafeName": "el", - "safeName": "el" - }, - "screamingSnakeCase": { - "unsafeName": "EL", - "safeName": "EL" - }, - "pascalCase": { - "unsafeName": "El", - "safeName": "El" - } - }, - "wireValue": "el" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "elevation angle in radians, we'll use 0 = XY plane" - }, - { - "name": { - "name": { - "originalName": "range", - "camelCase": { - "unsafeName": "range", - "safeName": "range" - }, - "snakeCase": { - "unsafeName": "range", - "safeName": "range" - }, - "screamingSnakeCase": { - "unsafeName": "RANGE", - "safeName": "RANGE" - }, - "pascalCase": { - "unsafeName": "Range", - "safeName": "Range" - } - }, - "wireValue": "range" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "range in meters" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.DoubleRange": { - "name": { - "typeId": "anduril.type.DoubleRange", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.DoubleRange", - "camelCase": { - "unsafeName": "andurilTypeDoubleRange", - "safeName": "andurilTypeDoubleRange" - }, - "snakeCase": { - "unsafeName": "anduril_type_double_range", - "safeName": "anduril_type_double_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_DOUBLE_RANGE", - "safeName": "ANDURIL_TYPE_DOUBLE_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilTypeDoubleRange", - "safeName": "AndurilTypeDoubleRange" - } - }, - "displayName": "DoubleRange" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "min", - "camelCase": { - "unsafeName": "min", - "safeName": "min" - }, - "snakeCase": { - "unsafeName": "min", - "safeName": "min" - }, - "screamingSnakeCase": { - "unsafeName": "MIN", - "safeName": "MIN" - }, - "pascalCase": { - "unsafeName": "Min", - "safeName": "Min" - } - }, - "wireValue": "min" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "max", - "camelCase": { - "unsafeName": "max", - "safeName": "max" - }, - "snakeCase": { - "unsafeName": "max", - "safeName": "max" - }, - "screamingSnakeCase": { - "unsafeName": "MAX", - "safeName": "MAX" - }, - "pascalCase": { - "unsafeName": "Max", - "safeName": "Max" - } - }, - "wireValue": "max" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.Uint64Range": { - "name": { - "typeId": "anduril.type.Uint64Range", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Uint64Range", - "camelCase": { - "unsafeName": "andurilTypeUint64Range", - "safeName": "andurilTypeUint64Range" - }, - "snakeCase": { - "unsafeName": "anduril_type_uint_64_range", - "safeName": "anduril_type_uint_64_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_UINT_64_RANGE", - "safeName": "ANDURIL_TYPE_UINT_64_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilTypeUint64Range", - "safeName": "AndurilTypeUint64Range" - } - }, - "displayName": "Uint64Range" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "min", - "camelCase": { - "unsafeName": "min", - "safeName": "min" - }, - "snakeCase": { - "unsafeName": "min", - "safeName": "min" - }, - "screamingSnakeCase": { - "unsafeName": "MIN", - "safeName": "MIN" - }, - "pascalCase": { - "unsafeName": "Min", - "safeName": "Min" - } - }, - "wireValue": "min" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT_64", - "v2": { - "type": "uint64" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "max", - "camelCase": { - "unsafeName": "max", - "safeName": "max" - }, - "snakeCase": { - "unsafeName": "max", - "safeName": "max" - }, - "screamingSnakeCase": { - "unsafeName": "MAX", - "safeName": "MAX" - }, - "pascalCase": { - "unsafeName": "Max", - "safeName": "Max" - } - }, - "wireValue": "max" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT_64", - "v2": { - "type": "uint64" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.TMat4f": { - "name": { - "typeId": "anduril.type.TMat4f", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.TMat4f", - "camelCase": { - "unsafeName": "andurilTypeTMat4F", - "safeName": "andurilTypeTMat4F" - }, - "snakeCase": { - "unsafeName": "anduril_type_t_mat_4_f", - "safeName": "anduril_type_t_mat_4_f" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_T_MAT_4_F", - "safeName": "ANDURIL_TYPE_T_MAT_4_F" - }, - "pascalCase": { - "unsafeName": "AndurilTypeTMat4F", - "safeName": "AndurilTypeTMat4F" - } - }, - "displayName": "TMat4f" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "m00", - "camelCase": { - "unsafeName": "m00", - "safeName": "m00" - }, - "snakeCase": { - "unsafeName": "m_00", - "safeName": "m_00" - }, - "screamingSnakeCase": { - "unsafeName": "M_00", - "safeName": "M_00" - }, - "pascalCase": { - "unsafeName": "M00", - "safeName": "M00" - } - }, - "wireValue": "m00" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "m01", - "camelCase": { - "unsafeName": "m01", - "safeName": "m01" - }, - "snakeCase": { - "unsafeName": "m_01", - "safeName": "m_01" - }, - "screamingSnakeCase": { - "unsafeName": "M_01", - "safeName": "M_01" - }, - "pascalCase": { - "unsafeName": "M01", - "safeName": "M01" - } - }, - "wireValue": "m01" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "m02", - "camelCase": { - "unsafeName": "m02", - "safeName": "m02" - }, - "snakeCase": { - "unsafeName": "m_02", - "safeName": "m_02" - }, - "screamingSnakeCase": { - "unsafeName": "M_02", - "safeName": "M_02" - }, - "pascalCase": { - "unsafeName": "M02", - "safeName": "M02" - } - }, - "wireValue": "m02" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "m03", - "camelCase": { - "unsafeName": "m03", - "safeName": "m03" - }, - "snakeCase": { - "unsafeName": "m_03", - "safeName": "m_03" - }, - "screamingSnakeCase": { - "unsafeName": "M_03", - "safeName": "M_03" - }, - "pascalCase": { - "unsafeName": "M03", - "safeName": "M03" - } - }, - "wireValue": "m03" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "m11", - "camelCase": { - "unsafeName": "m11", - "safeName": "m11" - }, - "snakeCase": { - "unsafeName": "m_11", - "safeName": "m_11" - }, - "screamingSnakeCase": { - "unsafeName": "M_11", - "safeName": "M_11" - }, - "pascalCase": { - "unsafeName": "M11", - "safeName": "M11" - } - }, - "wireValue": "m11" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "m12", - "camelCase": { - "unsafeName": "m12", - "safeName": "m12" - }, - "snakeCase": { - "unsafeName": "m_12", - "safeName": "m_12" - }, - "screamingSnakeCase": { - "unsafeName": "M_12", - "safeName": "M_12" - }, - "pascalCase": { - "unsafeName": "M12", - "safeName": "M12" - } - }, - "wireValue": "m12" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "m13", - "camelCase": { - "unsafeName": "m13", - "safeName": "m13" - }, - "snakeCase": { - "unsafeName": "m_13", - "safeName": "m_13" - }, - "screamingSnakeCase": { - "unsafeName": "M_13", - "safeName": "M_13" - }, - "pascalCase": { - "unsafeName": "M13", - "safeName": "M13" - } - }, - "wireValue": "m13" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "m22", - "camelCase": { - "unsafeName": "m22", - "safeName": "m22" - }, - "snakeCase": { - "unsafeName": "m_22", - "safeName": "m_22" - }, - "screamingSnakeCase": { - "unsafeName": "M_22", - "safeName": "M_22" - }, - "pascalCase": { - "unsafeName": "M22", - "safeName": "M22" - } - }, - "wireValue": "m22" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "m23", - "camelCase": { - "unsafeName": "m23", - "safeName": "m23" - }, - "snakeCase": { - "unsafeName": "m_23", - "safeName": "m_23" - }, - "screamingSnakeCase": { - "unsafeName": "M_23", - "safeName": "M_23" - }, - "pascalCase": { - "unsafeName": "M23", - "safeName": "M23" - } - }, - "wireValue": "m23" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "m33", - "camelCase": { - "unsafeName": "m33", - "safeName": "m33" - }, - "snakeCase": { - "unsafeName": "m_33", - "safeName": "m_33" - }, - "screamingSnakeCase": { - "unsafeName": "M_33", - "safeName": "M_33" - }, - "pascalCase": { - "unsafeName": "M33", - "safeName": "M33" - } - }, - "wireValue": "m33" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A symmetric 4D matrix only representing the upper right triangle, useful for covariance matrices." - }, - "anduril.type.TMat3": { - "name": { - "typeId": "anduril.type.TMat3", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.TMat3", - "camelCase": { - "unsafeName": "andurilTypeTMat3", - "safeName": "andurilTypeTMat3" - }, - "snakeCase": { - "unsafeName": "anduril_type_t_mat_3", - "safeName": "anduril_type_t_mat_3" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_T_MAT_3", - "safeName": "ANDURIL_TYPE_T_MAT_3" - }, - "pascalCase": { - "unsafeName": "AndurilTypeTMat3", - "safeName": "AndurilTypeTMat3" - } - }, - "displayName": "TMat3" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "mxx", - "camelCase": { - "unsafeName": "mxx", - "safeName": "mxx" - }, - "snakeCase": { - "unsafeName": "mxx", - "safeName": "mxx" - }, - "screamingSnakeCase": { - "unsafeName": "MXX", - "safeName": "MXX" - }, - "pascalCase": { - "unsafeName": "Mxx", - "safeName": "Mxx" - } - }, - "wireValue": "mxx" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "mxy", - "camelCase": { - "unsafeName": "mxy", - "safeName": "mxy" - }, - "snakeCase": { - "unsafeName": "mxy", - "safeName": "mxy" - }, - "screamingSnakeCase": { - "unsafeName": "MXY", - "safeName": "MXY" - }, - "pascalCase": { - "unsafeName": "Mxy", - "safeName": "Mxy" - } - }, - "wireValue": "mxy" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "mxz", - "camelCase": { - "unsafeName": "mxz", - "safeName": "mxz" - }, - "snakeCase": { - "unsafeName": "mxz", - "safeName": "mxz" - }, - "screamingSnakeCase": { - "unsafeName": "MXZ", - "safeName": "MXZ" - }, - "pascalCase": { - "unsafeName": "Mxz", - "safeName": "Mxz" - } - }, - "wireValue": "mxz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "myy", - "camelCase": { - "unsafeName": "myy", - "safeName": "myy" - }, - "snakeCase": { - "unsafeName": "myy", - "safeName": "myy" - }, - "screamingSnakeCase": { - "unsafeName": "MYY", - "safeName": "MYY" - }, - "pascalCase": { - "unsafeName": "Myy", - "safeName": "Myy" - } - }, - "wireValue": "myy" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "myz", - "camelCase": { - "unsafeName": "myz", - "safeName": "myz" - }, - "snakeCase": { - "unsafeName": "myz", - "safeName": "myz" - }, - "screamingSnakeCase": { - "unsafeName": "MYZ", - "safeName": "MYZ" - }, - "pascalCase": { - "unsafeName": "Myz", - "safeName": "Myz" - } - }, - "wireValue": "myz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "mzz", - "camelCase": { - "unsafeName": "mzz", - "safeName": "mzz" - }, - "snakeCase": { - "unsafeName": "mzz", - "safeName": "mzz" - }, - "screamingSnakeCase": { - "unsafeName": "MZZ", - "safeName": "MZZ" - }, - "pascalCase": { - "unsafeName": "Mzz", - "safeName": "Mzz" - } - }, - "wireValue": "mzz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A symmetric 3D matrix only representing the upper right triangle, useful for covariance matrices." - }, - "anduril.type.TMat2": { - "name": { - "typeId": "anduril.type.TMat2", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.TMat2", - "camelCase": { - "unsafeName": "andurilTypeTMat2", - "safeName": "andurilTypeTMat2" - }, - "snakeCase": { - "unsafeName": "anduril_type_t_mat_2", - "safeName": "anduril_type_t_mat_2" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_T_MAT_2", - "safeName": "ANDURIL_TYPE_T_MAT_2" - }, - "pascalCase": { - "unsafeName": "AndurilTypeTMat2", - "safeName": "AndurilTypeTMat2" - } - }, - "displayName": "TMat2" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "mxx", - "camelCase": { - "unsafeName": "mxx", - "safeName": "mxx" - }, - "snakeCase": { - "unsafeName": "mxx", - "safeName": "mxx" - }, - "screamingSnakeCase": { - "unsafeName": "MXX", - "safeName": "MXX" - }, - "pascalCase": { - "unsafeName": "Mxx", - "safeName": "Mxx" - } - }, - "wireValue": "mxx" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "mxy", - "camelCase": { - "unsafeName": "mxy", - "safeName": "mxy" - }, - "snakeCase": { - "unsafeName": "mxy", - "safeName": "mxy" - }, - "screamingSnakeCase": { - "unsafeName": "MXY", - "safeName": "MXY" - }, - "pascalCase": { - "unsafeName": "Mxy", - "safeName": "Mxy" - } - }, - "wireValue": "mxy" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "myy", - "camelCase": { - "unsafeName": "myy", - "safeName": "myy" - }, - "snakeCase": { - "unsafeName": "myy", - "safeName": "myy" - }, - "screamingSnakeCase": { - "unsafeName": "MYY", - "safeName": "MYY" - }, - "pascalCase": { - "unsafeName": "Myy", - "safeName": "Myy" - } - }, - "wireValue": "myy" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "symmetric 2d matrix only representing the upper right triangle, useful for\\n covariance matrices" - }, - "anduril.type.RigidTransform": { - "name": { - "typeId": "anduril.type.RigidTransform", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.RigidTransform", - "camelCase": { - "unsafeName": "andurilTypeRigidTransform", - "safeName": "andurilTypeRigidTransform" - }, - "snakeCase": { - "unsafeName": "anduril_type_rigid_transform", - "safeName": "anduril_type_rigid_transform" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_RIGID_TRANSFORM", - "safeName": "ANDURIL_TYPE_RIGID_TRANSFORM" - }, - "pascalCase": { - "unsafeName": "AndurilTypeRigidTransform", - "safeName": "AndurilTypeRigidTransform" - } - }, - "displayName": "RigidTransform" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "rotation", - "camelCase": { - "unsafeName": "rotation", - "safeName": "rotation" - }, - "snakeCase": { - "unsafeName": "rotation", - "safeName": "rotation" - }, - "screamingSnakeCase": { - "unsafeName": "ROTATION", - "safeName": "ROTATION" - }, - "pascalCase": { - "unsafeName": "Rotation", - "safeName": "Rotation" - } - }, - "wireValue": "rotation" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Quaternion", - "camelCase": { - "unsafeName": "andurilTypeQuaternion", - "safeName": "andurilTypeQuaternion" - }, - "snakeCase": { - "unsafeName": "anduril_type_quaternion", - "safeName": "anduril_type_quaternion" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_QUATERNION", - "safeName": "ANDURIL_TYPE_QUATERNION" - }, - "pascalCase": { - "unsafeName": "AndurilTypeQuaternion", - "safeName": "AndurilTypeQuaternion" - } - }, - "typeId": "anduril.type.Quaternion", - "default": null, - "inline": false, - "displayName": "rotation" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "translation", - "camelCase": { - "unsafeName": "translation", - "safeName": "translation" - }, - "snakeCase": { - "unsafeName": "translation", - "safeName": "translation" - }, - "screamingSnakeCase": { - "unsafeName": "TRANSLATION", - "safeName": "TRANSLATION" - }, - "pascalCase": { - "unsafeName": "Translation", - "safeName": "Translation" - } - }, - "wireValue": "translation" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Vec3", - "camelCase": { - "unsafeName": "andurilTypeVec3", - "safeName": "andurilTypeVec3" - }, - "snakeCase": { - "unsafeName": "anduril_type_vec_3", - "safeName": "anduril_type_vec_3" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_VEC_3", - "safeName": "ANDURIL_TYPE_VEC_3" - }, - "pascalCase": { - "unsafeName": "AndurilTypeVec3", - "safeName": "AndurilTypeVec3" - } - }, - "typeId": "anduril.type.Vec3", - "default": null, - "inline": false, - "displayName": "translation" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Rx + t, Technically this is a duplicate of AffineTransform\\n but Affine Transform isn't really an affine transform (since it doesn't allow\\n skewing and stretching)." - }, - "google.protobuf.DoubleValue": { - "name": { - "typeId": "google.protobuf.DoubleValue", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "displayName": "DoubleValue" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.FloatValue": { - "name": { - "typeId": "google.protobuf.FloatValue", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FloatValue", - "camelCase": { - "unsafeName": "googleProtobufFloatValue", - "safeName": "googleProtobufFloatValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_float_value", - "safeName": "google_protobuf_float_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", - "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFloatValue", - "safeName": "GoogleProtobufFloatValue" - } - }, - "displayName": "FloatValue" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.Int64Value": { - "name": { - "typeId": "google.protobuf.Int64Value", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Int64Value", - "camelCase": { - "unsafeName": "googleProtobufInt64Value", - "safeName": "googleProtobufInt64Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_int_64_value", - "safeName": "google_protobuf_int_64_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_INT_64_VALUE", - "safeName": "GOOGLE_PROTOBUF_INT_64_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufInt64Value", - "safeName": "GoogleProtobufInt64Value" - } - }, - "displayName": "Int64Value" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "LONG", - "v2": { - "type": "long", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.UInt64Value": { - "name": { - "typeId": "google.protobuf.UInt64Value", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UInt64Value", - "camelCase": { - "unsafeName": "googleProtobufUInt64Value", - "safeName": "googleProtobufUInt64Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_u_int_64_value", - "safeName": "google_protobuf_u_int_64_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_U_INT_64_VALUE", - "safeName": "GOOGLE_PROTOBUF_U_INT_64_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUInt64Value", - "safeName": "GoogleProtobufUInt64Value" - } - }, - "displayName": "UInt64Value" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT_64", - "v2": { - "type": "uint64" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.Int32Value": { - "name": { - "typeId": "google.protobuf.Int32Value", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Int32Value", - "camelCase": { - "unsafeName": "googleProtobufInt32Value", - "safeName": "googleProtobufInt32Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_int_32_value", - "safeName": "google_protobuf_int_32_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_INT_32_VALUE", - "safeName": "GOOGLE_PROTOBUF_INT_32_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufInt32Value", - "safeName": "GoogleProtobufInt32Value" - } - }, - "displayName": "Int32Value" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.UInt32Value": { - "name": { - "typeId": "google.protobuf.UInt32Value", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UInt32Value", - "camelCase": { - "unsafeName": "googleProtobufUInt32Value", - "safeName": "googleProtobufUInt32Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_u_int_32_value", - "safeName": "google_protobuf_u_int_32_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", - "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUInt32Value", - "safeName": "GoogleProtobufUInt32Value" - } - }, - "displayName": "UInt32Value" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.BoolValue": { - "name": { - "typeId": "google.protobuf.BoolValue", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.BoolValue", - "camelCase": { - "unsafeName": "googleProtobufBoolValue", - "safeName": "googleProtobufBoolValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_bool_value", - "safeName": "google_protobuf_bool_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", - "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufBoolValue", - "safeName": "GoogleProtobufBoolValue" - } - }, - "displayName": "BoolValue" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.StringValue": { - "name": { - "typeId": "google.protobuf.StringValue", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.StringValue", - "camelCase": { - "unsafeName": "googleProtobufStringValue", - "safeName": "googleProtobufStringValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_string_value", - "safeName": "google_protobuf_string_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_STRING_VALUE", - "safeName": "GOOGLE_PROTOBUF_STRING_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufStringValue", - "safeName": "GoogleProtobufStringValue" - } - }, - "displayName": "StringValue" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.BytesValue": { - "name": { - "typeId": "google.protobuf.BytesValue", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.BytesValue", - "camelCase": { - "unsafeName": "googleProtobufBytesValue", - "safeName": "googleProtobufBytesValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_bytes_value", - "safeName": "google_protobuf_bytes_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_BYTES_VALUE", - "safeName": "GOOGLE_PROTOBUF_BYTES_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufBytesValue", - "safeName": "GoogleProtobufBytesValue" - } - }, - "displayName": "BytesValue" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "unknown" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Location": { - "name": { - "typeId": "anduril.entitymanager.v1.Location", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Location", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Location", - "safeName": "andurilEntitymanagerV1Location" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_location", - "safeName": "anduril_entitymanager_v_1_location" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Location", - "safeName": "AndurilEntitymanagerV1Location" - } - }, - "displayName": "Location" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "position", - "camelCase": { - "unsafeName": "position", - "safeName": "position" - }, - "snakeCase": { - "unsafeName": "position", - "safeName": "position" - }, - "screamingSnakeCase": { - "unsafeName": "POSITION", - "safeName": "POSITION" - }, - "pascalCase": { - "unsafeName": "Position", - "safeName": "Position" - } - }, - "wireValue": "position" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "position" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "see Position definition for details." - }, - { - "name": { - "name": { - "originalName": "velocity_enu", - "camelCase": { - "unsafeName": "velocityEnu", - "safeName": "velocityEnu" - }, - "snakeCase": { - "unsafeName": "velocity_enu", - "safeName": "velocity_enu" - }, - "screamingSnakeCase": { - "unsafeName": "VELOCITY_ENU", - "safeName": "VELOCITY_ENU" - }, - "pascalCase": { - "unsafeName": "VelocityEnu", - "safeName": "VelocityEnu" - } - }, - "wireValue": "velocity_enu" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.ENU", - "camelCase": { - "unsafeName": "andurilTypeEnu", - "safeName": "andurilTypeEnu" - }, - "snakeCase": { - "unsafeName": "anduril_type_enu", - "safeName": "anduril_type_enu" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ENU", - "safeName": "ANDURIL_TYPE_ENU" - }, - "pascalCase": { - "unsafeName": "AndurilTypeEnu", - "safeName": "AndurilTypeEnu" - } - }, - "typeId": "anduril.type.ENU", - "default": null, - "inline": false, - "displayName": "velocity_enu" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Velocity in an ENU reference frame centered on the corresponding position. All units are meters per second." - }, - { - "name": { - "name": { - "originalName": "speed_mps", - "camelCase": { - "unsafeName": "speedMps", - "safeName": "speedMps" - }, - "snakeCase": { - "unsafeName": "speed_mps", - "safeName": "speed_mps" - }, - "screamingSnakeCase": { - "unsafeName": "SPEED_MPS", - "safeName": "SPEED_MPS" - }, - "pascalCase": { - "unsafeName": "SpeedMps", - "safeName": "SpeedMps" - } - }, - "wireValue": "speed_mps" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "speed_mps" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Speed is the magnitude of velocity_enu vector [sqrt(e^2 + n^2 + u^2)] when present, measured in m/s." - }, - { - "name": { - "name": { - "originalName": "acceleration", - "camelCase": { - "unsafeName": "acceleration", - "safeName": "acceleration" - }, - "snakeCase": { - "unsafeName": "acceleration", - "safeName": "acceleration" - }, - "screamingSnakeCase": { - "unsafeName": "ACCELERATION", - "safeName": "ACCELERATION" - }, - "pascalCase": { - "unsafeName": "Acceleration", - "safeName": "Acceleration" - } - }, - "wireValue": "acceleration" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.ENU", - "camelCase": { - "unsafeName": "andurilTypeEnu", - "safeName": "andurilTypeEnu" - }, - "snakeCase": { - "unsafeName": "anduril_type_enu", - "safeName": "anduril_type_enu" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ENU", - "safeName": "ANDURIL_TYPE_ENU" - }, - "pascalCase": { - "unsafeName": "AndurilTypeEnu", - "safeName": "AndurilTypeEnu" - } - }, - "typeId": "anduril.type.ENU", - "default": null, - "inline": false, - "displayName": "acceleration" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The entity's acceleration in meters/s^2." - }, - { - "name": { - "name": { - "originalName": "attitude_enu", - "camelCase": { - "unsafeName": "attitudeEnu", - "safeName": "attitudeEnu" - }, - "snakeCase": { - "unsafeName": "attitude_enu", - "safeName": "attitude_enu" - }, - "screamingSnakeCase": { - "unsafeName": "ATTITUDE_ENU", - "safeName": "ATTITUDE_ENU" - }, - "pascalCase": { - "unsafeName": "AttitudeEnu", - "safeName": "AttitudeEnu" - } - }, - "wireValue": "attitude_enu" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Quaternion", - "camelCase": { - "unsafeName": "andurilTypeQuaternion", - "safeName": "andurilTypeQuaternion" - }, - "snakeCase": { - "unsafeName": "anduril_type_quaternion", - "safeName": "anduril_type_quaternion" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_QUATERNION", - "safeName": "ANDURIL_TYPE_QUATERNION" - }, - "pascalCase": { - "unsafeName": "AndurilTypeQuaternion", - "safeName": "AndurilTypeQuaternion" - } - }, - "typeId": "anduril.type.Quaternion", - "default": null, - "inline": false, - "displayName": "attitude_enu" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "quaternion to translate from entity body frame to it's ENU frame" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Available for Entities that have a single or primary Location." - }, - "anduril.entitymanager.v1.Position": { - "name": { - "typeId": "anduril.entitymanager.v1.Position", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "displayName": "Position" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "latitude_degrees", - "camelCase": { - "unsafeName": "latitudeDegrees", - "safeName": "latitudeDegrees" - }, - "snakeCase": { - "unsafeName": "latitude_degrees", - "safeName": "latitude_degrees" - }, - "screamingSnakeCase": { - "unsafeName": "LATITUDE_DEGREES", - "safeName": "LATITUDE_DEGREES" - }, - "pascalCase": { - "unsafeName": "LatitudeDegrees", - "safeName": "LatitudeDegrees" - } - }, - "wireValue": "latitude_degrees" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "WGS84 geodetic latitude in decimal degrees." - }, - { - "name": { - "name": { - "originalName": "longitude_degrees", - "camelCase": { - "unsafeName": "longitudeDegrees", - "safeName": "longitudeDegrees" - }, - "snakeCase": { - "unsafeName": "longitude_degrees", - "safeName": "longitude_degrees" - }, - "screamingSnakeCase": { - "unsafeName": "LONGITUDE_DEGREES", - "safeName": "LONGITUDE_DEGREES" - }, - "pascalCase": { - "unsafeName": "LongitudeDegrees", - "safeName": "LongitudeDegrees" - } - }, - "wireValue": "longitude_degrees" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "WGS84 longitude in decimal degrees." - }, - { - "name": { - "name": { - "originalName": "altitude_hae_meters", - "camelCase": { - "unsafeName": "altitudeHaeMeters", - "safeName": "altitudeHaeMeters" - }, - "snakeCase": { - "unsafeName": "altitude_hae_meters", - "safeName": "altitude_hae_meters" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_HAE_METERS", - "safeName": "ALTITUDE_HAE_METERS" - }, - "pascalCase": { - "unsafeName": "AltitudeHaeMeters", - "safeName": "AltitudeHaeMeters" - } - }, - "wireValue": "altitude_hae_meters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "altitude_hae_meters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "altitude as height above ellipsoid (WGS84) in meters. DoubleValue wrapper is used to distinguish optional from\\n default 0." - }, - { - "name": { - "name": { - "originalName": "altitude_agl_meters", - "camelCase": { - "unsafeName": "altitudeAglMeters", - "safeName": "altitudeAglMeters" - }, - "snakeCase": { - "unsafeName": "altitude_agl_meters", - "safeName": "altitude_agl_meters" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_AGL_METERS", - "safeName": "ALTITUDE_AGL_METERS" - }, - "pascalCase": { - "unsafeName": "AltitudeAglMeters", - "safeName": "AltitudeAglMeters" - } - }, - "wireValue": "altitude_agl_meters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "altitude_agl_meters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Altitude as AGL (Above Ground Level) if the upstream data source has this value set. This value represents the\\n entity's height above the terrain. This is typically measured with a radar altimeter or by using a terrain tile\\n set lookup. If the value is not set from the upstream, this value is not set." - }, - { - "name": { - "name": { - "originalName": "altitude_asf_meters", - "camelCase": { - "unsafeName": "altitudeAsfMeters", - "safeName": "altitudeAsfMeters" - }, - "snakeCase": { - "unsafeName": "altitude_asf_meters", - "safeName": "altitude_asf_meters" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_ASF_METERS", - "safeName": "ALTITUDE_ASF_METERS" - }, - "pascalCase": { - "unsafeName": "AltitudeAsfMeters", - "safeName": "AltitudeAsfMeters" - } - }, - "wireValue": "altitude_asf_meters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "altitude_asf_meters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Altitude as ASF (Above Sea Floor) if the upstream data source has this value set. If the value is not set from the upstream, this value is\\n not set." - }, - { - "name": { - "name": { - "originalName": "pressure_depth_meters", - "camelCase": { - "unsafeName": "pressureDepthMeters", - "safeName": "pressureDepthMeters" - }, - "snakeCase": { - "unsafeName": "pressure_depth_meters", - "safeName": "pressure_depth_meters" - }, - "screamingSnakeCase": { - "unsafeName": "PRESSURE_DEPTH_METERS", - "safeName": "PRESSURE_DEPTH_METERS" - }, - "pascalCase": { - "unsafeName": "PressureDepthMeters", - "safeName": "PressureDepthMeters" - } - }, - "wireValue": "pressure_depth_meters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "pressure_depth_meters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The depth of the entity from the surface of the water through sensor measurements based on differential pressure\\n between the interior and exterior of the vessel. If the value is not set from the upstream, this value is not set." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "WGS84 position. Position includes four altitude references.\\n The data model does not currently support Mean Sea Level (MSL) references,\\n such as the Earth Gravitational Model 1996 (EGM-96) and the Earth Gravitational Model 2008 (EGM-08).\\n If the only altitude reference available to your integration is MSL, convert it to\\n Height Above Ellipsoid (HAE) and populate the altitude_hae_meters field." - }, - "anduril.entitymanager.v1.LocationUncertainty": { - "name": { - "typeId": "anduril.entitymanager.v1.LocationUncertainty", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.LocationUncertainty", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1LocationUncertainty", - "safeName": "andurilEntitymanagerV1LocationUncertainty" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_location_uncertainty", - "safeName": "anduril_entitymanager_v_1_location_uncertainty" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION_UNCERTAINTY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION_UNCERTAINTY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1LocationUncertainty", - "safeName": "AndurilEntitymanagerV1LocationUncertainty" - } - }, - "displayName": "LocationUncertainty" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "position_enu_cov", - "camelCase": { - "unsafeName": "positionEnuCov", - "safeName": "positionEnuCov" - }, - "snakeCase": { - "unsafeName": "position_enu_cov", - "safeName": "position_enu_cov" - }, - "screamingSnakeCase": { - "unsafeName": "POSITION_ENU_COV", - "safeName": "POSITION_ENU_COV" - }, - "pascalCase": { - "unsafeName": "PositionEnuCov", - "safeName": "PositionEnuCov" - } - }, - "wireValue": "position_enu_cov" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TMat3", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TMat3", - "safeName": "andurilEntitymanagerV1TMat3" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_t_mat_3", - "safeName": "anduril_entitymanager_v_1_t_mat_3" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TMat3", - "safeName": "AndurilEntitymanagerV1TMat3" - } - }, - "typeId": "anduril.entitymanager.v1.TMat3", - "default": null, - "inline": false, - "displayName": "position_enu_cov" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Positional covariance represented by the upper triangle of the covariance matrix. It is valid to populate\\n only the diagonal of the matrix if the full covariance matrix is unknown." - }, - { - "name": { - "name": { - "originalName": "velocity_enu_cov", - "camelCase": { - "unsafeName": "velocityEnuCov", - "safeName": "velocityEnuCov" - }, - "snakeCase": { - "unsafeName": "velocity_enu_cov", - "safeName": "velocity_enu_cov" - }, - "screamingSnakeCase": { - "unsafeName": "VELOCITY_ENU_COV", - "safeName": "VELOCITY_ENU_COV" - }, - "pascalCase": { - "unsafeName": "VelocityEnuCov", - "safeName": "VelocityEnuCov" - } - }, - "wireValue": "velocity_enu_cov" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TMat3", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TMat3", - "safeName": "andurilEntitymanagerV1TMat3" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_t_mat_3", - "safeName": "anduril_entitymanager_v_1_t_mat_3" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TMat3", - "safeName": "AndurilEntitymanagerV1TMat3" - } - }, - "typeId": "anduril.entitymanager.v1.TMat3", - "default": null, - "inline": false, - "displayName": "velocity_enu_cov" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Velocity covariance represented by the upper triangle of the covariance matrix. It is valid to populate\\n only the diagonal of the matrix if the full covariance matrix is unknown." - }, - { - "name": { - "name": { - "originalName": "position_error_ellipse", - "camelCase": { - "unsafeName": "positionErrorEllipse", - "safeName": "positionErrorEllipse" - }, - "snakeCase": { - "unsafeName": "position_error_ellipse", - "safeName": "position_error_ellipse" - }, - "screamingSnakeCase": { - "unsafeName": "POSITION_ERROR_ELLIPSE", - "safeName": "POSITION_ERROR_ELLIPSE" - }, - "pascalCase": { - "unsafeName": "PositionErrorEllipse", - "safeName": "PositionErrorEllipse" - } - }, - "wireValue": "position_error_ellipse" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ErrorEllipse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ErrorEllipse", - "safeName": "andurilEntitymanagerV1ErrorEllipse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_error_ellipse", - "safeName": "anduril_entitymanager_v_1_error_ellipse" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ERROR_ELLIPSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ERROR_ELLIPSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ErrorEllipse", - "safeName": "AndurilEntitymanagerV1ErrorEllipse" - } - }, - "typeId": "anduril.entitymanager.v1.ErrorEllipse", - "default": null, - "inline": false, - "displayName": "position_error_ellipse" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "An ellipse that describes the certainty probability and error boundary for a given geolocation." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Uncertainty of entity position and velocity, if available." - }, - "anduril.entitymanager.v1.ErrorEllipse": { - "name": { - "typeId": "anduril.entitymanager.v1.ErrorEllipse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ErrorEllipse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ErrorEllipse", - "safeName": "andurilEntitymanagerV1ErrorEllipse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_error_ellipse", - "safeName": "anduril_entitymanager_v_1_error_ellipse" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ERROR_ELLIPSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ERROR_ELLIPSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ErrorEllipse", - "safeName": "AndurilEntitymanagerV1ErrorEllipse" - } - }, - "displayName": "ErrorEllipse" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "probability", - "camelCase": { - "unsafeName": "probability", - "safeName": "probability" - }, - "snakeCase": { - "unsafeName": "probability", - "safeName": "probability" - }, - "screamingSnakeCase": { - "unsafeName": "PROBABILITY", - "safeName": "PROBABILITY" - }, - "pascalCase": { - "unsafeName": "Probability", - "safeName": "Probability" - } - }, - "wireValue": "probability" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "probability" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Defines the probability in percentage that an entity lies within the given ellipse: 0-1." - }, - { - "name": { - "name": { - "originalName": "semi_major_axis_m", - "camelCase": { - "unsafeName": "semiMajorAxisM", - "safeName": "semiMajorAxisM" - }, - "snakeCase": { - "unsafeName": "semi_major_axis_m", - "safeName": "semi_major_axis_m" - }, - "screamingSnakeCase": { - "unsafeName": "SEMI_MAJOR_AXIS_M", - "safeName": "SEMI_MAJOR_AXIS_M" - }, - "pascalCase": { - "unsafeName": "SemiMajorAxisM", - "safeName": "SemiMajorAxisM" - } - }, - "wireValue": "semi_major_axis_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "semi_major_axis_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Defines the distance from the center point of the ellipse to the furthest distance on the perimeter in meters." - }, - { - "name": { - "name": { - "originalName": "semi_minor_axis_m", - "camelCase": { - "unsafeName": "semiMinorAxisM", - "safeName": "semiMinorAxisM" - }, - "snakeCase": { - "unsafeName": "semi_minor_axis_m", - "safeName": "semi_minor_axis_m" - }, - "screamingSnakeCase": { - "unsafeName": "SEMI_MINOR_AXIS_M", - "safeName": "SEMI_MINOR_AXIS_M" - }, - "pascalCase": { - "unsafeName": "SemiMinorAxisM", - "safeName": "SemiMinorAxisM" - } - }, - "wireValue": "semi_minor_axis_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "semi_minor_axis_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Defines the distance from the center point of the ellipse to the shortest distance on the perimeter in meters." - }, - { - "name": { - "name": { - "originalName": "orientation_d", - "camelCase": { - "unsafeName": "orientationD", - "safeName": "orientationD" - }, - "snakeCase": { - "unsafeName": "orientation_d", - "safeName": "orientation_d" - }, - "screamingSnakeCase": { - "unsafeName": "ORIENTATION_D", - "safeName": "ORIENTATION_D" - }, - "pascalCase": { - "unsafeName": "OrientationD", - "safeName": "OrientationD" - } - }, - "wireValue": "orientation_d" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "orientation_d" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The orientation of the semi-major relative to true north in degrees from clockwise: 0-180 due to symmetry across the semi-minor axis." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Indicates ellipse characteristics and probability that an entity lies within the defined ellipse." - }, - "anduril.entitymanager.v1.Pose": { - "name": { - "typeId": "anduril.entitymanager.v1.Pose", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Pose", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Pose", - "safeName": "andurilEntitymanagerV1Pose" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_pose", - "safeName": "anduril_entitymanager_v_1_pose" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Pose", - "safeName": "AndurilEntitymanagerV1Pose" - } - }, - "displayName": "Pose" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "pos", - "camelCase": { - "unsafeName": "pos", - "safeName": "pos" - }, - "snakeCase": { - "unsafeName": "pos", - "safeName": "pos" - }, - "screamingSnakeCase": { - "unsafeName": "POS", - "safeName": "POS" - }, - "pascalCase": { - "unsafeName": "Pos", - "safeName": "Pos" - } - }, - "wireValue": "pos" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "pos" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Geospatial location defined by this Pose." - }, - { - "name": { - "name": { - "originalName": "orientation", - "camelCase": { - "unsafeName": "orientation", - "safeName": "orientation" - }, - "snakeCase": { - "unsafeName": "orientation", - "safeName": "orientation" - }, - "screamingSnakeCase": { - "unsafeName": "ORIENTATION", - "safeName": "ORIENTATION" - }, - "pascalCase": { - "unsafeName": "Orientation", - "safeName": "Orientation" - } - }, - "wireValue": "orientation" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Quaternion", - "camelCase": { - "unsafeName": "andurilTypeQuaternion", - "safeName": "andurilTypeQuaternion" - }, - "snakeCase": { - "unsafeName": "anduril_type_quaternion", - "safeName": "anduril_type_quaternion" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_QUATERNION", - "safeName": "ANDURIL_TYPE_QUATERNION" - }, - "pascalCase": { - "unsafeName": "AndurilTypeQuaternion", - "safeName": "AndurilTypeQuaternion" - } - }, - "typeId": "anduril.type.Quaternion", - "default": null, - "inline": false, - "displayName": "orientation" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The quaternion to transform a point in the Pose frame to the ENU frame. The Pose frame could be Body, Turret,\\n etc and is determined by the context in which this Pose is used.\\n The normal convention for defining orientation is to list the frames of transformation, for example\\n att_gimbal_to_enu is the quaternion which transforms a point in the gimbal frame to the body frame, but\\n in this case we truncate to att_enu because the Pose frame isn't defined. A potentially better name for this\\n field would have been att_pose_to_enu.\\n\\n Implementations of this quaternion should left multiply this quaternion to transform a point from the Pose frame\\n to the enu frame." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.TMat3": { - "name": { - "typeId": "anduril.entitymanager.v1.TMat3", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TMat3", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TMat3", - "safeName": "andurilEntitymanagerV1TMat3" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_t_mat_3", - "safeName": "anduril_entitymanager_v_1_t_mat_3" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TMat3", - "safeName": "AndurilEntitymanagerV1TMat3" - } - }, - "displayName": "TMat3" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "mxx", - "camelCase": { - "unsafeName": "mxx", - "safeName": "mxx" - }, - "snakeCase": { - "unsafeName": "mxx", - "safeName": "mxx" - }, - "screamingSnakeCase": { - "unsafeName": "MXX", - "safeName": "MXX" - }, - "pascalCase": { - "unsafeName": "Mxx", - "safeName": "Mxx" - } - }, - "wireValue": "mxx" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "mxy", - "camelCase": { - "unsafeName": "mxy", - "safeName": "mxy" - }, - "snakeCase": { - "unsafeName": "mxy", - "safeName": "mxy" - }, - "screamingSnakeCase": { - "unsafeName": "MXY", - "safeName": "MXY" - }, - "pascalCase": { - "unsafeName": "Mxy", - "safeName": "Mxy" - } - }, - "wireValue": "mxy" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "mxz", - "camelCase": { - "unsafeName": "mxz", - "safeName": "mxz" - }, - "snakeCase": { - "unsafeName": "mxz", - "safeName": "mxz" - }, - "screamingSnakeCase": { - "unsafeName": "MXZ", - "safeName": "MXZ" - }, - "pascalCase": { - "unsafeName": "Mxz", - "safeName": "Mxz" - } - }, - "wireValue": "mxz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "myy", - "camelCase": { - "unsafeName": "myy", - "safeName": "myy" - }, - "snakeCase": { - "unsafeName": "myy", - "safeName": "myy" - }, - "screamingSnakeCase": { - "unsafeName": "MYY", - "safeName": "MYY" - }, - "pascalCase": { - "unsafeName": "Myy", - "safeName": "Myy" - } - }, - "wireValue": "myy" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "myz", - "camelCase": { - "unsafeName": "myz", - "safeName": "myz" - }, - "snakeCase": { - "unsafeName": "myz", - "safeName": "myz" - }, - "screamingSnakeCase": { - "unsafeName": "MYZ", - "safeName": "MYZ" - }, - "pascalCase": { - "unsafeName": "Myz", - "safeName": "Myz" - } - }, - "wireValue": "myz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "mzz", - "camelCase": { - "unsafeName": "mzz", - "safeName": "mzz" - }, - "snakeCase": { - "unsafeName": "mzz", - "safeName": "mzz" - }, - "screamingSnakeCase": { - "unsafeName": "MZZ", - "safeName": "MZZ" - }, - "pascalCase": { - "unsafeName": "Mzz", - "safeName": "Mzz" - } - }, - "wireValue": "mzz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Symmetric 3d matrix only representing the upper right triangle." - }, - "anduril.entitymanager.v1.GeoType": { - "name": { - "typeId": "anduril.entitymanager.v1.GeoType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoType", - "safeName": "andurilEntitymanagerV1GeoType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_type", - "safeName": "anduril_entitymanager_v_1_geo_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoType", - "safeName": "AndurilEntitymanagerV1GeoType" - } - }, - "displayName": "GeoType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "GEO_TYPE_INVALID", - "camelCase": { - "unsafeName": "geoTypeInvalid", - "safeName": "geoTypeInvalid" - }, - "snakeCase": { - "unsafeName": "geo_type_invalid", - "safeName": "geo_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "GEO_TYPE_INVALID", - "safeName": "GEO_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "GeoTypeInvalid", - "safeName": "GeoTypeInvalid" - } - }, - "wireValue": "GEO_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "GEO_TYPE_GENERAL", - "camelCase": { - "unsafeName": "geoTypeGeneral", - "safeName": "geoTypeGeneral" - }, - "snakeCase": { - "unsafeName": "geo_type_general", - "safeName": "geo_type_general" - }, - "screamingSnakeCase": { - "unsafeName": "GEO_TYPE_GENERAL", - "safeName": "GEO_TYPE_GENERAL" - }, - "pascalCase": { - "unsafeName": "GeoTypeGeneral", - "safeName": "GeoTypeGeneral" - } - }, - "wireValue": "GEO_TYPE_GENERAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "GEO_TYPE_HAZARD", - "camelCase": { - "unsafeName": "geoTypeHazard", - "safeName": "geoTypeHazard" - }, - "snakeCase": { - "unsafeName": "geo_type_hazard", - "safeName": "geo_type_hazard" - }, - "screamingSnakeCase": { - "unsafeName": "GEO_TYPE_HAZARD", - "safeName": "GEO_TYPE_HAZARD" - }, - "pascalCase": { - "unsafeName": "GeoTypeHazard", - "safeName": "GeoTypeHazard" - } - }, - "wireValue": "GEO_TYPE_HAZARD" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "GEO_TYPE_EMERGENCY", - "camelCase": { - "unsafeName": "geoTypeEmergency", - "safeName": "geoTypeEmergency" - }, - "snakeCase": { - "unsafeName": "geo_type_emergency", - "safeName": "geo_type_emergency" - }, - "screamingSnakeCase": { - "unsafeName": "GEO_TYPE_EMERGENCY", - "safeName": "GEO_TYPE_EMERGENCY" - }, - "pascalCase": { - "unsafeName": "GeoTypeEmergency", - "safeName": "GeoTypeEmergency" - } - }, - "wireValue": "GEO_TYPE_EMERGENCY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "GEO_TYPE_ENGAGEMENT_ZONE", - "camelCase": { - "unsafeName": "geoTypeEngagementZone", - "safeName": "geoTypeEngagementZone" - }, - "snakeCase": { - "unsafeName": "geo_type_engagement_zone", - "safeName": "geo_type_engagement_zone" - }, - "screamingSnakeCase": { - "unsafeName": "GEO_TYPE_ENGAGEMENT_ZONE", - "safeName": "GEO_TYPE_ENGAGEMENT_ZONE" - }, - "pascalCase": { - "unsafeName": "GeoTypeEngagementZone", - "safeName": "GeoTypeEngagementZone" - } - }, - "wireValue": "GEO_TYPE_ENGAGEMENT_ZONE" - }, - "availability": null, - "docs": "Engagement zones allow for engaging an entity if it comes within the zone of another entity." - }, - { - "name": { - "name": { - "originalName": "GEO_TYPE_CONTROL_AREA", - "camelCase": { - "unsafeName": "geoTypeControlArea", - "safeName": "geoTypeControlArea" - }, - "snakeCase": { - "unsafeName": "geo_type_control_area", - "safeName": "geo_type_control_area" - }, - "screamingSnakeCase": { - "unsafeName": "GEO_TYPE_CONTROL_AREA", - "safeName": "GEO_TYPE_CONTROL_AREA" - }, - "pascalCase": { - "unsafeName": "GeoTypeControlArea", - "safeName": "GeoTypeControlArea" - } - }, - "wireValue": "GEO_TYPE_CONTROL_AREA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "GEO_TYPE_BULLSEYE", - "camelCase": { - "unsafeName": "geoTypeBullseye", - "safeName": "geoTypeBullseye" - }, - "snakeCase": { - "unsafeName": "geo_type_bullseye", - "safeName": "geo_type_bullseye" - }, - "screamingSnakeCase": { - "unsafeName": "GEO_TYPE_BULLSEYE", - "safeName": "GEO_TYPE_BULLSEYE" - }, - "pascalCase": { - "unsafeName": "GeoTypeBullseye", - "safeName": "GeoTypeBullseye" - } - }, - "wireValue": "GEO_TYPE_BULLSEYE" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The type of geo entity." - }, - "anduril.entitymanager.v1.GeoDetails": { - "name": { - "typeId": "anduril.entitymanager.v1.GeoDetails", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoDetails", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoDetails", - "safeName": "andurilEntitymanagerV1GeoDetails" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_details", - "safeName": "anduril_entitymanager_v_1_geo_details" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_DETAILS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_DETAILS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoDetails", - "safeName": "AndurilEntitymanagerV1GeoDetails" - } - }, - "displayName": "GeoDetails" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "type", - "camelCase": { - "unsafeName": "type", - "safeName": "type" - }, - "snakeCase": { - "unsafeName": "type", - "safeName": "type" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE", - "safeName": "TYPE" - }, - "pascalCase": { - "unsafeName": "Type", - "safeName": "Type" - } - }, - "wireValue": "type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoType", - "safeName": "andurilEntitymanagerV1GeoType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_type", - "safeName": "anduril_entitymanager_v_1_geo_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoType", - "safeName": "AndurilEntitymanagerV1GeoType" - } - }, - "typeId": "anduril.entitymanager.v1.GeoType", - "default": null, - "inline": false, - "displayName": "type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A component that describes a geo-entity." - }, - "anduril.entitymanager.v1.GeoShapeShape": { - "name": { - "typeId": "anduril.entitymanager.v1.GeoShapeShape", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoShapeShape", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoShapeShape", - "safeName": "andurilEntitymanagerV1GeoShapeShape" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_shape_shape", - "safeName": "anduril_entitymanager_v_1_geo_shape_shape" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE_SHAPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE_SHAPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoShapeShape", - "safeName": "AndurilEntitymanagerV1GeoShapeShape" - } - }, - "displayName": "GeoShapeShape" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoPoint", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoPoint", - "safeName": "andurilEntitymanagerV1GeoPoint" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_point", - "safeName": "anduril_entitymanager_v_1_geo_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POINT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoPoint", - "safeName": "AndurilEntitymanagerV1GeoPoint" - } - }, - "typeId": "anduril.entitymanager.v1.GeoPoint", - "default": null, - "inline": false, - "displayName": "point" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoLine", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoLine", - "safeName": "andurilEntitymanagerV1GeoLine" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_line", - "safeName": "anduril_entitymanager_v_1_geo_line" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_LINE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_LINE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoLine", - "safeName": "AndurilEntitymanagerV1GeoLine" - } - }, - "typeId": "anduril.entitymanager.v1.GeoLine", - "default": null, - "inline": false, - "displayName": "line" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoPolygon", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoPolygon", - "safeName": "andurilEntitymanagerV1GeoPolygon" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_polygon", - "safeName": "anduril_entitymanager_v_1_geo_polygon" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoPolygon", - "safeName": "AndurilEntitymanagerV1GeoPolygon" - } - }, - "typeId": "anduril.entitymanager.v1.GeoPolygon", - "default": null, - "inline": false, - "displayName": "polygon" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoEllipse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoEllipse", - "safeName": "andurilEntitymanagerV1GeoEllipse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_ellipse", - "safeName": "anduril_entitymanager_v_1_geo_ellipse" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoEllipse", - "safeName": "AndurilEntitymanagerV1GeoEllipse" - } - }, - "typeId": "anduril.entitymanager.v1.GeoEllipse", - "default": null, - "inline": false, - "displayName": "ellipse" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoEllipsoid", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoEllipsoid", - "safeName": "andurilEntitymanagerV1GeoEllipsoid" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_ellipsoid", - "safeName": "anduril_entitymanager_v_1_geo_ellipsoid" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSOID", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSOID" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoEllipsoid", - "safeName": "AndurilEntitymanagerV1GeoEllipsoid" - } - }, - "typeId": "anduril.entitymanager.v1.GeoEllipsoid", - "default": null, - "inline": false, - "displayName": "ellipsoid" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.GeoShape": { - "name": { - "typeId": "anduril.entitymanager.v1.GeoShape", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoShape", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoShape", - "safeName": "andurilEntitymanagerV1GeoShape" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_shape", - "safeName": "anduril_entitymanager_v_1_geo_shape" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoShape", - "safeName": "AndurilEntitymanagerV1GeoShape" - } - }, - "displayName": "GeoShape" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "shape", - "camelCase": { - "unsafeName": "shape", - "safeName": "shape" - }, - "snakeCase": { - "unsafeName": "shape", - "safeName": "shape" - }, - "screamingSnakeCase": { - "unsafeName": "SHAPE", - "safeName": "SHAPE" - }, - "pascalCase": { - "unsafeName": "Shape", - "safeName": "Shape" - } - }, - "wireValue": "shape" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoShapeShape", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoShapeShape", - "safeName": "andurilEntitymanagerV1GeoShapeShape" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_shape_shape", - "safeName": "anduril_entitymanager_v_1_geo_shape_shape" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE_SHAPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE_SHAPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoShapeShape", - "safeName": "AndurilEntitymanagerV1GeoShapeShape" - } - }, - "typeId": "anduril.entitymanager.v1.GeoShapeShape", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A component that describes the shape of a geo-entity." - }, - "anduril.entitymanager.v1.GeoPoint": { - "name": { - "typeId": "anduril.entitymanager.v1.GeoPoint", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoPoint", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoPoint", - "safeName": "andurilEntitymanagerV1GeoPoint" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_point", - "safeName": "anduril_entitymanager_v_1_geo_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POINT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoPoint", - "safeName": "AndurilEntitymanagerV1GeoPoint" - } - }, - "displayName": "GeoPoint" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "position", - "camelCase": { - "unsafeName": "position", - "safeName": "position" - }, - "snakeCase": { - "unsafeName": "position", - "safeName": "position" - }, - "screamingSnakeCase": { - "unsafeName": "POSITION", - "safeName": "POSITION" - }, - "pascalCase": { - "unsafeName": "Position", - "safeName": "Position" - } - }, - "wireValue": "position" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "position" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A point shaped geo-entity.\\n See https://datatracker.ietf.org/doc/html/rfc7946#section-3.1.2" - }, - "anduril.entitymanager.v1.GeoLine": { - "name": { - "typeId": "anduril.entitymanager.v1.GeoLine", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoLine", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoLine", - "safeName": "andurilEntitymanagerV1GeoLine" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_line", - "safeName": "anduril_entitymanager_v_1_geo_line" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_LINE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_LINE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoLine", - "safeName": "AndurilEntitymanagerV1GeoLine" - } - }, - "displayName": "GeoLine" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "positions", - "camelCase": { - "unsafeName": "positions", - "safeName": "positions" - }, - "snakeCase": { - "unsafeName": "positions", - "safeName": "positions" - }, - "screamingSnakeCase": { - "unsafeName": "POSITIONS", - "safeName": "POSITIONS" - }, - "pascalCase": { - "unsafeName": "Positions", - "safeName": "Positions" - } - }, - "wireValue": "positions" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "positions" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A line shaped geo-entity.\\n See https://datatracker.ietf.org/doc/html/rfc7946#section-3.1.4" - }, - "anduril.entitymanager.v1.GeoPolygon": { - "name": { - "typeId": "anduril.entitymanager.v1.GeoPolygon", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoPolygon", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoPolygon", - "safeName": "andurilEntitymanagerV1GeoPolygon" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_polygon", - "safeName": "anduril_entitymanager_v_1_geo_polygon" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoPolygon", - "safeName": "AndurilEntitymanagerV1GeoPolygon" - } - }, - "displayName": "GeoPolygon" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "rings", - "camelCase": { - "unsafeName": "rings", - "safeName": "rings" - }, - "snakeCase": { - "unsafeName": "rings", - "safeName": "rings" - }, - "screamingSnakeCase": { - "unsafeName": "RINGS", - "safeName": "RINGS" - }, - "pascalCase": { - "unsafeName": "Rings", - "safeName": "Rings" - } - }, - "wireValue": "rings" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.LinearRing", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1LinearRing", - "safeName": "andurilEntitymanagerV1LinearRing" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_linear_ring", - "safeName": "anduril_entitymanager_v_1_linear_ring" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINEAR_RING", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINEAR_RING" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1LinearRing", - "safeName": "AndurilEntitymanagerV1LinearRing" - } - }, - "typeId": "anduril.entitymanager.v1.LinearRing", - "default": null, - "inline": false, - "displayName": "rings" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "An array of LinearRings where the first item is the exterior ring and subsequent items are interior rings." - }, - { - "name": { - "name": { - "originalName": "is_rectangle", - "camelCase": { - "unsafeName": "isRectangle", - "safeName": "isRectangle" - }, - "snakeCase": { - "unsafeName": "is_rectangle", - "safeName": "is_rectangle" - }, - "screamingSnakeCase": { - "unsafeName": "IS_RECTANGLE", - "safeName": "IS_RECTANGLE" - }, - "pascalCase": { - "unsafeName": "IsRectangle", - "safeName": "IsRectangle" - } - }, - "wireValue": "is_rectangle" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "An extension hint that this polygon is a rectangle. When true this implies several things:\\n * exactly 1 linear ring with 5 points (starting corner, 3 other corners and start again)\\n * each point has the same altitude corresponding with the plane of the rectangle\\n * each point has the same height (either all present and equal, or all not present)" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A polygon shaped geo-entity.\\n See https://datatracker.ietf.org/doc/html/rfc7946#section-3.1.6, only canonical representations accepted" - }, - "anduril.entitymanager.v1.GeoEllipse": { - "name": { - "typeId": "anduril.entitymanager.v1.GeoEllipse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoEllipse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoEllipse", - "safeName": "andurilEntitymanagerV1GeoEllipse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_ellipse", - "safeName": "anduril_entitymanager_v_1_geo_ellipse" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoEllipse", - "safeName": "AndurilEntitymanagerV1GeoEllipse" - } - }, - "displayName": "GeoEllipse" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "semi_major_axis_m", - "camelCase": { - "unsafeName": "semiMajorAxisM", - "safeName": "semiMajorAxisM" - }, - "snakeCase": { - "unsafeName": "semi_major_axis_m", - "safeName": "semi_major_axis_m" - }, - "screamingSnakeCase": { - "unsafeName": "SEMI_MAJOR_AXIS_M", - "safeName": "SEMI_MAJOR_AXIS_M" - }, - "pascalCase": { - "unsafeName": "SemiMajorAxisM", - "safeName": "SemiMajorAxisM" - } - }, - "wireValue": "semi_major_axis_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "semi_major_axis_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Defines the distance from the center point of the ellipse to the furthest distance on the perimeter in meters." - }, - { - "name": { - "name": { - "originalName": "semi_minor_axis_m", - "camelCase": { - "unsafeName": "semiMinorAxisM", - "safeName": "semiMinorAxisM" - }, - "snakeCase": { - "unsafeName": "semi_minor_axis_m", - "safeName": "semi_minor_axis_m" - }, - "screamingSnakeCase": { - "unsafeName": "SEMI_MINOR_AXIS_M", - "safeName": "SEMI_MINOR_AXIS_M" - }, - "pascalCase": { - "unsafeName": "SemiMinorAxisM", - "safeName": "SemiMinorAxisM" - } - }, - "wireValue": "semi_minor_axis_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "semi_minor_axis_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Defines the distance from the center point of the ellipse to the shortest distance on the perimeter in meters." - }, - { - "name": { - "name": { - "originalName": "orientation_d", - "camelCase": { - "unsafeName": "orientationD", - "safeName": "orientationD" - }, - "snakeCase": { - "unsafeName": "orientation_d", - "safeName": "orientation_d" - }, - "screamingSnakeCase": { - "unsafeName": "ORIENTATION_D", - "safeName": "ORIENTATION_D" - }, - "pascalCase": { - "unsafeName": "OrientationD", - "safeName": "OrientationD" - } - }, - "wireValue": "orientation_d" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "orientation_d" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The orientation of the semi-major relative to true north in degrees from clockwise: 0-180 due to symmetry across the semi-minor axis." - }, - { - "name": { - "name": { - "originalName": "height_m", - "camelCase": { - "unsafeName": "heightM", - "safeName": "heightM" - }, - "snakeCase": { - "unsafeName": "height_m", - "safeName": "height_m" - }, - "screamingSnakeCase": { - "unsafeName": "HEIGHT_M", - "safeName": "HEIGHT_M" - }, - "pascalCase": { - "unsafeName": "HeightM", - "safeName": "HeightM" - } - }, - "wireValue": "height_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "height_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional height above entity position to extrude in meters. A non-zero value creates an elliptic cylinder" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "An ellipse shaped geo-entity.\\n For a circle, the major and minor axis would be the same values.\\n This shape is NOT Geo-JSON compatible." - }, - "anduril.entitymanager.v1.GeoEllipsoid": { - "name": { - "typeId": "anduril.entitymanager.v1.GeoEllipsoid", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoEllipsoid", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoEllipsoid", - "safeName": "andurilEntitymanagerV1GeoEllipsoid" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_ellipsoid", - "safeName": "anduril_entitymanager_v_1_geo_ellipsoid" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSOID", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSOID" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoEllipsoid", - "safeName": "AndurilEntitymanagerV1GeoEllipsoid" - } - }, - "displayName": "GeoEllipsoid" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "forward_axis_m", - "camelCase": { - "unsafeName": "forwardAxisM", - "safeName": "forwardAxisM" - }, - "snakeCase": { - "unsafeName": "forward_axis_m", - "safeName": "forward_axis_m" - }, - "screamingSnakeCase": { - "unsafeName": "FORWARD_AXIS_M", - "safeName": "FORWARD_AXIS_M" - }, - "pascalCase": { - "unsafeName": "ForwardAxisM", - "safeName": "ForwardAxisM" - } - }, - "wireValue": "forward_axis_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "forward_axis_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Defines the distance from the center point to the surface along the forward axis" - }, - { - "name": { - "name": { - "originalName": "side_axis_m", - "camelCase": { - "unsafeName": "sideAxisM", - "safeName": "sideAxisM" - }, - "snakeCase": { - "unsafeName": "side_axis_m", - "safeName": "side_axis_m" - }, - "screamingSnakeCase": { - "unsafeName": "SIDE_AXIS_M", - "safeName": "SIDE_AXIS_M" - }, - "pascalCase": { - "unsafeName": "SideAxisM", - "safeName": "SideAxisM" - } - }, - "wireValue": "side_axis_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "side_axis_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Defines the distance from the center point to the surface along the side axis" - }, - { - "name": { - "name": { - "originalName": "up_axis_m", - "camelCase": { - "unsafeName": "upAxisM", - "safeName": "upAxisM" - }, - "snakeCase": { - "unsafeName": "up_axis_m", - "safeName": "up_axis_m" - }, - "screamingSnakeCase": { - "unsafeName": "UP_AXIS_M", - "safeName": "UP_AXIS_M" - }, - "pascalCase": { - "unsafeName": "UpAxisM", - "safeName": "UpAxisM" - } - }, - "wireValue": "up_axis_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "up_axis_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Defines the distance from the center point to the surface along the up axis" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "An ellipsoid shaped geo-entity.\\n Principal axis lengths are defined in entity body space\\n This shape is NOT Geo-JSON compatible." - }, - "anduril.entitymanager.v1.LinearRing": { - "name": { - "typeId": "anduril.entitymanager.v1.LinearRing", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.LinearRing", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1LinearRing", - "safeName": "andurilEntitymanagerV1LinearRing" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_linear_ring", - "safeName": "anduril_entitymanager_v_1_linear_ring" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINEAR_RING", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINEAR_RING" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1LinearRing", - "safeName": "AndurilEntitymanagerV1LinearRing" - } - }, - "displayName": "LinearRing" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "positions", - "camelCase": { - "unsafeName": "positions", - "safeName": "positions" - }, - "snakeCase": { - "unsafeName": "positions", - "safeName": "positions" - }, - "screamingSnakeCase": { - "unsafeName": "POSITIONS", - "safeName": "POSITIONS" - }, - "pascalCase": { - "unsafeName": "Positions", - "safeName": "Positions" - } - }, - "wireValue": "positions" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoPolygonPosition", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoPolygonPosition", - "safeName": "andurilEntitymanagerV1GeoPolygonPosition" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_polygon_position", - "safeName": "anduril_entitymanager_v_1_geo_polygon_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoPolygonPosition", - "safeName": "AndurilEntitymanagerV1GeoPolygonPosition" - } - }, - "typeId": "anduril.entitymanager.v1.GeoPolygonPosition", - "default": null, - "inline": false, - "displayName": "positions" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A closed ring of points. The first and last point must be the same." - }, - "anduril.entitymanager.v1.GeoPolygonPosition": { - "name": { - "typeId": "anduril.entitymanager.v1.GeoPolygonPosition", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoPolygonPosition", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoPolygonPosition", - "safeName": "andurilEntitymanagerV1GeoPolygonPosition" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_polygon_position", - "safeName": "anduril_entitymanager_v_1_geo_polygon_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoPolygonPosition", - "safeName": "AndurilEntitymanagerV1GeoPolygonPosition" - } - }, - "displayName": "GeoPolygonPosition" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "position", - "camelCase": { - "unsafeName": "position", - "safeName": "position" - }, - "snakeCase": { - "unsafeName": "position", - "safeName": "position" - }, - "screamingSnakeCase": { - "unsafeName": "POSITION", - "safeName": "POSITION" - }, - "pascalCase": { - "unsafeName": "Position", - "safeName": "Position" - } - }, - "wireValue": "position" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "position" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "base position. if no altitude set, its on the ground." - }, - { - "name": { - "name": { - "originalName": "height_m", - "camelCase": { - "unsafeName": "heightM", - "safeName": "heightM" - }, - "snakeCase": { - "unsafeName": "height_m", - "safeName": "height_m" - }, - "screamingSnakeCase": { - "unsafeName": "HEIGHT_M", - "safeName": "HEIGHT_M" - }, - "pascalCase": { - "unsafeName": "HeightM", - "safeName": "HeightM" - } - }, - "wireValue": "height_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FloatValue", - "camelCase": { - "unsafeName": "googleProtobufFloatValue", - "safeName": "googleProtobufFloatValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_float_value", - "safeName": "google_protobuf_float_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", - "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFloatValue", - "safeName": "GoogleProtobufFloatValue" - } - }, - "typeId": "google.protobuf.FloatValue", - "default": null, - "inline": false, - "displayName": "height_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "optional height above base position to extrude in meters.\\n for a given polygon, all points should have a height or none of them.\\n strictly GeoJSON compatible polygons will not have this set." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A position in a GeoPolygon with an optional extruded height." - }, - "anduril.entitymanager.v1.ArmyEchelon": { - "name": { - "typeId": "anduril.entitymanager.v1.ArmyEchelon", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ArmyEchelon", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ArmyEchelon", - "safeName": "andurilEntitymanagerV1ArmyEchelon" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_army_echelon", - "safeName": "anduril_entitymanager_v_1_army_echelon" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ARMY_ECHELON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ARMY_ECHELON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ArmyEchelon", - "safeName": "AndurilEntitymanagerV1ArmyEchelon" - } - }, - "displayName": "ArmyEchelon" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_INVALID", - "camelCase": { - "unsafeName": "armyEchelonInvalid", - "safeName": "armyEchelonInvalid" - }, - "snakeCase": { - "unsafeName": "army_echelon_invalid", - "safeName": "army_echelon_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_INVALID", - "safeName": "ARMY_ECHELON_INVALID" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonInvalid", - "safeName": "ArmyEchelonInvalid" - } - }, - "wireValue": "ARMY_ECHELON_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_FIRE_TEAM", - "camelCase": { - "unsafeName": "armyEchelonFireTeam", - "safeName": "armyEchelonFireTeam" - }, - "snakeCase": { - "unsafeName": "army_echelon_fire_team", - "safeName": "army_echelon_fire_team" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_FIRE_TEAM", - "safeName": "ARMY_ECHELON_FIRE_TEAM" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonFireTeam", - "safeName": "ArmyEchelonFireTeam" - } - }, - "wireValue": "ARMY_ECHELON_FIRE_TEAM" - }, - "availability": null, - "docs": "Smallest unit group, e.g., a few soldiers" - }, - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_SQUAD", - "camelCase": { - "unsafeName": "armyEchelonSquad", - "safeName": "armyEchelonSquad" - }, - "snakeCase": { - "unsafeName": "army_echelon_squad", - "safeName": "army_echelon_squad" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_SQUAD", - "safeName": "ARMY_ECHELON_SQUAD" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonSquad", - "safeName": "ArmyEchelonSquad" - } - }, - "wireValue": "ARMY_ECHELON_SQUAD" - }, - "availability": null, - "docs": "E.g., a group of fire teams" - }, - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_PLATOON", - "camelCase": { - "unsafeName": "armyEchelonPlatoon", - "safeName": "armyEchelonPlatoon" - }, - "snakeCase": { - "unsafeName": "army_echelon_platoon", - "safeName": "army_echelon_platoon" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_PLATOON", - "safeName": "ARMY_ECHELON_PLATOON" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonPlatoon", - "safeName": "ArmyEchelonPlatoon" - } - }, - "wireValue": "ARMY_ECHELON_PLATOON" - }, - "availability": null, - "docs": "E.g., several squads" - }, - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_COMPANY", - "camelCase": { - "unsafeName": "armyEchelonCompany", - "safeName": "armyEchelonCompany" - }, - "snakeCase": { - "unsafeName": "army_echelon_company", - "safeName": "army_echelon_company" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_COMPANY", - "safeName": "ARMY_ECHELON_COMPANY" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonCompany", - "safeName": "ArmyEchelonCompany" - } - }, - "wireValue": "ARMY_ECHELON_COMPANY" - }, - "availability": null, - "docs": "E.g., several platoons" - }, - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_BATTALION", - "camelCase": { - "unsafeName": "armyEchelonBattalion", - "safeName": "armyEchelonBattalion" - }, - "snakeCase": { - "unsafeName": "army_echelon_battalion", - "safeName": "army_echelon_battalion" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_BATTALION", - "safeName": "ARMY_ECHELON_BATTALION" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonBattalion", - "safeName": "ArmyEchelonBattalion" - } - }, - "wireValue": "ARMY_ECHELON_BATTALION" - }, - "availability": null, - "docs": "E.g., several companies" - }, - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_REGIMENT", - "camelCase": { - "unsafeName": "armyEchelonRegiment", - "safeName": "armyEchelonRegiment" - }, - "snakeCase": { - "unsafeName": "army_echelon_regiment", - "safeName": "army_echelon_regiment" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_REGIMENT", - "safeName": "ARMY_ECHELON_REGIMENT" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonRegiment", - "safeName": "ArmyEchelonRegiment" - } - }, - "wireValue": "ARMY_ECHELON_REGIMENT" - }, - "availability": null, - "docs": "E.g., several battalions" - }, - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_BRIGADE", - "camelCase": { - "unsafeName": "armyEchelonBrigade", - "safeName": "armyEchelonBrigade" - }, - "snakeCase": { - "unsafeName": "army_echelon_brigade", - "safeName": "army_echelon_brigade" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_BRIGADE", - "safeName": "ARMY_ECHELON_BRIGADE" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonBrigade", - "safeName": "ArmyEchelonBrigade" - } - }, - "wireValue": "ARMY_ECHELON_BRIGADE" - }, - "availability": null, - "docs": "E.g., several regiments or battalions" - }, - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_DIVISION", - "camelCase": { - "unsafeName": "armyEchelonDivision", - "safeName": "armyEchelonDivision" - }, - "snakeCase": { - "unsafeName": "army_echelon_division", - "safeName": "army_echelon_division" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_DIVISION", - "safeName": "ARMY_ECHELON_DIVISION" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonDivision", - "safeName": "ArmyEchelonDivision" - } - }, - "wireValue": "ARMY_ECHELON_DIVISION" - }, - "availability": null, - "docs": "E.g., several brigades" - }, - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_CORPS", - "camelCase": { - "unsafeName": "armyEchelonCorps", - "safeName": "armyEchelonCorps" - }, - "snakeCase": { - "unsafeName": "army_echelon_corps", - "safeName": "army_echelon_corps" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_CORPS", - "safeName": "ARMY_ECHELON_CORPS" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonCorps", - "safeName": "ArmyEchelonCorps" - } - }, - "wireValue": "ARMY_ECHELON_CORPS" - }, - "availability": null, - "docs": "E.g., several divisions" - }, - { - "name": { - "name": { - "originalName": "ARMY_ECHELON_ARMY", - "camelCase": { - "unsafeName": "armyEchelonArmy", - "safeName": "armyEchelonArmy" - }, - "snakeCase": { - "unsafeName": "army_echelon_army", - "safeName": "army_echelon_army" - }, - "screamingSnakeCase": { - "unsafeName": "ARMY_ECHELON_ARMY", - "safeName": "ARMY_ECHELON_ARMY" - }, - "pascalCase": { - "unsafeName": "ArmyEchelonArmy", - "safeName": "ArmyEchelonArmy" - } - }, - "wireValue": "ARMY_ECHELON_ARMY" - }, - "availability": null, - "docs": "E.g., several corps" - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Military units defined by the Army." - }, - "anduril.entitymanager.v1.GroupDetailsGroup_type": { - "name": { - "typeId": "anduril.entitymanager.v1.GroupDetailsGroup_type", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GroupDetailsGroup_type", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GroupDetailsGroupType", - "safeName": "andurilEntitymanagerV1GroupDetailsGroupType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_group_details_group_type", - "safeName": "anduril_entitymanager_v_1_group_details_group_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS_GROUP_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS_GROUP_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GroupDetailsGroupType", - "safeName": "AndurilEntitymanagerV1GroupDetailsGroupType" - } - }, - "displayName": "GroupDetailsGroup_type" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Team", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Team", - "safeName": "andurilEntitymanagerV1Team" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_team", - "safeName": "anduril_entitymanager_v_1_team" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TEAM", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TEAM" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Team", - "safeName": "AndurilEntitymanagerV1Team" - } - }, - "typeId": "anduril.entitymanager.v1.Team", - "default": null, - "inline": false, - "displayName": "team" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Echelon", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Echelon", - "safeName": "andurilEntitymanagerV1Echelon" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_echelon", - "safeName": "anduril_entitymanager_v_1_echelon" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Echelon", - "safeName": "AndurilEntitymanagerV1Echelon" - } - }, - "typeId": "anduril.entitymanager.v1.Echelon", - "default": null, - "inline": false, - "displayName": "echelon" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.GroupDetails": { - "name": { - "typeId": "anduril.entitymanager.v1.GroupDetails", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GroupDetails", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GroupDetails", - "safeName": "andurilEntitymanagerV1GroupDetails" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_group_details", - "safeName": "anduril_entitymanager_v_1_group_details" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GroupDetails", - "safeName": "AndurilEntitymanagerV1GroupDetails" - } - }, - "displayName": "GroupDetails" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "group_type", - "camelCase": { - "unsafeName": "groupType", - "safeName": "groupType" - }, - "snakeCase": { - "unsafeName": "group_type", - "safeName": "group_type" - }, - "screamingSnakeCase": { - "unsafeName": "GROUP_TYPE", - "safeName": "GROUP_TYPE" - }, - "pascalCase": { - "unsafeName": "GroupType", - "safeName": "GroupType" - } - }, - "wireValue": "group_type" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GroupDetailsGroup_type", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GroupDetailsGroupType", - "safeName": "andurilEntitymanagerV1GroupDetailsGroupType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_group_details_group_type", - "safeName": "anduril_entitymanager_v_1_group_details_group_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS_GROUP_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS_GROUP_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GroupDetailsGroupType", - "safeName": "AndurilEntitymanagerV1GroupDetailsGroupType" - } - }, - "typeId": "anduril.entitymanager.v1.GroupDetailsGroup_type", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Details related to grouping for this entity" - }, - "anduril.entitymanager.v1.Team": { - "name": { - "typeId": "anduril.entitymanager.v1.Team", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Team", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Team", - "safeName": "andurilEntitymanagerV1Team" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_team", - "safeName": "anduril_entitymanager_v_1_team" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TEAM", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TEAM" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Team", - "safeName": "AndurilEntitymanagerV1Team" - } - }, - "displayName": "Team" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Describes a Team group type. Comprised of autonomous entities where an entity\\n in a Team can only be a part of a single Team at a time." - }, - "anduril.entitymanager.v1.EchelonEchelon_type": { - "name": { - "typeId": "anduril.entitymanager.v1.EchelonEchelon_type", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.EchelonEchelon_type", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1EchelonEchelonType", - "safeName": "andurilEntitymanagerV1EchelonEchelonType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_echelon_echelon_type", - "safeName": "anduril_entitymanager_v_1_echelon_echelon_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON_ECHELON_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON_ECHELON_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1EchelonEchelonType", - "safeName": "AndurilEntitymanagerV1EchelonEchelonType" - } - }, - "displayName": "EchelonEchelon_type" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ArmyEchelon", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ArmyEchelon", - "safeName": "andurilEntitymanagerV1ArmyEchelon" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_army_echelon", - "safeName": "anduril_entitymanager_v_1_army_echelon" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ARMY_ECHELON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ARMY_ECHELON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ArmyEchelon", - "safeName": "AndurilEntitymanagerV1ArmyEchelon" - } - }, - "typeId": "anduril.entitymanager.v1.ArmyEchelon", - "default": null, - "inline": false, - "displayName": "army_echelon" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Echelon": { - "name": { - "typeId": "anduril.entitymanager.v1.Echelon", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Echelon", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Echelon", - "safeName": "andurilEntitymanagerV1Echelon" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_echelon", - "safeName": "anduril_entitymanager_v_1_echelon" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Echelon", - "safeName": "AndurilEntitymanagerV1Echelon" - } - }, - "displayName": "Echelon" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "echelon_type", - "camelCase": { - "unsafeName": "echelonType", - "safeName": "echelonType" - }, - "snakeCase": { - "unsafeName": "echelon_type", - "safeName": "echelon_type" - }, - "screamingSnakeCase": { - "unsafeName": "ECHELON_TYPE", - "safeName": "ECHELON_TYPE" - }, - "pascalCase": { - "unsafeName": "EchelonType", - "safeName": "EchelonType" - } - }, - "wireValue": "echelon_type" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.EchelonEchelon_type", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1EchelonEchelonType", - "safeName": "andurilEntitymanagerV1EchelonEchelonType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_echelon_echelon_type", - "safeName": "anduril_entitymanager_v_1_echelon_echelon_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON_ECHELON_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON_ECHELON_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1EchelonEchelonType", - "safeName": "AndurilEntitymanagerV1EchelonEchelonType" - } - }, - "typeId": "anduril.entitymanager.v1.EchelonEchelon_type", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Describes a Echelon group type. Comprised of entities which are members of the\\n same unit or echelon. Ex: A group of tanks within a armored company or that same company\\n as a member of a battalion." - }, - "google.protobuf.Timestamp": { - "name": { - "typeId": "google.protobuf.Timestamp", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "displayName": "Timestamp" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "seconds", - "camelCase": { - "unsafeName": "seconds", - "safeName": "seconds" - }, - "snakeCase": { - "unsafeName": "seconds", - "safeName": "seconds" - }, - "screamingSnakeCase": { - "unsafeName": "SECONDS", - "safeName": "SECONDS" - }, - "pascalCase": { - "unsafeName": "Seconds", - "safeName": "Seconds" - } - }, - "wireValue": "seconds" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "LONG", - "v2": { - "type": "long", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "nanos", - "camelCase": { - "unsafeName": "nanos", - "safeName": "nanos" - }, - "snakeCase": { - "unsafeName": "nanos", - "safeName": "nanos" - }, - "screamingSnakeCase": { - "unsafeName": "NANOS", - "safeName": "NANOS" - }, - "pascalCase": { - "unsafeName": "Nanos", - "safeName": "Nanos" - } - }, - "wireValue": "nanos" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.ConnectionStatus": { - "name": { - "typeId": "anduril.entitymanager.v1.ConnectionStatus", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ConnectionStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ConnectionStatus", - "safeName": "andurilEntitymanagerV1ConnectionStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_connection_status", - "safeName": "anduril_entitymanager_v_1_connection_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CONNECTION_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CONNECTION_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ConnectionStatus", - "safeName": "AndurilEntitymanagerV1ConnectionStatus" - } - }, - "displayName": "ConnectionStatus" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "CONNECTION_STATUS_INVALID", - "camelCase": { - "unsafeName": "connectionStatusInvalid", - "safeName": "connectionStatusInvalid" - }, - "snakeCase": { - "unsafeName": "connection_status_invalid", - "safeName": "connection_status_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "CONNECTION_STATUS_INVALID", - "safeName": "CONNECTION_STATUS_INVALID" - }, - "pascalCase": { - "unsafeName": "ConnectionStatusInvalid", - "safeName": "ConnectionStatusInvalid" - } - }, - "wireValue": "CONNECTION_STATUS_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CONNECTION_STATUS_ONLINE", - "camelCase": { - "unsafeName": "connectionStatusOnline", - "safeName": "connectionStatusOnline" - }, - "snakeCase": { - "unsafeName": "connection_status_online", - "safeName": "connection_status_online" - }, - "screamingSnakeCase": { - "unsafeName": "CONNECTION_STATUS_ONLINE", - "safeName": "CONNECTION_STATUS_ONLINE" - }, - "pascalCase": { - "unsafeName": "ConnectionStatusOnline", - "safeName": "ConnectionStatusOnline" - } - }, - "wireValue": "CONNECTION_STATUS_ONLINE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CONNECTION_STATUS_OFFLINE", - "camelCase": { - "unsafeName": "connectionStatusOffline", - "safeName": "connectionStatusOffline" - }, - "snakeCase": { - "unsafeName": "connection_status_offline", - "safeName": "connection_status_offline" - }, - "screamingSnakeCase": { - "unsafeName": "CONNECTION_STATUS_OFFLINE", - "safeName": "CONNECTION_STATUS_OFFLINE" - }, - "pascalCase": { - "unsafeName": "ConnectionStatusOffline", - "safeName": "ConnectionStatusOffline" - } - }, - "wireValue": "CONNECTION_STATUS_OFFLINE" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Enumeration of possible connection states." - }, - "anduril.entitymanager.v1.HealthStatus": { - "name": { - "typeId": "anduril.entitymanager.v1.HealthStatus", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.HealthStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1HealthStatus", - "safeName": "andurilEntitymanagerV1HealthStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_health_status", - "safeName": "anduril_entitymanager_v_1_health_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1HealthStatus", - "safeName": "AndurilEntitymanagerV1HealthStatus" - } - }, - "displayName": "HealthStatus" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "HEALTH_STATUS_INVALID", - "camelCase": { - "unsafeName": "healthStatusInvalid", - "safeName": "healthStatusInvalid" - }, - "snakeCase": { - "unsafeName": "health_status_invalid", - "safeName": "health_status_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "HEALTH_STATUS_INVALID", - "safeName": "HEALTH_STATUS_INVALID" - }, - "pascalCase": { - "unsafeName": "HealthStatusInvalid", - "safeName": "HealthStatusInvalid" - } - }, - "wireValue": "HEALTH_STATUS_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "HEALTH_STATUS_HEALTHY", - "camelCase": { - "unsafeName": "healthStatusHealthy", - "safeName": "healthStatusHealthy" - }, - "snakeCase": { - "unsafeName": "health_status_healthy", - "safeName": "health_status_healthy" - }, - "screamingSnakeCase": { - "unsafeName": "HEALTH_STATUS_HEALTHY", - "safeName": "HEALTH_STATUS_HEALTHY" - }, - "pascalCase": { - "unsafeName": "HealthStatusHealthy", - "safeName": "HealthStatusHealthy" - } - }, - "wireValue": "HEALTH_STATUS_HEALTHY" - }, - "availability": null, - "docs": "Indicates that the component is operating as intended." - }, - { - "name": { - "name": { - "originalName": "HEALTH_STATUS_WARN", - "camelCase": { - "unsafeName": "healthStatusWarn", - "safeName": "healthStatusWarn" - }, - "snakeCase": { - "unsafeName": "health_status_warn", - "safeName": "health_status_warn" - }, - "screamingSnakeCase": { - "unsafeName": "HEALTH_STATUS_WARN", - "safeName": "HEALTH_STATUS_WARN" - }, - "pascalCase": { - "unsafeName": "HealthStatusWarn", - "safeName": "HealthStatusWarn" - } - }, - "wireValue": "HEALTH_STATUS_WARN" - }, - "availability": null, - "docs": "Indicates that the component is at risk of transitioning into a HEALTH_STATUS_FAIL\\n state or that the component is operating in a degraded state." - }, - { - "name": { - "name": { - "originalName": "HEALTH_STATUS_FAIL", - "camelCase": { - "unsafeName": "healthStatusFail", - "safeName": "healthStatusFail" - }, - "snakeCase": { - "unsafeName": "health_status_fail", - "safeName": "health_status_fail" - }, - "screamingSnakeCase": { - "unsafeName": "HEALTH_STATUS_FAIL", - "safeName": "HEALTH_STATUS_FAIL" - }, - "pascalCase": { - "unsafeName": "HealthStatusFail", - "safeName": "HealthStatusFail" - } - }, - "wireValue": "HEALTH_STATUS_FAIL" - }, - "availability": null, - "docs": "Indicates that the component is not functioning as intended." - }, - { - "name": { - "name": { - "originalName": "HEALTH_STATUS_OFFLINE", - "camelCase": { - "unsafeName": "healthStatusOffline", - "safeName": "healthStatusOffline" - }, - "snakeCase": { - "unsafeName": "health_status_offline", - "safeName": "health_status_offline" - }, - "screamingSnakeCase": { - "unsafeName": "HEALTH_STATUS_OFFLINE", - "safeName": "HEALTH_STATUS_OFFLINE" - }, - "pascalCase": { - "unsafeName": "HealthStatusOffline", - "safeName": "HealthStatusOffline" - } - }, - "wireValue": "HEALTH_STATUS_OFFLINE" - }, - "availability": null, - "docs": "Indicates that the component is offline." - }, - { - "name": { - "name": { - "originalName": "HEALTH_STATUS_NOT_READY", - "camelCase": { - "unsafeName": "healthStatusNotReady", - "safeName": "healthStatusNotReady" - }, - "snakeCase": { - "unsafeName": "health_status_not_ready", - "safeName": "health_status_not_ready" - }, - "screamingSnakeCase": { - "unsafeName": "HEALTH_STATUS_NOT_READY", - "safeName": "HEALTH_STATUS_NOT_READY" - }, - "pascalCase": { - "unsafeName": "HealthStatusNotReady", - "safeName": "HealthStatusNotReady" - } - }, - "wireValue": "HEALTH_STATUS_NOT_READY" - }, - "availability": null, - "docs": "Indicates that the component is not yet functioning, but it is transitioning into a\\n HEALTH_STATUS_HEALTHY state. A component should only report this state temporarily." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Enumeration of possible health states." - }, - "anduril.entitymanager.v1.AlertLevel": { - "name": { - "typeId": "anduril.entitymanager.v1.AlertLevel", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AlertLevel", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AlertLevel", - "safeName": "andurilEntitymanagerV1AlertLevel" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_alert_level", - "safeName": "anduril_entitymanager_v_1_alert_level" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_LEVEL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_LEVEL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AlertLevel", - "safeName": "AndurilEntitymanagerV1AlertLevel" - } - }, - "displayName": "AlertLevel" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "ALERT_LEVEL_INVALID", - "camelCase": { - "unsafeName": "alertLevelInvalid", - "safeName": "alertLevelInvalid" - }, - "snakeCase": { - "unsafeName": "alert_level_invalid", - "safeName": "alert_level_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "ALERT_LEVEL_INVALID", - "safeName": "ALERT_LEVEL_INVALID" - }, - "pascalCase": { - "unsafeName": "AlertLevelInvalid", - "safeName": "AlertLevelInvalid" - } - }, - "wireValue": "ALERT_LEVEL_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ALERT_LEVEL_ADVISORY", - "camelCase": { - "unsafeName": "alertLevelAdvisory", - "safeName": "alertLevelAdvisory" - }, - "snakeCase": { - "unsafeName": "alert_level_advisory", - "safeName": "alert_level_advisory" - }, - "screamingSnakeCase": { - "unsafeName": "ALERT_LEVEL_ADVISORY", - "safeName": "ALERT_LEVEL_ADVISORY" - }, - "pascalCase": { - "unsafeName": "AlertLevelAdvisory", - "safeName": "AlertLevelAdvisory" - } - }, - "wireValue": "ALERT_LEVEL_ADVISORY" - }, - "availability": null, - "docs": "For conditions that require awareness and may require subsequent response." - }, - { - "name": { - "name": { - "originalName": "ALERT_LEVEL_CAUTION", - "camelCase": { - "unsafeName": "alertLevelCaution", - "safeName": "alertLevelCaution" - }, - "snakeCase": { - "unsafeName": "alert_level_caution", - "safeName": "alert_level_caution" - }, - "screamingSnakeCase": { - "unsafeName": "ALERT_LEVEL_CAUTION", - "safeName": "ALERT_LEVEL_CAUTION" - }, - "pascalCase": { - "unsafeName": "AlertLevelCaution", - "safeName": "AlertLevelCaution" - } - }, - "wireValue": "ALERT_LEVEL_CAUTION" - }, - "availability": null, - "docs": "For conditions that require immediate awareness and subsequent response." - }, - { - "name": { - "name": { - "originalName": "ALERT_LEVEL_WARNING", - "camelCase": { - "unsafeName": "alertLevelWarning", - "safeName": "alertLevelWarning" - }, - "snakeCase": { - "unsafeName": "alert_level_warning", - "safeName": "alert_level_warning" - }, - "screamingSnakeCase": { - "unsafeName": "ALERT_LEVEL_WARNING", - "safeName": "ALERT_LEVEL_WARNING" - }, - "pascalCase": { - "unsafeName": "AlertLevelWarning", - "safeName": "AlertLevelWarning" - } - }, - "wireValue": "ALERT_LEVEL_WARNING" - }, - "availability": null, - "docs": "For conditions that require immediate awareness and response." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Alerts are categorized into one of three levels - Warnings, Cautions, and Advisories (WCAs)." - }, - "anduril.entitymanager.v1.ComponentMessage": { - "name": { - "typeId": "anduril.entitymanager.v1.ComponentMessage", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ComponentMessage", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ComponentMessage", - "safeName": "andurilEntitymanagerV1ComponentMessage" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_component_message", - "safeName": "anduril_entitymanager_v_1_component_message" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_MESSAGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_MESSAGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ComponentMessage", - "safeName": "AndurilEntitymanagerV1ComponentMessage" - } - }, - "displayName": "ComponentMessage" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "status", - "camelCase": { - "unsafeName": "status", - "safeName": "status" - }, - "snakeCase": { - "unsafeName": "status", - "safeName": "status" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS", - "safeName": "STATUS" - }, - "pascalCase": { - "unsafeName": "Status", - "safeName": "Status" - } - }, - "wireValue": "status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.HealthStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1HealthStatus", - "safeName": "andurilEntitymanagerV1HealthStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_health_status", - "safeName": "anduril_entitymanager_v_1_health_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1HealthStatus", - "safeName": "AndurilEntitymanagerV1HealthStatus" - } - }, - "typeId": "anduril.entitymanager.v1.HealthStatus", - "default": null, - "inline": false, - "displayName": "status" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The status associated with this message." - }, - { - "name": { - "name": { - "originalName": "message", - "camelCase": { - "unsafeName": "message", - "safeName": "message" - }, - "snakeCase": { - "unsafeName": "message", - "safeName": "message" - }, - "screamingSnakeCase": { - "unsafeName": "MESSAGE", - "safeName": "MESSAGE" - }, - "pascalCase": { - "unsafeName": "Message", - "safeName": "Message" - } - }, - "wireValue": "message" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The human-readable content of the message." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A message describing the component's health status." - }, - "anduril.entitymanager.v1.ComponentHealth": { - "name": { - "typeId": "anduril.entitymanager.v1.ComponentHealth", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ComponentHealth", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ComponentHealth", - "safeName": "andurilEntitymanagerV1ComponentHealth" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_component_health", - "safeName": "anduril_entitymanager_v_1_component_health" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_HEALTH", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_HEALTH" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ComponentHealth", - "safeName": "AndurilEntitymanagerV1ComponentHealth" - } - }, - "displayName": "ComponentHealth" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "id", - "camelCase": { - "unsafeName": "id", - "safeName": "id" - }, - "snakeCase": { - "unsafeName": "id", - "safeName": "id" - }, - "screamingSnakeCase": { - "unsafeName": "ID", - "safeName": "ID" - }, - "pascalCase": { - "unsafeName": "Id", - "safeName": "Id" - } - }, - "wireValue": "id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Consistent internal ID for this component." - }, - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Display name for this component." - }, - { - "name": { - "name": { - "originalName": "health", - "camelCase": { - "unsafeName": "health", - "safeName": "health" - }, - "snakeCase": { - "unsafeName": "health", - "safeName": "health" - }, - "screamingSnakeCase": { - "unsafeName": "HEALTH", - "safeName": "HEALTH" - }, - "pascalCase": { - "unsafeName": "Health", - "safeName": "Health" - } - }, - "wireValue": "health" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.HealthStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1HealthStatus", - "safeName": "andurilEntitymanagerV1HealthStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_health_status", - "safeName": "anduril_entitymanager_v_1_health_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1HealthStatus", - "safeName": "AndurilEntitymanagerV1HealthStatus" - } - }, - "typeId": "anduril.entitymanager.v1.HealthStatus", - "default": null, - "inline": false, - "displayName": "health" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Health for this component." - }, - { - "name": { - "name": { - "originalName": "messages", - "camelCase": { - "unsafeName": "messages", - "safeName": "messages" - }, - "snakeCase": { - "unsafeName": "messages", - "safeName": "messages" - }, - "screamingSnakeCase": { - "unsafeName": "MESSAGES", - "safeName": "MESSAGES" - }, - "pascalCase": { - "unsafeName": "Messages", - "safeName": "Messages" - } - }, - "wireValue": "messages" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ComponentMessage", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ComponentMessage", - "safeName": "andurilEntitymanagerV1ComponentMessage" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_component_message", - "safeName": "anduril_entitymanager_v_1_component_message" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_MESSAGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_MESSAGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ComponentMessage", - "safeName": "AndurilEntitymanagerV1ComponentMessage" - } - }, - "typeId": "anduril.entitymanager.v1.ComponentMessage", - "default": null, - "inline": false, - "displayName": "messages" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Human-readable describing the component state. These messages should be understandable by end users." - }, - { - "name": { - "name": { - "originalName": "update_time", - "camelCase": { - "unsafeName": "updateTime", - "safeName": "updateTime" - }, - "snakeCase": { - "unsafeName": "update_time", - "safeName": "update_time" - }, - "screamingSnakeCase": { - "unsafeName": "UPDATE_TIME", - "safeName": "UPDATE_TIME" - }, - "pascalCase": { - "unsafeName": "UpdateTime", - "safeName": "UpdateTime" - } - }, - "wireValue": "update_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "update_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The last update time for this specific component.\\n If this timestamp is unset, the data is assumed to be most recent" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Health of an individual component." - }, - "anduril.entitymanager.v1.Health": { - "name": { - "typeId": "anduril.entitymanager.v1.Health", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Health", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Health", - "safeName": "andurilEntitymanagerV1Health" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_health", - "safeName": "anduril_entitymanager_v_1_health" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Health", - "safeName": "AndurilEntitymanagerV1Health" - } - }, - "displayName": "Health" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "connection_status", - "camelCase": { - "unsafeName": "connectionStatus", - "safeName": "connectionStatus" - }, - "snakeCase": { - "unsafeName": "connection_status", - "safeName": "connection_status" - }, - "screamingSnakeCase": { - "unsafeName": "CONNECTION_STATUS", - "safeName": "CONNECTION_STATUS" - }, - "pascalCase": { - "unsafeName": "ConnectionStatus", - "safeName": "ConnectionStatus" - } - }, - "wireValue": "connection_status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ConnectionStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ConnectionStatus", - "safeName": "andurilEntitymanagerV1ConnectionStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_connection_status", - "safeName": "anduril_entitymanager_v_1_connection_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CONNECTION_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CONNECTION_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ConnectionStatus", - "safeName": "AndurilEntitymanagerV1ConnectionStatus" - } - }, - "typeId": "anduril.entitymanager.v1.ConnectionStatus", - "default": null, - "inline": false, - "displayName": "connection_status" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Status indicating whether the entity is able to communicate with Entity Manager." - }, - { - "name": { - "name": { - "originalName": "health_status", - "camelCase": { - "unsafeName": "healthStatus", - "safeName": "healthStatus" - }, - "snakeCase": { - "unsafeName": "health_status", - "safeName": "health_status" - }, - "screamingSnakeCase": { - "unsafeName": "HEALTH_STATUS", - "safeName": "HEALTH_STATUS" - }, - "pascalCase": { - "unsafeName": "HealthStatus", - "safeName": "HealthStatus" - } - }, - "wireValue": "health_status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.HealthStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1HealthStatus", - "safeName": "andurilEntitymanagerV1HealthStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_health_status", - "safeName": "anduril_entitymanager_v_1_health_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1HealthStatus", - "safeName": "AndurilEntitymanagerV1HealthStatus" - } - }, - "typeId": "anduril.entitymanager.v1.HealthStatus", - "default": null, - "inline": false, - "displayName": "health_status" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Top-level health status; typically a roll-up of individual component healths." - }, - { - "name": { - "name": { - "originalName": "components", - "camelCase": { - "unsafeName": "components", - "safeName": "components" - }, - "snakeCase": { - "unsafeName": "components", - "safeName": "components" - }, - "screamingSnakeCase": { - "unsafeName": "COMPONENTS", - "safeName": "COMPONENTS" - }, - "pascalCase": { - "unsafeName": "Components", - "safeName": "Components" - } - }, - "wireValue": "components" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ComponentHealth", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ComponentHealth", - "safeName": "andurilEntitymanagerV1ComponentHealth" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_component_health", - "safeName": "anduril_entitymanager_v_1_component_health" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_HEALTH", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_HEALTH" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ComponentHealth", - "safeName": "AndurilEntitymanagerV1ComponentHealth" - } - }, - "typeId": "anduril.entitymanager.v1.ComponentHealth", - "default": null, - "inline": false, - "displayName": "components" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Health of individual components running on this Entity." - }, - { - "name": { - "name": { - "originalName": "update_time", - "camelCase": { - "unsafeName": "updateTime", - "safeName": "updateTime" - }, - "snakeCase": { - "unsafeName": "update_time", - "safeName": "update_time" - }, - "screamingSnakeCase": { - "unsafeName": "UPDATE_TIME", - "safeName": "UPDATE_TIME" - }, - "pascalCase": { - "unsafeName": "UpdateTime", - "safeName": "UpdateTime" - } - }, - "wireValue": "update_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "update_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The update time for the top-level health information.\\n If this timestamp is unset, the data is assumed to be most recent" - }, - { - "name": { - "name": { - "originalName": "active_alerts", - "camelCase": { - "unsafeName": "activeAlerts", - "safeName": "activeAlerts" - }, - "snakeCase": { - "unsafeName": "active_alerts", - "safeName": "active_alerts" - }, - "screamingSnakeCase": { - "unsafeName": "ACTIVE_ALERTS", - "safeName": "ACTIVE_ALERTS" - }, - "pascalCase": { - "unsafeName": "ActiveAlerts", - "safeName": "ActiveAlerts" - } - }, - "wireValue": "active_alerts" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Alert", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Alert", - "safeName": "andurilEntitymanagerV1Alert" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_alert", - "safeName": "anduril_entitymanager_v_1_alert" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Alert", - "safeName": "AndurilEntitymanagerV1Alert" - } - }, - "typeId": "anduril.entitymanager.v1.Alert", - "default": null, - "inline": false, - "displayName": "active_alerts" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Active alerts indicate a critical change in system state sent by the asset\\n that must be made known to an operator or consumer of the common operating picture.\\n Alerts are different from ComponentHealth messages--an active alert does not necessarily\\n indicate a component is in an unhealthy state. For example, an asset may trigger\\n an active alert based on fuel levels running low. Alerts should be removed from this list when their conditions\\n are cleared. In other words, only active alerts should be reported here." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "General health of the entity as reported by the entity." - }, - "anduril.entitymanager.v1.Alert": { - "name": { - "typeId": "anduril.entitymanager.v1.Alert", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Alert", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Alert", - "safeName": "andurilEntitymanagerV1Alert" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_alert", - "safeName": "anduril_entitymanager_v_1_alert" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Alert", - "safeName": "AndurilEntitymanagerV1Alert" - } - }, - "displayName": "Alert" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "alert_code", - "camelCase": { - "unsafeName": "alertCode", - "safeName": "alertCode" - }, - "snakeCase": { - "unsafeName": "alert_code", - "safeName": "alert_code" - }, - "screamingSnakeCase": { - "unsafeName": "ALERT_CODE", - "safeName": "ALERT_CODE" - }, - "pascalCase": { - "unsafeName": "AlertCode", - "safeName": "AlertCode" - } - }, - "wireValue": "alert_code" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Short, machine-readable code that describes this alert. This code is intended to provide systems off-asset\\n with a lookup key to retrieve more detailed information about the alert." - }, - { - "name": { - "name": { - "originalName": "description", - "camelCase": { - "unsafeName": "description", - "safeName": "description" - }, - "snakeCase": { - "unsafeName": "description", - "safeName": "description" - }, - "screamingSnakeCase": { - "unsafeName": "DESCRIPTION", - "safeName": "DESCRIPTION" - }, - "pascalCase": { - "unsafeName": "Description", - "safeName": "Description" - } - }, - "wireValue": "description" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Human-readable description of this alert. The description is intended for display in the UI for human\\n understanding and should not be used for machine processing. If the description is fixed and the vehicle controller\\n provides no dynamic substitutions, then prefer lookup based on alert_code." - }, - { - "name": { - "name": { - "originalName": "level", - "camelCase": { - "unsafeName": "level", - "safeName": "level" - }, - "snakeCase": { - "unsafeName": "level", - "safeName": "level" - }, - "screamingSnakeCase": { - "unsafeName": "LEVEL", - "safeName": "LEVEL" - }, - "pascalCase": { - "unsafeName": "Level", - "safeName": "Level" - } - }, - "wireValue": "level" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AlertLevel", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AlertLevel", - "safeName": "andurilEntitymanagerV1AlertLevel" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_alert_level", - "safeName": "anduril_entitymanager_v_1_alert_level" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_LEVEL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_LEVEL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AlertLevel", - "safeName": "AndurilEntitymanagerV1AlertLevel" - } - }, - "typeId": "anduril.entitymanager.v1.AlertLevel", - "default": null, - "inline": false, - "displayName": "level" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Alert level (Warning, Caution, or Advisory)." - }, - { - "name": { - "name": { - "originalName": "activated_time", - "camelCase": { - "unsafeName": "activatedTime", - "safeName": "activatedTime" - }, - "snakeCase": { - "unsafeName": "activated_time", - "safeName": "activated_time" - }, - "screamingSnakeCase": { - "unsafeName": "ACTIVATED_TIME", - "safeName": "ACTIVATED_TIME" - }, - "pascalCase": { - "unsafeName": "ActivatedTime", - "safeName": "ActivatedTime" - } - }, - "wireValue": "activated_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "activated_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Time at which this alert was activated." - }, - { - "name": { - "name": { - "originalName": "active_conditions", - "camelCase": { - "unsafeName": "activeConditions", - "safeName": "activeConditions" - }, - "snakeCase": { - "unsafeName": "active_conditions", - "safeName": "active_conditions" - }, - "screamingSnakeCase": { - "unsafeName": "ACTIVE_CONDITIONS", - "safeName": "ACTIVE_CONDITIONS" - }, - "pascalCase": { - "unsafeName": "ActiveConditions", - "safeName": "ActiveConditions" - } - }, - "wireValue": "active_conditions" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AlertCondition", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AlertCondition", - "safeName": "andurilEntitymanagerV1AlertCondition" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_alert_condition", - "safeName": "anduril_entitymanager_v_1_alert_condition" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_CONDITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_CONDITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AlertCondition", - "safeName": "AndurilEntitymanagerV1AlertCondition" - } - }, - "typeId": "anduril.entitymanager.v1.AlertCondition", - "default": null, - "inline": false, - "displayName": "active_conditions" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Set of conditions which have activated this alert." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "An alert informs operators of critical events related to system performance and mission\\n execution. An alert is produced as a result of one or more alert conditions." - }, - "anduril.entitymanager.v1.AlertCondition": { - "name": { - "typeId": "anduril.entitymanager.v1.AlertCondition", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AlertCondition", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AlertCondition", - "safeName": "andurilEntitymanagerV1AlertCondition" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_alert_condition", - "safeName": "anduril_entitymanager_v_1_alert_condition" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_CONDITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_CONDITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AlertCondition", - "safeName": "AndurilEntitymanagerV1AlertCondition" - } - }, - "displayName": "AlertCondition" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "condition_code", - "camelCase": { - "unsafeName": "conditionCode", - "safeName": "conditionCode" - }, - "snakeCase": { - "unsafeName": "condition_code", - "safeName": "condition_code" - }, - "screamingSnakeCase": { - "unsafeName": "CONDITION_CODE", - "safeName": "CONDITION_CODE" - }, - "pascalCase": { - "unsafeName": "ConditionCode", - "safeName": "ConditionCode" - } - }, - "wireValue": "condition_code" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Short, machine-readable code that describes this condition. This code is intended to provide systems off-asset\\n with a lookup key to retrieve more detailed information about the condition." - }, - { - "name": { - "name": { - "originalName": "description", - "camelCase": { - "unsafeName": "description", - "safeName": "description" - }, - "snakeCase": { - "unsafeName": "description", - "safeName": "description" - }, - "screamingSnakeCase": { - "unsafeName": "DESCRIPTION", - "safeName": "DESCRIPTION" - }, - "pascalCase": { - "unsafeName": "Description", - "safeName": "Description" - } - }, - "wireValue": "description" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Human-readable description of this condition. The description is intended for display in the UI for human\\n understanding and should not be used for machine processing. If the description is fixed and the vehicle controller\\n provides no dynamic substitutions, then prefer lookup based on condition_code." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A condition which may trigger an alert." - }, - "google.protobuf.Edition": { - "name": { - "typeId": "google.protobuf.Edition", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Edition", - "camelCase": { - "unsafeName": "googleProtobufEdition", - "safeName": "googleProtobufEdition" - }, - "snakeCase": { - "unsafeName": "google_protobuf_edition", - "safeName": "google_protobuf_edition" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EDITION", - "safeName": "GOOGLE_PROTOBUF_EDITION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEdition", - "safeName": "GoogleProtobufEdition" - } - }, - "displayName": "Edition" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "EDITION_UNKNOWN", - "camelCase": { - "unsafeName": "editionUnknown", - "safeName": "editionUnknown" - }, - "snakeCase": { - "unsafeName": "edition_unknown", - "safeName": "edition_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_UNKNOWN", - "safeName": "EDITION_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "EditionUnknown", - "safeName": "EditionUnknown" - } - }, - "wireValue": "EDITION_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_LEGACY", - "camelCase": { - "unsafeName": "editionLegacy", - "safeName": "editionLegacy" - }, - "snakeCase": { - "unsafeName": "edition_legacy", - "safeName": "edition_legacy" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_LEGACY", - "safeName": "EDITION_LEGACY" - }, - "pascalCase": { - "unsafeName": "EditionLegacy", - "safeName": "EditionLegacy" - } - }, - "wireValue": "EDITION_LEGACY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_PROTO2", - "camelCase": { - "unsafeName": "editionProto2", - "safeName": "editionProto2" - }, - "snakeCase": { - "unsafeName": "edition_proto_2", - "safeName": "edition_proto_2" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_PROTO_2", - "safeName": "EDITION_PROTO_2" - }, - "pascalCase": { - "unsafeName": "EditionProto2", - "safeName": "EditionProto2" - } - }, - "wireValue": "EDITION_PROTO2" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_PROTO3", - "camelCase": { - "unsafeName": "editionProto3", - "safeName": "editionProto3" - }, - "snakeCase": { - "unsafeName": "edition_proto_3", - "safeName": "edition_proto_3" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_PROTO_3", - "safeName": "EDITION_PROTO_3" - }, - "pascalCase": { - "unsafeName": "EditionProto3", - "safeName": "EditionProto3" - } - }, - "wireValue": "EDITION_PROTO3" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_2023", - "camelCase": { - "unsafeName": "edition2023", - "safeName": "edition2023" - }, - "snakeCase": { - "unsafeName": "edition_2023", - "safeName": "edition_2023" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_2023", - "safeName": "EDITION_2023" - }, - "pascalCase": { - "unsafeName": "Edition2023", - "safeName": "Edition2023" - } - }, - "wireValue": "EDITION_2023" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_2024", - "camelCase": { - "unsafeName": "edition2024", - "safeName": "edition2024" - }, - "snakeCase": { - "unsafeName": "edition_2024", - "safeName": "edition_2024" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_2024", - "safeName": "EDITION_2024" - }, - "pascalCase": { - "unsafeName": "Edition2024", - "safeName": "Edition2024" - } - }, - "wireValue": "EDITION_2024" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_1_TEST_ONLY", - "camelCase": { - "unsafeName": "edition1TestOnly", - "safeName": "edition1TestOnly" - }, - "snakeCase": { - "unsafeName": "edition_1_test_only", - "safeName": "edition_1_test_only" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_1_TEST_ONLY", - "safeName": "EDITION_1_TEST_ONLY" - }, - "pascalCase": { - "unsafeName": "Edition1TestOnly", - "safeName": "Edition1TestOnly" - } - }, - "wireValue": "EDITION_1_TEST_ONLY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_2_TEST_ONLY", - "camelCase": { - "unsafeName": "edition2TestOnly", - "safeName": "edition2TestOnly" - }, - "snakeCase": { - "unsafeName": "edition_2_test_only", - "safeName": "edition_2_test_only" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_2_TEST_ONLY", - "safeName": "EDITION_2_TEST_ONLY" - }, - "pascalCase": { - "unsafeName": "Edition2TestOnly", - "safeName": "Edition2TestOnly" - } - }, - "wireValue": "EDITION_2_TEST_ONLY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_99997_TEST_ONLY", - "camelCase": { - "unsafeName": "edition99997TestOnly", - "safeName": "edition99997TestOnly" - }, - "snakeCase": { - "unsafeName": "edition_99997_test_only", - "safeName": "edition_99997_test_only" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_99997_TEST_ONLY", - "safeName": "EDITION_99997_TEST_ONLY" - }, - "pascalCase": { - "unsafeName": "Edition99997TestOnly", - "safeName": "Edition99997TestOnly" - } - }, - "wireValue": "EDITION_99997_TEST_ONLY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_99998_TEST_ONLY", - "camelCase": { - "unsafeName": "edition99998TestOnly", - "safeName": "edition99998TestOnly" - }, - "snakeCase": { - "unsafeName": "edition_99998_test_only", - "safeName": "edition_99998_test_only" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_99998_TEST_ONLY", - "safeName": "EDITION_99998_TEST_ONLY" - }, - "pascalCase": { - "unsafeName": "Edition99998TestOnly", - "safeName": "Edition99998TestOnly" - } - }, - "wireValue": "EDITION_99998_TEST_ONLY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_99999_TEST_ONLY", - "camelCase": { - "unsafeName": "edition99999TestOnly", - "safeName": "edition99999TestOnly" - }, - "snakeCase": { - "unsafeName": "edition_99999_test_only", - "safeName": "edition_99999_test_only" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_99999_TEST_ONLY", - "safeName": "EDITION_99999_TEST_ONLY" - }, - "pascalCase": { - "unsafeName": "Edition99999TestOnly", - "safeName": "Edition99999TestOnly" - } - }, - "wireValue": "EDITION_99999_TEST_ONLY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EDITION_MAX", - "camelCase": { - "unsafeName": "editionMax", - "safeName": "editionMax" - }, - "snakeCase": { - "unsafeName": "edition_max", - "safeName": "edition_max" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_MAX", - "safeName": "EDITION_MAX" - }, - "pascalCase": { - "unsafeName": "EditionMax", - "safeName": "EditionMax" - } - }, - "wireValue": "EDITION_MAX" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FileDescriptorSet": { - "name": { - "typeId": "google.protobuf.FileDescriptorSet", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FileDescriptorSet", - "camelCase": { - "unsafeName": "googleProtobufFileDescriptorSet", - "safeName": "googleProtobufFileDescriptorSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_file_descriptor_set", - "safeName": "google_protobuf_file_descriptor_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_SET", - "safeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFileDescriptorSet", - "safeName": "GoogleProtobufFileDescriptorSet" - } - }, - "displayName": "FileDescriptorSet" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "file", - "camelCase": { - "unsafeName": "file", - "safeName": "file" - }, - "snakeCase": { - "unsafeName": "file", - "safeName": "file" - }, - "screamingSnakeCase": { - "unsafeName": "FILE", - "safeName": "FILE" - }, - "pascalCase": { - "unsafeName": "File", - "safeName": "File" - } - }, - "wireValue": "file" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FileDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufFileDescriptorProto", - "safeName": "googleProtobufFileDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_file_descriptor_proto", - "safeName": "google_protobuf_file_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFileDescriptorProto", - "safeName": "GoogleProtobufFileDescriptorProto" - } - }, - "typeId": "google.protobuf.FileDescriptorProto", - "default": null, - "inline": false, - "displayName": "file" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.FileDescriptorProto": { - "name": { - "typeId": "google.protobuf.FileDescriptorProto", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FileDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufFileDescriptorProto", - "safeName": "googleProtobufFileDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_file_descriptor_proto", - "safeName": "google_protobuf_file_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFileDescriptorProto", - "safeName": "GoogleProtobufFileDescriptorProto" - } - }, - "displayName": "FileDescriptorProto" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "package", - "camelCase": { - "unsafeName": "package", - "safeName": "package" - }, - "snakeCase": { - "unsafeName": "package", - "safeName": "package" - }, - "screamingSnakeCase": { - "unsafeName": "PACKAGE", - "safeName": "PACKAGE" - }, - "pascalCase": { - "unsafeName": "Package", - "safeName": "Package" - } - }, - "wireValue": "package" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "dependency", - "camelCase": { - "unsafeName": "dependency", - "safeName": "dependency" - }, - "snakeCase": { - "unsafeName": "dependency", - "safeName": "dependency" - }, - "screamingSnakeCase": { - "unsafeName": "DEPENDENCY", - "safeName": "DEPENDENCY" - }, - "pascalCase": { - "unsafeName": "Dependency", - "safeName": "Dependency" - } - }, - "wireValue": "dependency" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "public_dependency", - "camelCase": { - "unsafeName": "publicDependency", - "safeName": "publicDependency" - }, - "snakeCase": { - "unsafeName": "public_dependency", - "safeName": "public_dependency" - }, - "screamingSnakeCase": { - "unsafeName": "PUBLIC_DEPENDENCY", - "safeName": "PUBLIC_DEPENDENCY" - }, - "pascalCase": { - "unsafeName": "PublicDependency", - "safeName": "PublicDependency" - } - }, - "wireValue": "public_dependency" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "weak_dependency", - "camelCase": { - "unsafeName": "weakDependency", - "safeName": "weakDependency" - }, - "snakeCase": { - "unsafeName": "weak_dependency", - "safeName": "weak_dependency" - }, - "screamingSnakeCase": { - "unsafeName": "WEAK_DEPENDENCY", - "safeName": "WEAK_DEPENDENCY" - }, - "pascalCase": { - "unsafeName": "WeakDependency", - "safeName": "WeakDependency" - } - }, - "wireValue": "weak_dependency" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "message_type", - "camelCase": { - "unsafeName": "messageType", - "safeName": "messageType" - }, - "snakeCase": { - "unsafeName": "message_type", - "safeName": "message_type" - }, - "screamingSnakeCase": { - "unsafeName": "MESSAGE_TYPE", - "safeName": "MESSAGE_TYPE" - }, - "pascalCase": { - "unsafeName": "MessageType", - "safeName": "MessageType" - } - }, - "wireValue": "message_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufDescriptorProto", - "safeName": "googleProtobufDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_descriptor_proto", - "safeName": "google_protobuf_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDescriptorProto", - "safeName": "GoogleProtobufDescriptorProto" - } - }, - "typeId": "google.protobuf.DescriptorProto", - "default": null, - "inline": false, - "displayName": "message_type" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "enum_type", - "camelCase": { - "unsafeName": "enumType", - "safeName": "enumType" - }, - "snakeCase": { - "unsafeName": "enum_type", - "safeName": "enum_type" - }, - "screamingSnakeCase": { - "unsafeName": "ENUM_TYPE", - "safeName": "ENUM_TYPE" - }, - "pascalCase": { - "unsafeName": "EnumType", - "safeName": "EnumType" - } - }, - "wireValue": "enum_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufEnumDescriptorProto", - "safeName": "googleProtobufEnumDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_descriptor_proto", - "safeName": "google_protobuf_enum_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumDescriptorProto", - "safeName": "GoogleProtobufEnumDescriptorProto" - } - }, - "typeId": "google.protobuf.EnumDescriptorProto", - "default": null, - "inline": false, - "displayName": "enum_type" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "service", - "camelCase": { - "unsafeName": "service", - "safeName": "service" - }, - "snakeCase": { - "unsafeName": "service", - "safeName": "service" - }, - "screamingSnakeCase": { - "unsafeName": "SERVICE", - "safeName": "SERVICE" - }, - "pascalCase": { - "unsafeName": "Service", - "safeName": "Service" - } - }, - "wireValue": "service" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.ServiceDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufServiceDescriptorProto", - "safeName": "googleProtobufServiceDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_service_descriptor_proto", - "safeName": "google_protobuf_service_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_SERVICE_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_SERVICE_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufServiceDescriptorProto", - "safeName": "GoogleProtobufServiceDescriptorProto" - } - }, - "typeId": "google.protobuf.ServiceDescriptorProto", - "default": null, - "inline": false, - "displayName": "service" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "extension", - "camelCase": { - "unsafeName": "extension", - "safeName": "extension" - }, - "snakeCase": { - "unsafeName": "extension", - "safeName": "extension" - }, - "screamingSnakeCase": { - "unsafeName": "EXTENSION", - "safeName": "EXTENSION" - }, - "pascalCase": { - "unsafeName": "Extension", - "safeName": "Extension" - } - }, - "wireValue": "extension" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufFieldDescriptorProto", - "safeName": "googleProtobufFieldDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_descriptor_proto", - "safeName": "google_protobuf_field_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldDescriptorProto", - "safeName": "GoogleProtobufFieldDescriptorProto" - } - }, - "typeId": "google.protobuf.FieldDescriptorProto", - "default": null, - "inline": false, - "displayName": "extension" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "options", - "camelCase": { - "unsafeName": "options", - "safeName": "options" - }, - "snakeCase": { - "unsafeName": "options", - "safeName": "options" - }, - "screamingSnakeCase": { - "unsafeName": "OPTIONS", - "safeName": "OPTIONS" - }, - "pascalCase": { - "unsafeName": "Options", - "safeName": "Options" - } - }, - "wireValue": "options" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FileOptions", - "camelCase": { - "unsafeName": "googleProtobufFileOptions", - "safeName": "googleProtobufFileOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_file_options", - "safeName": "google_protobuf_file_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FILE_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_FILE_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFileOptions", - "safeName": "GoogleProtobufFileOptions" - } - }, - "typeId": "google.protobuf.FileOptions", - "default": null, - "inline": false, - "displayName": "options" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "source_code_info", - "camelCase": { - "unsafeName": "sourceCodeInfo", - "safeName": "sourceCodeInfo" - }, - "snakeCase": { - "unsafeName": "source_code_info", - "safeName": "source_code_info" - }, - "screamingSnakeCase": { - "unsafeName": "SOURCE_CODE_INFO", - "safeName": "SOURCE_CODE_INFO" - }, - "pascalCase": { - "unsafeName": "SourceCodeInfo", - "safeName": "SourceCodeInfo" - } - }, - "wireValue": "source_code_info" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.SourceCodeInfo", - "camelCase": { - "unsafeName": "googleProtobufSourceCodeInfo", - "safeName": "googleProtobufSourceCodeInfo" - }, - "snakeCase": { - "unsafeName": "google_protobuf_source_code_info", - "safeName": "google_protobuf_source_code_info" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO", - "safeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufSourceCodeInfo", - "safeName": "GoogleProtobufSourceCodeInfo" - } - }, - "typeId": "google.protobuf.SourceCodeInfo", - "default": null, - "inline": false, - "displayName": "source_code_info" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "syntax", - "camelCase": { - "unsafeName": "syntax", - "safeName": "syntax" - }, - "snakeCase": { - "unsafeName": "syntax", - "safeName": "syntax" - }, - "screamingSnakeCase": { - "unsafeName": "SYNTAX", - "safeName": "SYNTAX" - }, - "pascalCase": { - "unsafeName": "Syntax", - "safeName": "Syntax" - } - }, - "wireValue": "syntax" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "edition", - "camelCase": { - "unsafeName": "edition", - "safeName": "edition" - }, - "snakeCase": { - "unsafeName": "edition", - "safeName": "edition" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION", - "safeName": "EDITION" - }, - "pascalCase": { - "unsafeName": "Edition", - "safeName": "Edition" - } - }, - "wireValue": "edition" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Edition", - "camelCase": { - "unsafeName": "googleProtobufEdition", - "safeName": "googleProtobufEdition" - }, - "snakeCase": { - "unsafeName": "google_protobuf_edition", - "safeName": "google_protobuf_edition" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EDITION", - "safeName": "GOOGLE_PROTOBUF_EDITION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEdition", - "safeName": "GoogleProtobufEdition" - } - }, - "typeId": "google.protobuf.Edition", - "default": null, - "inline": false, - "displayName": "edition" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.DescriptorProto.ExtensionRange": { - "name": { - "typeId": "DescriptorProto.ExtensionRange", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.ExtensionRange", - "camelCase": { - "unsafeName": "googleProtobufExtensionRange", - "safeName": "googleProtobufExtensionRange" - }, - "snakeCase": { - "unsafeName": "google_protobuf_extension_range", - "safeName": "google_protobuf_extension_range" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE", - "safeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufExtensionRange", - "safeName": "GoogleProtobufExtensionRange" - } - }, - "displayName": "ExtensionRange" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "start", - "camelCase": { - "unsafeName": "start", - "safeName": "start" - }, - "snakeCase": { - "unsafeName": "start", - "safeName": "start" - }, - "screamingSnakeCase": { - "unsafeName": "START", - "safeName": "START" - }, - "pascalCase": { - "unsafeName": "Start", - "safeName": "Start" - } - }, - "wireValue": "start" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "end", - "camelCase": { - "unsafeName": "end", - "safeName": "end" - }, - "snakeCase": { - "unsafeName": "end", - "safeName": "end" - }, - "screamingSnakeCase": { - "unsafeName": "END", - "safeName": "END" - }, - "pascalCase": { - "unsafeName": "End", - "safeName": "End" - } - }, - "wireValue": "end" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "options", - "camelCase": { - "unsafeName": "options", - "safeName": "options" - }, - "snakeCase": { - "unsafeName": "options", - "safeName": "options" - }, - "screamingSnakeCase": { - "unsafeName": "OPTIONS", - "safeName": "OPTIONS" - }, - "pascalCase": { - "unsafeName": "Options", - "safeName": "Options" - } - }, - "wireValue": "options" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.ExtensionRangeOptions", - "camelCase": { - "unsafeName": "googleProtobufExtensionRangeOptions", - "safeName": "googleProtobufExtensionRangeOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_extension_range_options", - "safeName": "google_protobuf_extension_range_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufExtensionRangeOptions", - "safeName": "GoogleProtobufExtensionRangeOptions" - } - }, - "typeId": "google.protobuf.ExtensionRangeOptions", - "default": null, - "inline": false, - "displayName": "options" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.DescriptorProto.ReservedRange": { - "name": { - "typeId": "DescriptorProto.ReservedRange", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.ReservedRange", - "camelCase": { - "unsafeName": "googleProtobufReservedRange", - "safeName": "googleProtobufReservedRange" - }, - "snakeCase": { - "unsafeName": "google_protobuf_reserved_range", - "safeName": "google_protobuf_reserved_range" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_RESERVED_RANGE", - "safeName": "GOOGLE_PROTOBUF_RESERVED_RANGE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufReservedRange", - "safeName": "GoogleProtobufReservedRange" - } - }, - "displayName": "ReservedRange" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "start", - "camelCase": { - "unsafeName": "start", - "safeName": "start" - }, - "snakeCase": { - "unsafeName": "start", - "safeName": "start" - }, - "screamingSnakeCase": { - "unsafeName": "START", - "safeName": "START" - }, - "pascalCase": { - "unsafeName": "Start", - "safeName": "Start" - } - }, - "wireValue": "start" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "end", - "camelCase": { - "unsafeName": "end", - "safeName": "end" - }, - "snakeCase": { - "unsafeName": "end", - "safeName": "end" - }, - "screamingSnakeCase": { - "unsafeName": "END", - "safeName": "END" - }, - "pascalCase": { - "unsafeName": "End", - "safeName": "End" - } - }, - "wireValue": "end" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.DescriptorProto": { - "name": { - "typeId": "google.protobuf.DescriptorProto", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufDescriptorProto", - "safeName": "googleProtobufDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_descriptor_proto", - "safeName": "google_protobuf_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDescriptorProto", - "safeName": "GoogleProtobufDescriptorProto" - } - }, - "displayName": "DescriptorProto" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "field", - "camelCase": { - "unsafeName": "field", - "safeName": "field" - }, - "snakeCase": { - "unsafeName": "field", - "safeName": "field" - }, - "screamingSnakeCase": { - "unsafeName": "FIELD", - "safeName": "FIELD" - }, - "pascalCase": { - "unsafeName": "Field", - "safeName": "Field" - } - }, - "wireValue": "field" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufFieldDescriptorProto", - "safeName": "googleProtobufFieldDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_descriptor_proto", - "safeName": "google_protobuf_field_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldDescriptorProto", - "safeName": "GoogleProtobufFieldDescriptorProto" - } - }, - "typeId": "google.protobuf.FieldDescriptorProto", - "default": null, - "inline": false, - "displayName": "field" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "extension", - "camelCase": { - "unsafeName": "extension", - "safeName": "extension" - }, - "snakeCase": { - "unsafeName": "extension", - "safeName": "extension" - }, - "screamingSnakeCase": { - "unsafeName": "EXTENSION", - "safeName": "EXTENSION" - }, - "pascalCase": { - "unsafeName": "Extension", - "safeName": "Extension" - } - }, - "wireValue": "extension" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufFieldDescriptorProto", - "safeName": "googleProtobufFieldDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_descriptor_proto", - "safeName": "google_protobuf_field_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldDescriptorProto", - "safeName": "GoogleProtobufFieldDescriptorProto" - } - }, - "typeId": "google.protobuf.FieldDescriptorProto", - "default": null, - "inline": false, - "displayName": "extension" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "nested_type", - "camelCase": { - "unsafeName": "nestedType", - "safeName": "nestedType" - }, - "snakeCase": { - "unsafeName": "nested_type", - "safeName": "nested_type" - }, - "screamingSnakeCase": { - "unsafeName": "NESTED_TYPE", - "safeName": "NESTED_TYPE" - }, - "pascalCase": { - "unsafeName": "NestedType", - "safeName": "NestedType" - } - }, - "wireValue": "nested_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufDescriptorProto", - "safeName": "googleProtobufDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_descriptor_proto", - "safeName": "google_protobuf_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDescriptorProto", - "safeName": "GoogleProtobufDescriptorProto" - } - }, - "typeId": "google.protobuf.DescriptorProto", - "default": null, - "inline": false, - "displayName": "nested_type" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "enum_type", - "camelCase": { - "unsafeName": "enumType", - "safeName": "enumType" - }, - "snakeCase": { - "unsafeName": "enum_type", - "safeName": "enum_type" - }, - "screamingSnakeCase": { - "unsafeName": "ENUM_TYPE", - "safeName": "ENUM_TYPE" - }, - "pascalCase": { - "unsafeName": "EnumType", - "safeName": "EnumType" - } - }, - "wireValue": "enum_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufEnumDescriptorProto", - "safeName": "googleProtobufEnumDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_descriptor_proto", - "safeName": "google_protobuf_enum_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumDescriptorProto", - "safeName": "GoogleProtobufEnumDescriptorProto" - } - }, - "typeId": "google.protobuf.EnumDescriptorProto", - "default": null, - "inline": false, - "displayName": "enum_type" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "extension_range", - "camelCase": { - "unsafeName": "extensionRange", - "safeName": "extensionRange" - }, - "snakeCase": { - "unsafeName": "extension_range", - "safeName": "extension_range" - }, - "screamingSnakeCase": { - "unsafeName": "EXTENSION_RANGE", - "safeName": "EXTENSION_RANGE" - }, - "pascalCase": { - "unsafeName": "ExtensionRange", - "safeName": "ExtensionRange" - } - }, - "wireValue": "extension_range" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DescriptorProto.ExtensionRange", - "camelCase": { - "unsafeName": "googleProtobufDescriptorProtoExtensionRange", - "safeName": "googleProtobufDescriptorProtoExtensionRange" - }, - "snakeCase": { - "unsafeName": "google_protobuf_descriptor_proto_extension_range", - "safeName": "google_protobuf_descriptor_proto_extension_range" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO_EXTENSION_RANGE", - "safeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO_EXTENSION_RANGE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDescriptorProtoExtensionRange", - "safeName": "GoogleProtobufDescriptorProtoExtensionRange" - } - }, - "typeId": "google.protobuf.DescriptorProto.ExtensionRange", - "default": null, - "inline": false, - "displayName": "extension_range" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "oneof_decl", - "camelCase": { - "unsafeName": "oneofDecl", - "safeName": "oneofDecl" - }, - "snakeCase": { - "unsafeName": "oneof_decl", - "safeName": "oneof_decl" - }, - "screamingSnakeCase": { - "unsafeName": "ONEOF_DECL", - "safeName": "ONEOF_DECL" - }, - "pascalCase": { - "unsafeName": "OneofDecl", - "safeName": "OneofDecl" - } - }, - "wireValue": "oneof_decl" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.OneofDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufOneofDescriptorProto", - "safeName": "googleProtobufOneofDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_oneof_descriptor_proto", - "safeName": "google_protobuf_oneof_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ONEOF_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_ONEOF_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufOneofDescriptorProto", - "safeName": "GoogleProtobufOneofDescriptorProto" - } - }, - "typeId": "google.protobuf.OneofDescriptorProto", - "default": null, - "inline": false, - "displayName": "oneof_decl" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "options", - "camelCase": { - "unsafeName": "options", - "safeName": "options" - }, - "snakeCase": { - "unsafeName": "options", - "safeName": "options" - }, - "screamingSnakeCase": { - "unsafeName": "OPTIONS", - "safeName": "OPTIONS" - }, - "pascalCase": { - "unsafeName": "Options", - "safeName": "Options" - } - }, - "wireValue": "options" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.MessageOptions", - "camelCase": { - "unsafeName": "googleProtobufMessageOptions", - "safeName": "googleProtobufMessageOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_message_options", - "safeName": "google_protobuf_message_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_MESSAGE_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_MESSAGE_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufMessageOptions", - "safeName": "GoogleProtobufMessageOptions" - } - }, - "typeId": "google.protobuf.MessageOptions", - "default": null, - "inline": false, - "displayName": "options" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "reserved_range", - "camelCase": { - "unsafeName": "reservedRange", - "safeName": "reservedRange" - }, - "snakeCase": { - "unsafeName": "reserved_range", - "safeName": "reserved_range" - }, - "screamingSnakeCase": { - "unsafeName": "RESERVED_RANGE", - "safeName": "RESERVED_RANGE" - }, - "pascalCase": { - "unsafeName": "ReservedRange", - "safeName": "ReservedRange" - } - }, - "wireValue": "reserved_range" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DescriptorProto.ReservedRange", - "camelCase": { - "unsafeName": "googleProtobufDescriptorProtoReservedRange", - "safeName": "googleProtobufDescriptorProtoReservedRange" - }, - "snakeCase": { - "unsafeName": "google_protobuf_descriptor_proto_reserved_range", - "safeName": "google_protobuf_descriptor_proto_reserved_range" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO_RESERVED_RANGE", - "safeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO_RESERVED_RANGE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDescriptorProtoReservedRange", - "safeName": "GoogleProtobufDescriptorProtoReservedRange" - } - }, - "typeId": "google.protobuf.DescriptorProto.ReservedRange", - "default": null, - "inline": false, - "displayName": "reserved_range" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "reserved_name", - "camelCase": { - "unsafeName": "reservedName", - "safeName": "reservedName" - }, - "snakeCase": { - "unsafeName": "reserved_name", - "safeName": "reserved_name" - }, - "screamingSnakeCase": { - "unsafeName": "RESERVED_NAME", - "safeName": "RESERVED_NAME" - }, - "pascalCase": { - "unsafeName": "ReservedName", - "safeName": "ReservedName" - } - }, - "wireValue": "reserved_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.ExtensionRangeOptions.Declaration": { - "name": { - "typeId": "ExtensionRangeOptions.Declaration", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Declaration", - "camelCase": { - "unsafeName": "googleProtobufDeclaration", - "safeName": "googleProtobufDeclaration" - }, - "snakeCase": { - "unsafeName": "google_protobuf_declaration", - "safeName": "google_protobuf_declaration" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DECLARATION", - "safeName": "GOOGLE_PROTOBUF_DECLARATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDeclaration", - "safeName": "GoogleProtobufDeclaration" - } - }, - "displayName": "Declaration" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "number", - "camelCase": { - "unsafeName": "number", - "safeName": "number" - }, - "snakeCase": { - "unsafeName": "number", - "safeName": "number" - }, - "screamingSnakeCase": { - "unsafeName": "NUMBER", - "safeName": "NUMBER" - }, - "pascalCase": { - "unsafeName": "Number", - "safeName": "Number" - } - }, - "wireValue": "number" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "full_name", - "camelCase": { - "unsafeName": "fullName", - "safeName": "fullName" - }, - "snakeCase": { - "unsafeName": "full_name", - "safeName": "full_name" - }, - "screamingSnakeCase": { - "unsafeName": "FULL_NAME", - "safeName": "FULL_NAME" - }, - "pascalCase": { - "unsafeName": "FullName", - "safeName": "FullName" - } - }, - "wireValue": "full_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "type", - "camelCase": { - "unsafeName": "type", - "safeName": "type" - }, - "snakeCase": { - "unsafeName": "type", - "safeName": "type" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE", - "safeName": "TYPE" - }, - "pascalCase": { - "unsafeName": "Type", - "safeName": "Type" - } - }, - "wireValue": "type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "reserved", - "camelCase": { - "unsafeName": "reserved", - "safeName": "reserved" - }, - "snakeCase": { - "unsafeName": "reserved", - "safeName": "reserved" - }, - "screamingSnakeCase": { - "unsafeName": "RESERVED", - "safeName": "RESERVED" - }, - "pascalCase": { - "unsafeName": "Reserved", - "safeName": "Reserved" - } - }, - "wireValue": "reserved" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "repeated", - "camelCase": { - "unsafeName": "repeated", - "safeName": "repeated" - }, - "snakeCase": { - "unsafeName": "repeated", - "safeName": "repeated" - }, - "screamingSnakeCase": { - "unsafeName": "REPEATED", - "safeName": "REPEATED" - }, - "pascalCase": { - "unsafeName": "Repeated", - "safeName": "Repeated" - } - }, - "wireValue": "repeated" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.ExtensionRangeOptions.VerificationState": { - "name": { - "typeId": "ExtensionRangeOptions.VerificationState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.VerificationState", - "camelCase": { - "unsafeName": "googleProtobufVerificationState", - "safeName": "googleProtobufVerificationState" - }, - "snakeCase": { - "unsafeName": "google_protobuf_verification_state", - "safeName": "google_protobuf_verification_state" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_VERIFICATION_STATE", - "safeName": "GOOGLE_PROTOBUF_VERIFICATION_STATE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufVerificationState", - "safeName": "GoogleProtobufVerificationState" - } - }, - "displayName": "VerificationState" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "DECLARATION", - "camelCase": { - "unsafeName": "declaration", - "safeName": "declaration" - }, - "snakeCase": { - "unsafeName": "declaration", - "safeName": "declaration" - }, - "screamingSnakeCase": { - "unsafeName": "DECLARATION", - "safeName": "DECLARATION" - }, - "pascalCase": { - "unsafeName": "Declaration", - "safeName": "Declaration" - } - }, - "wireValue": "DECLARATION" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "UNVERIFIED", - "camelCase": { - "unsafeName": "unverified", - "safeName": "unverified" - }, - "snakeCase": { - "unsafeName": "unverified", - "safeName": "unverified" - }, - "screamingSnakeCase": { - "unsafeName": "UNVERIFIED", - "safeName": "UNVERIFIED" - }, - "pascalCase": { - "unsafeName": "Unverified", - "safeName": "Unverified" - } - }, - "wireValue": "UNVERIFIED" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.ExtensionRangeOptions": { - "name": { - "typeId": "google.protobuf.ExtensionRangeOptions", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.ExtensionRangeOptions", - "camelCase": { - "unsafeName": "googleProtobufExtensionRangeOptions", - "safeName": "googleProtobufExtensionRangeOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_extension_range_options", - "safeName": "google_protobuf_extension_range_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufExtensionRangeOptions", - "safeName": "GoogleProtobufExtensionRangeOptions" - } - }, - "displayName": "ExtensionRangeOptions" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "uninterpreted_option", - "camelCase": { - "unsafeName": "uninterpretedOption", - "safeName": "uninterpretedOption" - }, - "snakeCase": { - "unsafeName": "uninterpreted_option", - "safeName": "uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "UNINTERPRETED_OPTION", - "safeName": "UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "UninterpretedOption", - "safeName": "UninterpretedOption" - } - }, - "wireValue": "uninterpreted_option" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOption", - "safeName": "googleProtobufUninterpretedOption" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option", - "safeName": "google_protobuf_uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOption", - "safeName": "GoogleProtobufUninterpretedOption" - } - }, - "typeId": "google.protobuf.UninterpretedOption", - "default": null, - "inline": false, - "displayName": "uninterpreted_option" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "declaration", - "camelCase": { - "unsafeName": "declaration", - "safeName": "declaration" - }, - "snakeCase": { - "unsafeName": "declaration", - "safeName": "declaration" - }, - "screamingSnakeCase": { - "unsafeName": "DECLARATION", - "safeName": "DECLARATION" - }, - "pascalCase": { - "unsafeName": "Declaration", - "safeName": "Declaration" - } - }, - "wireValue": "declaration" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.ExtensionRangeOptions.Declaration", - "camelCase": { - "unsafeName": "googleProtobufExtensionRangeOptionsDeclaration", - "safeName": "googleProtobufExtensionRangeOptionsDeclaration" - }, - "snakeCase": { - "unsafeName": "google_protobuf_extension_range_options_declaration", - "safeName": "google_protobuf_extension_range_options_declaration" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS_DECLARATION", - "safeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS_DECLARATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufExtensionRangeOptionsDeclaration", - "safeName": "GoogleProtobufExtensionRangeOptionsDeclaration" - } - }, - "typeId": "google.protobuf.ExtensionRangeOptions.Declaration", - "default": null, - "inline": false, - "displayName": "declaration" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "features", - "camelCase": { - "unsafeName": "features", - "safeName": "features" - }, - "snakeCase": { - "unsafeName": "features", - "safeName": "features" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURES", - "safeName": "FEATURES" - }, - "pascalCase": { - "unsafeName": "Features", - "safeName": "Features" - } - }, - "wireValue": "features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "verification", - "camelCase": { - "unsafeName": "verification", - "safeName": "verification" - }, - "snakeCase": { - "unsafeName": "verification", - "safeName": "verification" - }, - "screamingSnakeCase": { - "unsafeName": "VERIFICATION", - "safeName": "VERIFICATION" - }, - "pascalCase": { - "unsafeName": "Verification", - "safeName": "Verification" - } - }, - "wireValue": "verification" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.ExtensionRangeOptions.VerificationState", - "camelCase": { - "unsafeName": "googleProtobufExtensionRangeOptionsVerificationState", - "safeName": "googleProtobufExtensionRangeOptionsVerificationState" - }, - "snakeCase": { - "unsafeName": "google_protobuf_extension_range_options_verification_state", - "safeName": "google_protobuf_extension_range_options_verification_state" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS_VERIFICATION_STATE", - "safeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS_VERIFICATION_STATE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufExtensionRangeOptionsVerificationState", - "safeName": "GoogleProtobufExtensionRangeOptionsVerificationState" - } - }, - "typeId": "google.protobuf.ExtensionRangeOptions.VerificationState", - "default": null, - "inline": false, - "displayName": "verification" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.FieldDescriptorProto.Type": { - "name": { - "typeId": "FieldDescriptorProto.Type", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Type", - "camelCase": { - "unsafeName": "googleProtobufType", - "safeName": "googleProtobufType" - }, - "snakeCase": { - "unsafeName": "google_protobuf_type", - "safeName": "google_protobuf_type" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TYPE", - "safeName": "GOOGLE_PROTOBUF_TYPE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufType", - "safeName": "GoogleProtobufType" - } - }, - "displayName": "Type" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "TYPE_DOUBLE", - "camelCase": { - "unsafeName": "typeDouble", - "safeName": "typeDouble" - }, - "snakeCase": { - "unsafeName": "type_double", - "safeName": "type_double" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_DOUBLE", - "safeName": "TYPE_DOUBLE" - }, - "pascalCase": { - "unsafeName": "TypeDouble", - "safeName": "TypeDouble" - } - }, - "wireValue": "TYPE_DOUBLE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_FLOAT", - "camelCase": { - "unsafeName": "typeFloat", - "safeName": "typeFloat" - }, - "snakeCase": { - "unsafeName": "type_float", - "safeName": "type_float" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_FLOAT", - "safeName": "TYPE_FLOAT" - }, - "pascalCase": { - "unsafeName": "TypeFloat", - "safeName": "TypeFloat" - } - }, - "wireValue": "TYPE_FLOAT" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_INT64", - "camelCase": { - "unsafeName": "typeInt64", - "safeName": "typeInt64" - }, - "snakeCase": { - "unsafeName": "type_int_64", - "safeName": "type_int_64" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_INT_64", - "safeName": "TYPE_INT_64" - }, - "pascalCase": { - "unsafeName": "TypeInt64", - "safeName": "TypeInt64" - } - }, - "wireValue": "TYPE_INT64" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_UINT64", - "camelCase": { - "unsafeName": "typeUint64", - "safeName": "typeUint64" - }, - "snakeCase": { - "unsafeName": "type_uint_64", - "safeName": "type_uint_64" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_UINT_64", - "safeName": "TYPE_UINT_64" - }, - "pascalCase": { - "unsafeName": "TypeUint64", - "safeName": "TypeUint64" - } - }, - "wireValue": "TYPE_UINT64" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_INT32", - "camelCase": { - "unsafeName": "typeInt32", - "safeName": "typeInt32" - }, - "snakeCase": { - "unsafeName": "type_int_32", - "safeName": "type_int_32" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_INT_32", - "safeName": "TYPE_INT_32" - }, - "pascalCase": { - "unsafeName": "TypeInt32", - "safeName": "TypeInt32" - } - }, - "wireValue": "TYPE_INT32" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_FIXED64", - "camelCase": { - "unsafeName": "typeFixed64", - "safeName": "typeFixed64" - }, - "snakeCase": { - "unsafeName": "type_fixed_64", - "safeName": "type_fixed_64" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_FIXED_64", - "safeName": "TYPE_FIXED_64" - }, - "pascalCase": { - "unsafeName": "TypeFixed64", - "safeName": "TypeFixed64" - } - }, - "wireValue": "TYPE_FIXED64" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_FIXED32", - "camelCase": { - "unsafeName": "typeFixed32", - "safeName": "typeFixed32" - }, - "snakeCase": { - "unsafeName": "type_fixed_32", - "safeName": "type_fixed_32" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_FIXED_32", - "safeName": "TYPE_FIXED_32" - }, - "pascalCase": { - "unsafeName": "TypeFixed32", - "safeName": "TypeFixed32" - } - }, - "wireValue": "TYPE_FIXED32" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_BOOL", - "camelCase": { - "unsafeName": "typeBool", - "safeName": "typeBool" - }, - "snakeCase": { - "unsafeName": "type_bool", - "safeName": "type_bool" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_BOOL", - "safeName": "TYPE_BOOL" - }, - "pascalCase": { - "unsafeName": "TypeBool", - "safeName": "TypeBool" - } - }, - "wireValue": "TYPE_BOOL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_STRING", - "camelCase": { - "unsafeName": "typeString", - "safeName": "typeString" - }, - "snakeCase": { - "unsafeName": "type_string", - "safeName": "type_string" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_STRING", - "safeName": "TYPE_STRING" - }, - "pascalCase": { - "unsafeName": "TypeString", - "safeName": "TypeString" - } - }, - "wireValue": "TYPE_STRING" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_GROUP", - "camelCase": { - "unsafeName": "typeGroup", - "safeName": "typeGroup" - }, - "snakeCase": { - "unsafeName": "type_group", - "safeName": "type_group" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_GROUP", - "safeName": "TYPE_GROUP" - }, - "pascalCase": { - "unsafeName": "TypeGroup", - "safeName": "TypeGroup" - } - }, - "wireValue": "TYPE_GROUP" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_MESSAGE", - "camelCase": { - "unsafeName": "typeMessage", - "safeName": "typeMessage" - }, - "snakeCase": { - "unsafeName": "type_message", - "safeName": "type_message" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_MESSAGE", - "safeName": "TYPE_MESSAGE" - }, - "pascalCase": { - "unsafeName": "TypeMessage", - "safeName": "TypeMessage" - } - }, - "wireValue": "TYPE_MESSAGE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_BYTES", - "camelCase": { - "unsafeName": "typeBytes", - "safeName": "typeBytes" - }, - "snakeCase": { - "unsafeName": "type_bytes", - "safeName": "type_bytes" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_BYTES", - "safeName": "TYPE_BYTES" - }, - "pascalCase": { - "unsafeName": "TypeBytes", - "safeName": "TypeBytes" - } - }, - "wireValue": "TYPE_BYTES" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_UINT32", - "camelCase": { - "unsafeName": "typeUint32", - "safeName": "typeUint32" - }, - "snakeCase": { - "unsafeName": "type_uint_32", - "safeName": "type_uint_32" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_UINT_32", - "safeName": "TYPE_UINT_32" - }, - "pascalCase": { - "unsafeName": "TypeUint32", - "safeName": "TypeUint32" - } - }, - "wireValue": "TYPE_UINT32" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_ENUM", - "camelCase": { - "unsafeName": "typeEnum", - "safeName": "typeEnum" - }, - "snakeCase": { - "unsafeName": "type_enum", - "safeName": "type_enum" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_ENUM", - "safeName": "TYPE_ENUM" - }, - "pascalCase": { - "unsafeName": "TypeEnum", - "safeName": "TypeEnum" - } - }, - "wireValue": "TYPE_ENUM" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_SFIXED32", - "camelCase": { - "unsafeName": "typeSfixed32", - "safeName": "typeSfixed32" - }, - "snakeCase": { - "unsafeName": "type_sfixed_32", - "safeName": "type_sfixed_32" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_SFIXED_32", - "safeName": "TYPE_SFIXED_32" - }, - "pascalCase": { - "unsafeName": "TypeSfixed32", - "safeName": "TypeSfixed32" - } - }, - "wireValue": "TYPE_SFIXED32" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_SFIXED64", - "camelCase": { - "unsafeName": "typeSfixed64", - "safeName": "typeSfixed64" - }, - "snakeCase": { - "unsafeName": "type_sfixed_64", - "safeName": "type_sfixed_64" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_SFIXED_64", - "safeName": "TYPE_SFIXED_64" - }, - "pascalCase": { - "unsafeName": "TypeSfixed64", - "safeName": "TypeSfixed64" - } - }, - "wireValue": "TYPE_SFIXED64" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_SINT32", - "camelCase": { - "unsafeName": "typeSint32", - "safeName": "typeSint32" - }, - "snakeCase": { - "unsafeName": "type_sint_32", - "safeName": "type_sint_32" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_SINT_32", - "safeName": "TYPE_SINT_32" - }, - "pascalCase": { - "unsafeName": "TypeSint32", - "safeName": "TypeSint32" - } - }, - "wireValue": "TYPE_SINT32" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TYPE_SINT64", - "camelCase": { - "unsafeName": "typeSint64", - "safeName": "typeSint64" - }, - "snakeCase": { - "unsafeName": "type_sint_64", - "safeName": "type_sint_64" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_SINT_64", - "safeName": "TYPE_SINT_64" - }, - "pascalCase": { - "unsafeName": "TypeSint64", - "safeName": "TypeSint64" - } - }, - "wireValue": "TYPE_SINT64" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FieldDescriptorProto.Label": { - "name": { - "typeId": "FieldDescriptorProto.Label", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Label", - "camelCase": { - "unsafeName": "googleProtobufLabel", - "safeName": "googleProtobufLabel" - }, - "snakeCase": { - "unsafeName": "google_protobuf_label", - "safeName": "google_protobuf_label" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_LABEL", - "safeName": "GOOGLE_PROTOBUF_LABEL" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufLabel", - "safeName": "GoogleProtobufLabel" - } - }, - "displayName": "Label" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "LABEL_OPTIONAL", - "camelCase": { - "unsafeName": "labelOptional", - "safeName": "labelOptional" - }, - "snakeCase": { - "unsafeName": "label_optional", - "safeName": "label_optional" - }, - "screamingSnakeCase": { - "unsafeName": "LABEL_OPTIONAL", - "safeName": "LABEL_OPTIONAL" - }, - "pascalCase": { - "unsafeName": "LabelOptional", - "safeName": "LabelOptional" - } - }, - "wireValue": "LABEL_OPTIONAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "LABEL_REPEATED", - "camelCase": { - "unsafeName": "labelRepeated", - "safeName": "labelRepeated" - }, - "snakeCase": { - "unsafeName": "label_repeated", - "safeName": "label_repeated" - }, - "screamingSnakeCase": { - "unsafeName": "LABEL_REPEATED", - "safeName": "LABEL_REPEATED" - }, - "pascalCase": { - "unsafeName": "LabelRepeated", - "safeName": "LabelRepeated" - } - }, - "wireValue": "LABEL_REPEATED" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "LABEL_REQUIRED", - "camelCase": { - "unsafeName": "labelRequired", - "safeName": "labelRequired" - }, - "snakeCase": { - "unsafeName": "label_required", - "safeName": "label_required" - }, - "screamingSnakeCase": { - "unsafeName": "LABEL_REQUIRED", - "safeName": "LABEL_REQUIRED" - }, - "pascalCase": { - "unsafeName": "LabelRequired", - "safeName": "LabelRequired" - } - }, - "wireValue": "LABEL_REQUIRED" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FieldDescriptorProto": { - "name": { - "typeId": "google.protobuf.FieldDescriptorProto", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufFieldDescriptorProto", - "safeName": "googleProtobufFieldDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_descriptor_proto", - "safeName": "google_protobuf_field_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldDescriptorProto", - "safeName": "GoogleProtobufFieldDescriptorProto" - } - }, - "displayName": "FieldDescriptorProto" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "number", - "camelCase": { - "unsafeName": "number", - "safeName": "number" - }, - "snakeCase": { - "unsafeName": "number", - "safeName": "number" - }, - "screamingSnakeCase": { - "unsafeName": "NUMBER", - "safeName": "NUMBER" - }, - "pascalCase": { - "unsafeName": "Number", - "safeName": "Number" - } - }, - "wireValue": "number" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "label", - "camelCase": { - "unsafeName": "label", - "safeName": "label" - }, - "snakeCase": { - "unsafeName": "label", - "safeName": "label" - }, - "screamingSnakeCase": { - "unsafeName": "LABEL", - "safeName": "LABEL" - }, - "pascalCase": { - "unsafeName": "Label", - "safeName": "Label" - } - }, - "wireValue": "label" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldDescriptorProto.Label", - "camelCase": { - "unsafeName": "googleProtobufFieldDescriptorProtoLabel", - "safeName": "googleProtobufFieldDescriptorProtoLabel" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_descriptor_proto_label", - "safeName": "google_protobuf_field_descriptor_proto_label" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO_LABEL", - "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO_LABEL" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldDescriptorProtoLabel", - "safeName": "GoogleProtobufFieldDescriptorProtoLabel" - } - }, - "typeId": "google.protobuf.FieldDescriptorProto.Label", - "default": null, - "inline": false, - "displayName": "label" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "type", - "camelCase": { - "unsafeName": "type", - "safeName": "type" - }, - "snakeCase": { - "unsafeName": "type", - "safeName": "type" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE", - "safeName": "TYPE" - }, - "pascalCase": { - "unsafeName": "Type", - "safeName": "Type" - } - }, - "wireValue": "type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldDescriptorProto.Type", - "camelCase": { - "unsafeName": "googleProtobufFieldDescriptorProtoType", - "safeName": "googleProtobufFieldDescriptorProtoType" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_descriptor_proto_type", - "safeName": "google_protobuf_field_descriptor_proto_type" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO_TYPE", - "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO_TYPE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldDescriptorProtoType", - "safeName": "GoogleProtobufFieldDescriptorProtoType" - } - }, - "typeId": "google.protobuf.FieldDescriptorProto.Type", - "default": null, - "inline": false, - "displayName": "type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "type_name", - "camelCase": { - "unsafeName": "typeName", - "safeName": "typeName" - }, - "snakeCase": { - "unsafeName": "type_name", - "safeName": "type_name" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_NAME", - "safeName": "TYPE_NAME" - }, - "pascalCase": { - "unsafeName": "TypeName", - "safeName": "TypeName" - } - }, - "wireValue": "type_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "extendee", - "camelCase": { - "unsafeName": "extendee", - "safeName": "extendee" - }, - "snakeCase": { - "unsafeName": "extendee", - "safeName": "extendee" - }, - "screamingSnakeCase": { - "unsafeName": "EXTENDEE", - "safeName": "EXTENDEE" - }, - "pascalCase": { - "unsafeName": "Extendee", - "safeName": "Extendee" - } - }, - "wireValue": "extendee" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "default_value", - "camelCase": { - "unsafeName": "defaultValue", - "safeName": "defaultValue" - }, - "snakeCase": { - "unsafeName": "default_value", - "safeName": "default_value" - }, - "screamingSnakeCase": { - "unsafeName": "DEFAULT_VALUE", - "safeName": "DEFAULT_VALUE" - }, - "pascalCase": { - "unsafeName": "DefaultValue", - "safeName": "DefaultValue" - } - }, - "wireValue": "default_value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "oneof_index", - "camelCase": { - "unsafeName": "oneofIndex", - "safeName": "oneofIndex" - }, - "snakeCase": { - "unsafeName": "oneof_index", - "safeName": "oneof_index" - }, - "screamingSnakeCase": { - "unsafeName": "ONEOF_INDEX", - "safeName": "ONEOF_INDEX" - }, - "pascalCase": { - "unsafeName": "OneofIndex", - "safeName": "OneofIndex" - } - }, - "wireValue": "oneof_index" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "json_name", - "camelCase": { - "unsafeName": "jsonName", - "safeName": "jsonName" - }, - "snakeCase": { - "unsafeName": "json_name", - "safeName": "json_name" - }, - "screamingSnakeCase": { - "unsafeName": "JSON_NAME", - "safeName": "JSON_NAME" - }, - "pascalCase": { - "unsafeName": "JsonName", - "safeName": "JsonName" - } - }, - "wireValue": "json_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "options", - "camelCase": { - "unsafeName": "options", - "safeName": "options" - }, - "snakeCase": { - "unsafeName": "options", - "safeName": "options" - }, - "screamingSnakeCase": { - "unsafeName": "OPTIONS", - "safeName": "OPTIONS" - }, - "pascalCase": { - "unsafeName": "Options", - "safeName": "Options" - } - }, - "wireValue": "options" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldOptions", - "camelCase": { - "unsafeName": "googleProtobufFieldOptions", - "safeName": "googleProtobufFieldOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_options", - "safeName": "google_protobuf_field_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldOptions", - "safeName": "GoogleProtobufFieldOptions" - } - }, - "typeId": "google.protobuf.FieldOptions", - "default": null, - "inline": false, - "displayName": "options" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "proto3_optional", - "camelCase": { - "unsafeName": "proto3Optional", - "safeName": "proto3Optional" - }, - "snakeCase": { - "unsafeName": "proto_3_optional", - "safeName": "proto_3_optional" - }, - "screamingSnakeCase": { - "unsafeName": "PROTO_3_OPTIONAL", - "safeName": "PROTO_3_OPTIONAL" - }, - "pascalCase": { - "unsafeName": "Proto3Optional", - "safeName": "Proto3Optional" - } - }, - "wireValue": "proto3_optional" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.OneofDescriptorProto": { - "name": { - "typeId": "google.protobuf.OneofDescriptorProto", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.OneofDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufOneofDescriptorProto", - "safeName": "googleProtobufOneofDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_oneof_descriptor_proto", - "safeName": "google_protobuf_oneof_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ONEOF_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_ONEOF_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufOneofDescriptorProto", - "safeName": "GoogleProtobufOneofDescriptorProto" - } - }, - "displayName": "OneofDescriptorProto" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "options", - "camelCase": { - "unsafeName": "options", - "safeName": "options" - }, - "snakeCase": { - "unsafeName": "options", - "safeName": "options" - }, - "screamingSnakeCase": { - "unsafeName": "OPTIONS", - "safeName": "OPTIONS" - }, - "pascalCase": { - "unsafeName": "Options", - "safeName": "Options" - } - }, - "wireValue": "options" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.OneofOptions", - "camelCase": { - "unsafeName": "googleProtobufOneofOptions", - "safeName": "googleProtobufOneofOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_oneof_options", - "safeName": "google_protobuf_oneof_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ONEOF_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_ONEOF_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufOneofOptions", - "safeName": "GoogleProtobufOneofOptions" - } - }, - "typeId": "google.protobuf.OneofOptions", - "default": null, - "inline": false, - "displayName": "options" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.EnumDescriptorProto.EnumReservedRange": { - "name": { - "typeId": "EnumDescriptorProto.EnumReservedRange", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumReservedRange", - "camelCase": { - "unsafeName": "googleProtobufEnumReservedRange", - "safeName": "googleProtobufEnumReservedRange" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_reserved_range", - "safeName": "google_protobuf_enum_reserved_range" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_RESERVED_RANGE", - "safeName": "GOOGLE_PROTOBUF_ENUM_RESERVED_RANGE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumReservedRange", - "safeName": "GoogleProtobufEnumReservedRange" - } - }, - "displayName": "EnumReservedRange" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "start", - "camelCase": { - "unsafeName": "start", - "safeName": "start" - }, - "snakeCase": { - "unsafeName": "start", - "safeName": "start" - }, - "screamingSnakeCase": { - "unsafeName": "START", - "safeName": "START" - }, - "pascalCase": { - "unsafeName": "Start", - "safeName": "Start" - } - }, - "wireValue": "start" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "end", - "camelCase": { - "unsafeName": "end", - "safeName": "end" - }, - "snakeCase": { - "unsafeName": "end", - "safeName": "end" - }, - "screamingSnakeCase": { - "unsafeName": "END", - "safeName": "END" - }, - "pascalCase": { - "unsafeName": "End", - "safeName": "End" - } - }, - "wireValue": "end" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.EnumDescriptorProto": { - "name": { - "typeId": "google.protobuf.EnumDescriptorProto", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufEnumDescriptorProto", - "safeName": "googleProtobufEnumDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_descriptor_proto", - "safeName": "google_protobuf_enum_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumDescriptorProto", - "safeName": "GoogleProtobufEnumDescriptorProto" - } - }, - "displayName": "EnumDescriptorProto" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumValueDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufEnumValueDescriptorProto", - "safeName": "googleProtobufEnumValueDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_value_descriptor_proto", - "safeName": "google_protobuf_enum_value_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_VALUE_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_ENUM_VALUE_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumValueDescriptorProto", - "safeName": "GoogleProtobufEnumValueDescriptorProto" - } - }, - "typeId": "google.protobuf.EnumValueDescriptorProto", - "default": null, - "inline": false, - "displayName": "value" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "options", - "camelCase": { - "unsafeName": "options", - "safeName": "options" - }, - "snakeCase": { - "unsafeName": "options", - "safeName": "options" - }, - "screamingSnakeCase": { - "unsafeName": "OPTIONS", - "safeName": "OPTIONS" - }, - "pascalCase": { - "unsafeName": "Options", - "safeName": "Options" - } - }, - "wireValue": "options" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumOptions", - "camelCase": { - "unsafeName": "googleProtobufEnumOptions", - "safeName": "googleProtobufEnumOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_options", - "safeName": "google_protobuf_enum_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_ENUM_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumOptions", - "safeName": "GoogleProtobufEnumOptions" - } - }, - "typeId": "google.protobuf.EnumOptions", - "default": null, - "inline": false, - "displayName": "options" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "reserved_range", - "camelCase": { - "unsafeName": "reservedRange", - "safeName": "reservedRange" - }, - "snakeCase": { - "unsafeName": "reserved_range", - "safeName": "reserved_range" - }, - "screamingSnakeCase": { - "unsafeName": "RESERVED_RANGE", - "safeName": "RESERVED_RANGE" - }, - "pascalCase": { - "unsafeName": "ReservedRange", - "safeName": "ReservedRange" - } - }, - "wireValue": "reserved_range" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumDescriptorProto.EnumReservedRange", - "camelCase": { - "unsafeName": "googleProtobufEnumDescriptorProtoEnumReservedRange", - "safeName": "googleProtobufEnumDescriptorProtoEnumReservedRange" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_descriptor_proto_enum_reserved_range", - "safeName": "google_protobuf_enum_descriptor_proto_enum_reserved_range" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO_ENUM_RESERVED_RANGE", - "safeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO_ENUM_RESERVED_RANGE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumDescriptorProtoEnumReservedRange", - "safeName": "GoogleProtobufEnumDescriptorProtoEnumReservedRange" - } - }, - "typeId": "google.protobuf.EnumDescriptorProto.EnumReservedRange", - "default": null, - "inline": false, - "displayName": "reserved_range" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "reserved_name", - "camelCase": { - "unsafeName": "reservedName", - "safeName": "reservedName" - }, - "snakeCase": { - "unsafeName": "reserved_name", - "safeName": "reserved_name" - }, - "screamingSnakeCase": { - "unsafeName": "RESERVED_NAME", - "safeName": "RESERVED_NAME" - }, - "pascalCase": { - "unsafeName": "ReservedName", - "safeName": "ReservedName" - } - }, - "wireValue": "reserved_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.EnumValueDescriptorProto": { - "name": { - "typeId": "google.protobuf.EnumValueDescriptorProto", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumValueDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufEnumValueDescriptorProto", - "safeName": "googleProtobufEnumValueDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_value_descriptor_proto", - "safeName": "google_protobuf_enum_value_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_VALUE_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_ENUM_VALUE_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumValueDescriptorProto", - "safeName": "GoogleProtobufEnumValueDescriptorProto" - } - }, - "displayName": "EnumValueDescriptorProto" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "number", - "camelCase": { - "unsafeName": "number", - "safeName": "number" - }, - "snakeCase": { - "unsafeName": "number", - "safeName": "number" - }, - "screamingSnakeCase": { - "unsafeName": "NUMBER", - "safeName": "NUMBER" - }, - "pascalCase": { - "unsafeName": "Number", - "safeName": "Number" - } - }, - "wireValue": "number" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "options", - "camelCase": { - "unsafeName": "options", - "safeName": "options" - }, - "snakeCase": { - "unsafeName": "options", - "safeName": "options" - }, - "screamingSnakeCase": { - "unsafeName": "OPTIONS", - "safeName": "OPTIONS" - }, - "pascalCase": { - "unsafeName": "Options", - "safeName": "Options" - } - }, - "wireValue": "options" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumValueOptions", - "camelCase": { - "unsafeName": "googleProtobufEnumValueOptions", - "safeName": "googleProtobufEnumValueOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_value_options", - "safeName": "google_protobuf_enum_value_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_VALUE_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_ENUM_VALUE_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumValueOptions", - "safeName": "GoogleProtobufEnumValueOptions" - } - }, - "typeId": "google.protobuf.EnumValueOptions", - "default": null, - "inline": false, - "displayName": "options" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.ServiceDescriptorProto": { - "name": { - "typeId": "google.protobuf.ServiceDescriptorProto", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.ServiceDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufServiceDescriptorProto", - "safeName": "googleProtobufServiceDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_service_descriptor_proto", - "safeName": "google_protobuf_service_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_SERVICE_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_SERVICE_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufServiceDescriptorProto", - "safeName": "GoogleProtobufServiceDescriptorProto" - } - }, - "displayName": "ServiceDescriptorProto" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "method", - "camelCase": { - "unsafeName": "method", - "safeName": "method" - }, - "snakeCase": { - "unsafeName": "method", - "safeName": "method" - }, - "screamingSnakeCase": { - "unsafeName": "METHOD", - "safeName": "METHOD" - }, - "pascalCase": { - "unsafeName": "Method", - "safeName": "Method" - } - }, - "wireValue": "method" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.MethodDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufMethodDescriptorProto", - "safeName": "googleProtobufMethodDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_method_descriptor_proto", - "safeName": "google_protobuf_method_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_METHOD_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_METHOD_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufMethodDescriptorProto", - "safeName": "GoogleProtobufMethodDescriptorProto" - } - }, - "typeId": "google.protobuf.MethodDescriptorProto", - "default": null, - "inline": false, - "displayName": "method" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "options", - "camelCase": { - "unsafeName": "options", - "safeName": "options" - }, - "snakeCase": { - "unsafeName": "options", - "safeName": "options" - }, - "screamingSnakeCase": { - "unsafeName": "OPTIONS", - "safeName": "OPTIONS" - }, - "pascalCase": { - "unsafeName": "Options", - "safeName": "Options" - } - }, - "wireValue": "options" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.ServiceOptions", - "camelCase": { - "unsafeName": "googleProtobufServiceOptions", - "safeName": "googleProtobufServiceOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_service_options", - "safeName": "google_protobuf_service_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_SERVICE_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_SERVICE_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufServiceOptions", - "safeName": "GoogleProtobufServiceOptions" - } - }, - "typeId": "google.protobuf.ServiceOptions", - "default": null, - "inline": false, - "displayName": "options" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.MethodDescriptorProto": { - "name": { - "typeId": "google.protobuf.MethodDescriptorProto", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.MethodDescriptorProto", - "camelCase": { - "unsafeName": "googleProtobufMethodDescriptorProto", - "safeName": "googleProtobufMethodDescriptorProto" - }, - "snakeCase": { - "unsafeName": "google_protobuf_method_descriptor_proto", - "safeName": "google_protobuf_method_descriptor_proto" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_METHOD_DESCRIPTOR_PROTO", - "safeName": "GOOGLE_PROTOBUF_METHOD_DESCRIPTOR_PROTO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufMethodDescriptorProto", - "safeName": "GoogleProtobufMethodDescriptorProto" - } - }, - "displayName": "MethodDescriptorProto" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "input_type", - "camelCase": { - "unsafeName": "inputType", - "safeName": "inputType" - }, - "snakeCase": { - "unsafeName": "input_type", - "safeName": "input_type" - }, - "screamingSnakeCase": { - "unsafeName": "INPUT_TYPE", - "safeName": "INPUT_TYPE" - }, - "pascalCase": { - "unsafeName": "InputType", - "safeName": "InputType" - } - }, - "wireValue": "input_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "output_type", - "camelCase": { - "unsafeName": "outputType", - "safeName": "outputType" - }, - "snakeCase": { - "unsafeName": "output_type", - "safeName": "output_type" - }, - "screamingSnakeCase": { - "unsafeName": "OUTPUT_TYPE", - "safeName": "OUTPUT_TYPE" - }, - "pascalCase": { - "unsafeName": "OutputType", - "safeName": "OutputType" - } - }, - "wireValue": "output_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "options", - "camelCase": { - "unsafeName": "options", - "safeName": "options" - }, - "snakeCase": { - "unsafeName": "options", - "safeName": "options" - }, - "screamingSnakeCase": { - "unsafeName": "OPTIONS", - "safeName": "OPTIONS" - }, - "pascalCase": { - "unsafeName": "Options", - "safeName": "Options" - } - }, - "wireValue": "options" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.MethodOptions", - "camelCase": { - "unsafeName": "googleProtobufMethodOptions", - "safeName": "googleProtobufMethodOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_method_options", - "safeName": "google_protobuf_method_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufMethodOptions", - "safeName": "GoogleProtobufMethodOptions" - } - }, - "typeId": "google.protobuf.MethodOptions", - "default": null, - "inline": false, - "displayName": "options" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "client_streaming", - "camelCase": { - "unsafeName": "clientStreaming", - "safeName": "clientStreaming" - }, - "snakeCase": { - "unsafeName": "client_streaming", - "safeName": "client_streaming" - }, - "screamingSnakeCase": { - "unsafeName": "CLIENT_STREAMING", - "safeName": "CLIENT_STREAMING" - }, - "pascalCase": { - "unsafeName": "ClientStreaming", - "safeName": "ClientStreaming" - } - }, - "wireValue": "client_streaming" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "server_streaming", - "camelCase": { - "unsafeName": "serverStreaming", - "safeName": "serverStreaming" - }, - "snakeCase": { - "unsafeName": "server_streaming", - "safeName": "server_streaming" - }, - "screamingSnakeCase": { - "unsafeName": "SERVER_STREAMING", - "safeName": "SERVER_STREAMING" - }, - "pascalCase": { - "unsafeName": "ServerStreaming", - "safeName": "ServerStreaming" - } - }, - "wireValue": "server_streaming" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.FileOptions.OptimizeMode": { - "name": { - "typeId": "FileOptions.OptimizeMode", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.OptimizeMode", - "camelCase": { - "unsafeName": "googleProtobufOptimizeMode", - "safeName": "googleProtobufOptimizeMode" - }, - "snakeCase": { - "unsafeName": "google_protobuf_optimize_mode", - "safeName": "google_protobuf_optimize_mode" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_OPTIMIZE_MODE", - "safeName": "GOOGLE_PROTOBUF_OPTIMIZE_MODE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufOptimizeMode", - "safeName": "GoogleProtobufOptimizeMode" - } - }, - "displayName": "OptimizeMode" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "SPEED", - "camelCase": { - "unsafeName": "speed", - "safeName": "speed" - }, - "snakeCase": { - "unsafeName": "speed", - "safeName": "speed" - }, - "screamingSnakeCase": { - "unsafeName": "SPEED", - "safeName": "SPEED" - }, - "pascalCase": { - "unsafeName": "Speed", - "safeName": "Speed" - } - }, - "wireValue": "SPEED" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CODE_SIZE", - "camelCase": { - "unsafeName": "codeSize", - "safeName": "codeSize" - }, - "snakeCase": { - "unsafeName": "code_size", - "safeName": "code_size" - }, - "screamingSnakeCase": { - "unsafeName": "CODE_SIZE", - "safeName": "CODE_SIZE" - }, - "pascalCase": { - "unsafeName": "CodeSize", - "safeName": "CodeSize" - } - }, - "wireValue": "CODE_SIZE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "LITE_RUNTIME", - "camelCase": { - "unsafeName": "liteRuntime", - "safeName": "liteRuntime" - }, - "snakeCase": { - "unsafeName": "lite_runtime", - "safeName": "lite_runtime" - }, - "screamingSnakeCase": { - "unsafeName": "LITE_RUNTIME", - "safeName": "LITE_RUNTIME" - }, - "pascalCase": { - "unsafeName": "LiteRuntime", - "safeName": "LiteRuntime" - } - }, - "wireValue": "LITE_RUNTIME" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FileOptions": { - "name": { - "typeId": "google.protobuf.FileOptions", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FileOptions", - "camelCase": { - "unsafeName": "googleProtobufFileOptions", - "safeName": "googleProtobufFileOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_file_options", - "safeName": "google_protobuf_file_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FILE_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_FILE_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFileOptions", - "safeName": "GoogleProtobufFileOptions" - } - }, - "displayName": "FileOptions" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "java_package", - "camelCase": { - "unsafeName": "javaPackage", - "safeName": "javaPackage" - }, - "snakeCase": { - "unsafeName": "java_package", - "safeName": "java_package" - }, - "screamingSnakeCase": { - "unsafeName": "JAVA_PACKAGE", - "safeName": "JAVA_PACKAGE" - }, - "pascalCase": { - "unsafeName": "JavaPackage", - "safeName": "JavaPackage" - } - }, - "wireValue": "java_package" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "java_outer_classname", - "camelCase": { - "unsafeName": "javaOuterClassname", - "safeName": "javaOuterClassname" - }, - "snakeCase": { - "unsafeName": "java_outer_classname", - "safeName": "java_outer_classname" - }, - "screamingSnakeCase": { - "unsafeName": "JAVA_OUTER_CLASSNAME", - "safeName": "JAVA_OUTER_CLASSNAME" - }, - "pascalCase": { - "unsafeName": "JavaOuterClassname", - "safeName": "JavaOuterClassname" - } - }, - "wireValue": "java_outer_classname" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "java_multiple_files", - "camelCase": { - "unsafeName": "javaMultipleFiles", - "safeName": "javaMultipleFiles" - }, - "snakeCase": { - "unsafeName": "java_multiple_files", - "safeName": "java_multiple_files" - }, - "screamingSnakeCase": { - "unsafeName": "JAVA_MULTIPLE_FILES", - "safeName": "JAVA_MULTIPLE_FILES" - }, - "pascalCase": { - "unsafeName": "JavaMultipleFiles", - "safeName": "JavaMultipleFiles" - } - }, - "wireValue": "java_multiple_files" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "java_generate_equals_and_hash", - "camelCase": { - "unsafeName": "javaGenerateEqualsAndHash", - "safeName": "javaGenerateEqualsAndHash" - }, - "snakeCase": { - "unsafeName": "java_generate_equals_and_hash", - "safeName": "java_generate_equals_and_hash" - }, - "screamingSnakeCase": { - "unsafeName": "JAVA_GENERATE_EQUALS_AND_HASH", - "safeName": "JAVA_GENERATE_EQUALS_AND_HASH" - }, - "pascalCase": { - "unsafeName": "JavaGenerateEqualsAndHash", - "safeName": "JavaGenerateEqualsAndHash" - } - }, - "wireValue": "java_generate_equals_and_hash" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": { - "status": "DEPRECATED", - "message": "DEPRECATED" - }, - "docs": null - }, - { - "name": { - "name": { - "originalName": "java_string_check_utf8", - "camelCase": { - "unsafeName": "javaStringCheckUtf8", - "safeName": "javaStringCheckUtf8" - }, - "snakeCase": { - "unsafeName": "java_string_check_utf_8", - "safeName": "java_string_check_utf_8" - }, - "screamingSnakeCase": { - "unsafeName": "JAVA_STRING_CHECK_UTF_8", - "safeName": "JAVA_STRING_CHECK_UTF_8" - }, - "pascalCase": { - "unsafeName": "JavaStringCheckUtf8", - "safeName": "JavaStringCheckUtf8" - } - }, - "wireValue": "java_string_check_utf8" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "optimize_for", - "camelCase": { - "unsafeName": "optimizeFor", - "safeName": "optimizeFor" - }, - "snakeCase": { - "unsafeName": "optimize_for", - "safeName": "optimize_for" - }, - "screamingSnakeCase": { - "unsafeName": "OPTIMIZE_FOR", - "safeName": "OPTIMIZE_FOR" - }, - "pascalCase": { - "unsafeName": "OptimizeFor", - "safeName": "OptimizeFor" - } - }, - "wireValue": "optimize_for" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FileOptions.OptimizeMode", - "camelCase": { - "unsafeName": "googleProtobufFileOptionsOptimizeMode", - "safeName": "googleProtobufFileOptionsOptimizeMode" - }, - "snakeCase": { - "unsafeName": "google_protobuf_file_options_optimize_mode", - "safeName": "google_protobuf_file_options_optimize_mode" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FILE_OPTIONS_OPTIMIZE_MODE", - "safeName": "GOOGLE_PROTOBUF_FILE_OPTIONS_OPTIMIZE_MODE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFileOptionsOptimizeMode", - "safeName": "GoogleProtobufFileOptionsOptimizeMode" - } - }, - "typeId": "google.protobuf.FileOptions.OptimizeMode", - "default": null, - "inline": false, - "displayName": "optimize_for" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "go_package", - "camelCase": { - "unsafeName": "goPackage", - "safeName": "goPackage" - }, - "snakeCase": { - "unsafeName": "go_package", - "safeName": "go_package" - }, - "screamingSnakeCase": { - "unsafeName": "GO_PACKAGE", - "safeName": "GO_PACKAGE" - }, - "pascalCase": { - "unsafeName": "GoPackage", - "safeName": "GoPackage" - } - }, - "wireValue": "go_package" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "cc_generic_services", - "camelCase": { - "unsafeName": "ccGenericServices", - "safeName": "ccGenericServices" - }, - "snakeCase": { - "unsafeName": "cc_generic_services", - "safeName": "cc_generic_services" - }, - "screamingSnakeCase": { - "unsafeName": "CC_GENERIC_SERVICES", - "safeName": "CC_GENERIC_SERVICES" - }, - "pascalCase": { - "unsafeName": "CcGenericServices", - "safeName": "CcGenericServices" - } - }, - "wireValue": "cc_generic_services" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "java_generic_services", - "camelCase": { - "unsafeName": "javaGenericServices", - "safeName": "javaGenericServices" - }, - "snakeCase": { - "unsafeName": "java_generic_services", - "safeName": "java_generic_services" - }, - "screamingSnakeCase": { - "unsafeName": "JAVA_GENERIC_SERVICES", - "safeName": "JAVA_GENERIC_SERVICES" - }, - "pascalCase": { - "unsafeName": "JavaGenericServices", - "safeName": "JavaGenericServices" - } - }, - "wireValue": "java_generic_services" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "py_generic_services", - "camelCase": { - "unsafeName": "pyGenericServices", - "safeName": "pyGenericServices" - }, - "snakeCase": { - "unsafeName": "py_generic_services", - "safeName": "py_generic_services" - }, - "screamingSnakeCase": { - "unsafeName": "PY_GENERIC_SERVICES", - "safeName": "PY_GENERIC_SERVICES" - }, - "pascalCase": { - "unsafeName": "PyGenericServices", - "safeName": "PyGenericServices" - } - }, - "wireValue": "py_generic_services" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "deprecated", - "camelCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "snakeCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "screamingSnakeCase": { - "unsafeName": "DEPRECATED", - "safeName": "DEPRECATED" - }, - "pascalCase": { - "unsafeName": "Deprecated", - "safeName": "Deprecated" - } - }, - "wireValue": "deprecated" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "cc_enable_arenas", - "camelCase": { - "unsafeName": "ccEnableArenas", - "safeName": "ccEnableArenas" - }, - "snakeCase": { - "unsafeName": "cc_enable_arenas", - "safeName": "cc_enable_arenas" - }, - "screamingSnakeCase": { - "unsafeName": "CC_ENABLE_ARENAS", - "safeName": "CC_ENABLE_ARENAS" - }, - "pascalCase": { - "unsafeName": "CcEnableArenas", - "safeName": "CcEnableArenas" - } - }, - "wireValue": "cc_enable_arenas" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "objc_class_prefix", - "camelCase": { - "unsafeName": "objcClassPrefix", - "safeName": "objcClassPrefix" - }, - "snakeCase": { - "unsafeName": "objc_class_prefix", - "safeName": "objc_class_prefix" - }, - "screamingSnakeCase": { - "unsafeName": "OBJC_CLASS_PREFIX", - "safeName": "OBJC_CLASS_PREFIX" - }, - "pascalCase": { - "unsafeName": "ObjcClassPrefix", - "safeName": "ObjcClassPrefix" - } - }, - "wireValue": "objc_class_prefix" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "csharp_namespace", - "camelCase": { - "unsafeName": "csharpNamespace", - "safeName": "csharpNamespace" - }, - "snakeCase": { - "unsafeName": "csharp_namespace", - "safeName": "csharp_namespace" - }, - "screamingSnakeCase": { - "unsafeName": "CSHARP_NAMESPACE", - "safeName": "CSHARP_NAMESPACE" - }, - "pascalCase": { - "unsafeName": "CsharpNamespace", - "safeName": "CsharpNamespace" - } - }, - "wireValue": "csharp_namespace" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "swift_prefix", - "camelCase": { - "unsafeName": "swiftPrefix", - "safeName": "swiftPrefix" - }, - "snakeCase": { - "unsafeName": "swift_prefix", - "safeName": "swift_prefix" - }, - "screamingSnakeCase": { - "unsafeName": "SWIFT_PREFIX", - "safeName": "SWIFT_PREFIX" - }, - "pascalCase": { - "unsafeName": "SwiftPrefix", - "safeName": "SwiftPrefix" - } - }, - "wireValue": "swift_prefix" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "php_class_prefix", - "camelCase": { - "unsafeName": "phpClassPrefix", - "safeName": "phpClassPrefix" - }, - "snakeCase": { - "unsafeName": "php_class_prefix", - "safeName": "php_class_prefix" - }, - "screamingSnakeCase": { - "unsafeName": "PHP_CLASS_PREFIX", - "safeName": "PHP_CLASS_PREFIX" - }, - "pascalCase": { - "unsafeName": "PhpClassPrefix", - "safeName": "PhpClassPrefix" - } - }, - "wireValue": "php_class_prefix" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "php_namespace", - "camelCase": { - "unsafeName": "phpNamespace", - "safeName": "phpNamespace" - }, - "snakeCase": { - "unsafeName": "php_namespace", - "safeName": "php_namespace" - }, - "screamingSnakeCase": { - "unsafeName": "PHP_NAMESPACE", - "safeName": "PHP_NAMESPACE" - }, - "pascalCase": { - "unsafeName": "PhpNamespace", - "safeName": "PhpNamespace" - } - }, - "wireValue": "php_namespace" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "php_metadata_namespace", - "camelCase": { - "unsafeName": "phpMetadataNamespace", - "safeName": "phpMetadataNamespace" - }, - "snakeCase": { - "unsafeName": "php_metadata_namespace", - "safeName": "php_metadata_namespace" - }, - "screamingSnakeCase": { - "unsafeName": "PHP_METADATA_NAMESPACE", - "safeName": "PHP_METADATA_NAMESPACE" - }, - "pascalCase": { - "unsafeName": "PhpMetadataNamespace", - "safeName": "PhpMetadataNamespace" - } - }, - "wireValue": "php_metadata_namespace" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ruby_package", - "camelCase": { - "unsafeName": "rubyPackage", - "safeName": "rubyPackage" - }, - "snakeCase": { - "unsafeName": "ruby_package", - "safeName": "ruby_package" - }, - "screamingSnakeCase": { - "unsafeName": "RUBY_PACKAGE", - "safeName": "RUBY_PACKAGE" - }, - "pascalCase": { - "unsafeName": "RubyPackage", - "safeName": "RubyPackage" - } - }, - "wireValue": "ruby_package" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "features", - "camelCase": { - "unsafeName": "features", - "safeName": "features" - }, - "snakeCase": { - "unsafeName": "features", - "safeName": "features" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURES", - "safeName": "FEATURES" - }, - "pascalCase": { - "unsafeName": "Features", - "safeName": "Features" - } - }, - "wireValue": "features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "uninterpreted_option", - "camelCase": { - "unsafeName": "uninterpretedOption", - "safeName": "uninterpretedOption" - }, - "snakeCase": { - "unsafeName": "uninterpreted_option", - "safeName": "uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "UNINTERPRETED_OPTION", - "safeName": "UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "UninterpretedOption", - "safeName": "UninterpretedOption" - } - }, - "wireValue": "uninterpreted_option" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOption", - "safeName": "googleProtobufUninterpretedOption" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option", - "safeName": "google_protobuf_uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOption", - "safeName": "GoogleProtobufUninterpretedOption" - } - }, - "typeId": "google.protobuf.UninterpretedOption", - "default": null, - "inline": false, - "displayName": "uninterpreted_option" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.MessageOptions": { - "name": { - "typeId": "google.protobuf.MessageOptions", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.MessageOptions", - "camelCase": { - "unsafeName": "googleProtobufMessageOptions", - "safeName": "googleProtobufMessageOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_message_options", - "safeName": "google_protobuf_message_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_MESSAGE_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_MESSAGE_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufMessageOptions", - "safeName": "GoogleProtobufMessageOptions" - } - }, - "displayName": "MessageOptions" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "message_set_wire_format", - "camelCase": { - "unsafeName": "messageSetWireFormat", - "safeName": "messageSetWireFormat" - }, - "snakeCase": { - "unsafeName": "message_set_wire_format", - "safeName": "message_set_wire_format" - }, - "screamingSnakeCase": { - "unsafeName": "MESSAGE_SET_WIRE_FORMAT", - "safeName": "MESSAGE_SET_WIRE_FORMAT" - }, - "pascalCase": { - "unsafeName": "MessageSetWireFormat", - "safeName": "MessageSetWireFormat" - } - }, - "wireValue": "message_set_wire_format" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "no_standard_descriptor_accessor", - "camelCase": { - "unsafeName": "noStandardDescriptorAccessor", - "safeName": "noStandardDescriptorAccessor" - }, - "snakeCase": { - "unsafeName": "no_standard_descriptor_accessor", - "safeName": "no_standard_descriptor_accessor" - }, - "screamingSnakeCase": { - "unsafeName": "NO_STANDARD_DESCRIPTOR_ACCESSOR", - "safeName": "NO_STANDARD_DESCRIPTOR_ACCESSOR" - }, - "pascalCase": { - "unsafeName": "NoStandardDescriptorAccessor", - "safeName": "NoStandardDescriptorAccessor" - } - }, - "wireValue": "no_standard_descriptor_accessor" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "deprecated", - "camelCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "snakeCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "screamingSnakeCase": { - "unsafeName": "DEPRECATED", - "safeName": "DEPRECATED" - }, - "pascalCase": { - "unsafeName": "Deprecated", - "safeName": "Deprecated" - } - }, - "wireValue": "deprecated" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "map_entry", - "camelCase": { - "unsafeName": "mapEntry", - "safeName": "mapEntry" - }, - "snakeCase": { - "unsafeName": "map_entry", - "safeName": "map_entry" - }, - "screamingSnakeCase": { - "unsafeName": "MAP_ENTRY", - "safeName": "MAP_ENTRY" - }, - "pascalCase": { - "unsafeName": "MapEntry", - "safeName": "MapEntry" - } - }, - "wireValue": "map_entry" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "deprecated_legacy_json_field_conflicts", - "camelCase": { - "unsafeName": "deprecatedLegacyJsonFieldConflicts", - "safeName": "deprecatedLegacyJsonFieldConflicts" - }, - "snakeCase": { - "unsafeName": "deprecated_legacy_json_field_conflicts", - "safeName": "deprecated_legacy_json_field_conflicts" - }, - "screamingSnakeCase": { - "unsafeName": "DEPRECATED_LEGACY_JSON_FIELD_CONFLICTS", - "safeName": "DEPRECATED_LEGACY_JSON_FIELD_CONFLICTS" - }, - "pascalCase": { - "unsafeName": "DeprecatedLegacyJsonFieldConflicts", - "safeName": "DeprecatedLegacyJsonFieldConflicts" - } - }, - "wireValue": "deprecated_legacy_json_field_conflicts" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": { - "status": "DEPRECATED", - "message": "DEPRECATED" - }, - "docs": null - }, - { - "name": { - "name": { - "originalName": "features", - "camelCase": { - "unsafeName": "features", - "safeName": "features" - }, - "snakeCase": { - "unsafeName": "features", - "safeName": "features" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURES", - "safeName": "FEATURES" - }, - "pascalCase": { - "unsafeName": "Features", - "safeName": "Features" - } - }, - "wireValue": "features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "uninterpreted_option", - "camelCase": { - "unsafeName": "uninterpretedOption", - "safeName": "uninterpretedOption" - }, - "snakeCase": { - "unsafeName": "uninterpreted_option", - "safeName": "uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "UNINTERPRETED_OPTION", - "safeName": "UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "UninterpretedOption", - "safeName": "UninterpretedOption" - } - }, - "wireValue": "uninterpreted_option" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOption", - "safeName": "googleProtobufUninterpretedOption" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option", - "safeName": "google_protobuf_uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOption", - "safeName": "GoogleProtobufUninterpretedOption" - } - }, - "typeId": "google.protobuf.UninterpretedOption", - "default": null, - "inline": false, - "displayName": "uninterpreted_option" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.FieldOptions.EditionDefault": { - "name": { - "typeId": "FieldOptions.EditionDefault", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EditionDefault", - "camelCase": { - "unsafeName": "googleProtobufEditionDefault", - "safeName": "googleProtobufEditionDefault" - }, - "snakeCase": { - "unsafeName": "google_protobuf_edition_default", - "safeName": "google_protobuf_edition_default" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EDITION_DEFAULT", - "safeName": "GOOGLE_PROTOBUF_EDITION_DEFAULT" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEditionDefault", - "safeName": "GoogleProtobufEditionDefault" - } - }, - "displayName": "EditionDefault" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "edition", - "camelCase": { - "unsafeName": "edition", - "safeName": "edition" - }, - "snakeCase": { - "unsafeName": "edition", - "safeName": "edition" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION", - "safeName": "EDITION" - }, - "pascalCase": { - "unsafeName": "Edition", - "safeName": "Edition" - } - }, - "wireValue": "edition" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Edition", - "camelCase": { - "unsafeName": "googleProtobufEdition", - "safeName": "googleProtobufEdition" - }, - "snakeCase": { - "unsafeName": "google_protobuf_edition", - "safeName": "google_protobuf_edition" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EDITION", - "safeName": "GOOGLE_PROTOBUF_EDITION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEdition", - "safeName": "GoogleProtobufEdition" - } - }, - "typeId": "google.protobuf.Edition", - "default": null, - "inline": false, - "displayName": "edition" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.FieldOptions.FeatureSupport": { - "name": { - "typeId": "FieldOptions.FeatureSupport", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSupport", - "camelCase": { - "unsafeName": "googleProtobufFeatureSupport", - "safeName": "googleProtobufFeatureSupport" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_support", - "safeName": "google_protobuf_feature_support" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SUPPORT", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SUPPORT" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSupport", - "safeName": "GoogleProtobufFeatureSupport" - } - }, - "displayName": "FeatureSupport" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "edition_introduced", - "camelCase": { - "unsafeName": "editionIntroduced", - "safeName": "editionIntroduced" - }, - "snakeCase": { - "unsafeName": "edition_introduced", - "safeName": "edition_introduced" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_INTRODUCED", - "safeName": "EDITION_INTRODUCED" - }, - "pascalCase": { - "unsafeName": "EditionIntroduced", - "safeName": "EditionIntroduced" - } - }, - "wireValue": "edition_introduced" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Edition", - "camelCase": { - "unsafeName": "googleProtobufEdition", - "safeName": "googleProtobufEdition" - }, - "snakeCase": { - "unsafeName": "google_protobuf_edition", - "safeName": "google_protobuf_edition" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EDITION", - "safeName": "GOOGLE_PROTOBUF_EDITION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEdition", - "safeName": "GoogleProtobufEdition" - } - }, - "typeId": "google.protobuf.Edition", - "default": null, - "inline": false, - "displayName": "edition_introduced" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "edition_deprecated", - "camelCase": { - "unsafeName": "editionDeprecated", - "safeName": "editionDeprecated" - }, - "snakeCase": { - "unsafeName": "edition_deprecated", - "safeName": "edition_deprecated" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_DEPRECATED", - "safeName": "EDITION_DEPRECATED" - }, - "pascalCase": { - "unsafeName": "EditionDeprecated", - "safeName": "EditionDeprecated" - } - }, - "wireValue": "edition_deprecated" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Edition", - "camelCase": { - "unsafeName": "googleProtobufEdition", - "safeName": "googleProtobufEdition" - }, - "snakeCase": { - "unsafeName": "google_protobuf_edition", - "safeName": "google_protobuf_edition" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EDITION", - "safeName": "GOOGLE_PROTOBUF_EDITION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEdition", - "safeName": "GoogleProtobufEdition" - } - }, - "typeId": "google.protobuf.Edition", - "default": null, - "inline": false, - "displayName": "edition_deprecated" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "deprecation_warning", - "camelCase": { - "unsafeName": "deprecationWarning", - "safeName": "deprecationWarning" - }, - "snakeCase": { - "unsafeName": "deprecation_warning", - "safeName": "deprecation_warning" - }, - "screamingSnakeCase": { - "unsafeName": "DEPRECATION_WARNING", - "safeName": "DEPRECATION_WARNING" - }, - "pascalCase": { - "unsafeName": "DeprecationWarning", - "safeName": "DeprecationWarning" - } - }, - "wireValue": "deprecation_warning" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "edition_removed", - "camelCase": { - "unsafeName": "editionRemoved", - "safeName": "editionRemoved" - }, - "snakeCase": { - "unsafeName": "edition_removed", - "safeName": "edition_removed" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_REMOVED", - "safeName": "EDITION_REMOVED" - }, - "pascalCase": { - "unsafeName": "EditionRemoved", - "safeName": "EditionRemoved" - } - }, - "wireValue": "edition_removed" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Edition", - "camelCase": { - "unsafeName": "googleProtobufEdition", - "safeName": "googleProtobufEdition" - }, - "snakeCase": { - "unsafeName": "google_protobuf_edition", - "safeName": "google_protobuf_edition" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EDITION", - "safeName": "GOOGLE_PROTOBUF_EDITION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEdition", - "safeName": "GoogleProtobufEdition" - } - }, - "typeId": "google.protobuf.Edition", - "default": null, - "inline": false, - "displayName": "edition_removed" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.FieldOptions.CType": { - "name": { - "typeId": "FieldOptions.CType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.CType", - "camelCase": { - "unsafeName": "googleProtobufCType", - "safeName": "googleProtobufCType" - }, - "snakeCase": { - "unsafeName": "google_protobuf_c_type", - "safeName": "google_protobuf_c_type" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_C_TYPE", - "safeName": "GOOGLE_PROTOBUF_C_TYPE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufCType", - "safeName": "GoogleProtobufCType" - } - }, - "displayName": "CType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "STRING", - "camelCase": { - "unsafeName": "string", - "safeName": "string" - }, - "snakeCase": { - "unsafeName": "string", - "safeName": "string" - }, - "screamingSnakeCase": { - "unsafeName": "STRING", - "safeName": "STRING" - }, - "pascalCase": { - "unsafeName": "String", - "safeName": "String" - } - }, - "wireValue": "STRING" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CORD", - "camelCase": { - "unsafeName": "cord", - "safeName": "cord" - }, - "snakeCase": { - "unsafeName": "cord", - "safeName": "cord" - }, - "screamingSnakeCase": { - "unsafeName": "CORD", - "safeName": "CORD" - }, - "pascalCase": { - "unsafeName": "Cord", - "safeName": "Cord" - } - }, - "wireValue": "CORD" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "STRING_PIECE", - "camelCase": { - "unsafeName": "stringPiece", - "safeName": "stringPiece" - }, - "snakeCase": { - "unsafeName": "string_piece", - "safeName": "string_piece" - }, - "screamingSnakeCase": { - "unsafeName": "STRING_PIECE", - "safeName": "STRING_PIECE" - }, - "pascalCase": { - "unsafeName": "StringPiece", - "safeName": "StringPiece" - } - }, - "wireValue": "STRING_PIECE" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FieldOptions.JSType": { - "name": { - "typeId": "FieldOptions.JSType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.JSType", - "camelCase": { - "unsafeName": "googleProtobufJsType", - "safeName": "googleProtobufJsType" - }, - "snakeCase": { - "unsafeName": "google_protobuf_js_type", - "safeName": "google_protobuf_js_type" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_JS_TYPE", - "safeName": "GOOGLE_PROTOBUF_JS_TYPE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufJsType", - "safeName": "GoogleProtobufJsType" - } - }, - "displayName": "JSType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "JS_NORMAL", - "camelCase": { - "unsafeName": "jsNormal", - "safeName": "jsNormal" - }, - "snakeCase": { - "unsafeName": "js_normal", - "safeName": "js_normal" - }, - "screamingSnakeCase": { - "unsafeName": "JS_NORMAL", - "safeName": "JS_NORMAL" - }, - "pascalCase": { - "unsafeName": "JsNormal", - "safeName": "JsNormal" - } - }, - "wireValue": "JS_NORMAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "JS_STRING", - "camelCase": { - "unsafeName": "jsString", - "safeName": "jsString" - }, - "snakeCase": { - "unsafeName": "js_string", - "safeName": "js_string" - }, - "screamingSnakeCase": { - "unsafeName": "JS_STRING", - "safeName": "JS_STRING" - }, - "pascalCase": { - "unsafeName": "JsString", - "safeName": "JsString" - } - }, - "wireValue": "JS_STRING" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "JS_NUMBER", - "camelCase": { - "unsafeName": "jsNumber", - "safeName": "jsNumber" - }, - "snakeCase": { - "unsafeName": "js_number", - "safeName": "js_number" - }, - "screamingSnakeCase": { - "unsafeName": "JS_NUMBER", - "safeName": "JS_NUMBER" - }, - "pascalCase": { - "unsafeName": "JsNumber", - "safeName": "JsNumber" - } - }, - "wireValue": "JS_NUMBER" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FieldOptions.OptionRetention": { - "name": { - "typeId": "FieldOptions.OptionRetention", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.OptionRetention", - "camelCase": { - "unsafeName": "googleProtobufOptionRetention", - "safeName": "googleProtobufOptionRetention" - }, - "snakeCase": { - "unsafeName": "google_protobuf_option_retention", - "safeName": "google_protobuf_option_retention" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_OPTION_RETENTION", - "safeName": "GOOGLE_PROTOBUF_OPTION_RETENTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufOptionRetention", - "safeName": "GoogleProtobufOptionRetention" - } - }, - "displayName": "OptionRetention" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "RETENTION_UNKNOWN", - "camelCase": { - "unsafeName": "retentionUnknown", - "safeName": "retentionUnknown" - }, - "snakeCase": { - "unsafeName": "retention_unknown", - "safeName": "retention_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "RETENTION_UNKNOWN", - "safeName": "RETENTION_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "RetentionUnknown", - "safeName": "RetentionUnknown" - } - }, - "wireValue": "RETENTION_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "RETENTION_RUNTIME", - "camelCase": { - "unsafeName": "retentionRuntime", - "safeName": "retentionRuntime" - }, - "snakeCase": { - "unsafeName": "retention_runtime", - "safeName": "retention_runtime" - }, - "screamingSnakeCase": { - "unsafeName": "RETENTION_RUNTIME", - "safeName": "RETENTION_RUNTIME" - }, - "pascalCase": { - "unsafeName": "RetentionRuntime", - "safeName": "RetentionRuntime" - } - }, - "wireValue": "RETENTION_RUNTIME" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "RETENTION_SOURCE", - "camelCase": { - "unsafeName": "retentionSource", - "safeName": "retentionSource" - }, - "snakeCase": { - "unsafeName": "retention_source", - "safeName": "retention_source" - }, - "screamingSnakeCase": { - "unsafeName": "RETENTION_SOURCE", - "safeName": "RETENTION_SOURCE" - }, - "pascalCase": { - "unsafeName": "RetentionSource", - "safeName": "RetentionSource" - } - }, - "wireValue": "RETENTION_SOURCE" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FieldOptions.OptionTargetType": { - "name": { - "typeId": "FieldOptions.OptionTargetType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.OptionTargetType", - "camelCase": { - "unsafeName": "googleProtobufOptionTargetType", - "safeName": "googleProtobufOptionTargetType" - }, - "snakeCase": { - "unsafeName": "google_protobuf_option_target_type", - "safeName": "google_protobuf_option_target_type" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_OPTION_TARGET_TYPE", - "safeName": "GOOGLE_PROTOBUF_OPTION_TARGET_TYPE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufOptionTargetType", - "safeName": "GoogleProtobufOptionTargetType" - } - }, - "displayName": "OptionTargetType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "TARGET_TYPE_UNKNOWN", - "camelCase": { - "unsafeName": "targetTypeUnknown", - "safeName": "targetTypeUnknown" - }, - "snakeCase": { - "unsafeName": "target_type_unknown", - "safeName": "target_type_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_TYPE_UNKNOWN", - "safeName": "TARGET_TYPE_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "TargetTypeUnknown", - "safeName": "TargetTypeUnknown" - } - }, - "wireValue": "TARGET_TYPE_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TARGET_TYPE_FILE", - "camelCase": { - "unsafeName": "targetTypeFile", - "safeName": "targetTypeFile" - }, - "snakeCase": { - "unsafeName": "target_type_file", - "safeName": "target_type_file" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_TYPE_FILE", - "safeName": "TARGET_TYPE_FILE" - }, - "pascalCase": { - "unsafeName": "TargetTypeFile", - "safeName": "TargetTypeFile" - } - }, - "wireValue": "TARGET_TYPE_FILE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TARGET_TYPE_EXTENSION_RANGE", - "camelCase": { - "unsafeName": "targetTypeExtensionRange", - "safeName": "targetTypeExtensionRange" - }, - "snakeCase": { - "unsafeName": "target_type_extension_range", - "safeName": "target_type_extension_range" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_TYPE_EXTENSION_RANGE", - "safeName": "TARGET_TYPE_EXTENSION_RANGE" - }, - "pascalCase": { - "unsafeName": "TargetTypeExtensionRange", - "safeName": "TargetTypeExtensionRange" - } - }, - "wireValue": "TARGET_TYPE_EXTENSION_RANGE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TARGET_TYPE_MESSAGE", - "camelCase": { - "unsafeName": "targetTypeMessage", - "safeName": "targetTypeMessage" - }, - "snakeCase": { - "unsafeName": "target_type_message", - "safeName": "target_type_message" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_TYPE_MESSAGE", - "safeName": "TARGET_TYPE_MESSAGE" - }, - "pascalCase": { - "unsafeName": "TargetTypeMessage", - "safeName": "TargetTypeMessage" - } - }, - "wireValue": "TARGET_TYPE_MESSAGE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TARGET_TYPE_FIELD", - "camelCase": { - "unsafeName": "targetTypeField", - "safeName": "targetTypeField" - }, - "snakeCase": { - "unsafeName": "target_type_field", - "safeName": "target_type_field" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_TYPE_FIELD", - "safeName": "TARGET_TYPE_FIELD" - }, - "pascalCase": { - "unsafeName": "TargetTypeField", - "safeName": "TargetTypeField" - } - }, - "wireValue": "TARGET_TYPE_FIELD" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TARGET_TYPE_ONEOF", - "camelCase": { - "unsafeName": "targetTypeOneof", - "safeName": "targetTypeOneof" - }, - "snakeCase": { - "unsafeName": "target_type_oneof", - "safeName": "target_type_oneof" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_TYPE_ONEOF", - "safeName": "TARGET_TYPE_ONEOF" - }, - "pascalCase": { - "unsafeName": "TargetTypeOneof", - "safeName": "TargetTypeOneof" - } - }, - "wireValue": "TARGET_TYPE_ONEOF" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TARGET_TYPE_ENUM", - "camelCase": { - "unsafeName": "targetTypeEnum", - "safeName": "targetTypeEnum" - }, - "snakeCase": { - "unsafeName": "target_type_enum", - "safeName": "target_type_enum" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_TYPE_ENUM", - "safeName": "TARGET_TYPE_ENUM" - }, - "pascalCase": { - "unsafeName": "TargetTypeEnum", - "safeName": "TargetTypeEnum" - } - }, - "wireValue": "TARGET_TYPE_ENUM" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TARGET_TYPE_ENUM_ENTRY", - "camelCase": { - "unsafeName": "targetTypeEnumEntry", - "safeName": "targetTypeEnumEntry" - }, - "snakeCase": { - "unsafeName": "target_type_enum_entry", - "safeName": "target_type_enum_entry" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_TYPE_ENUM_ENTRY", - "safeName": "TARGET_TYPE_ENUM_ENTRY" - }, - "pascalCase": { - "unsafeName": "TargetTypeEnumEntry", - "safeName": "TargetTypeEnumEntry" - } - }, - "wireValue": "TARGET_TYPE_ENUM_ENTRY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TARGET_TYPE_SERVICE", - "camelCase": { - "unsafeName": "targetTypeService", - "safeName": "targetTypeService" - }, - "snakeCase": { - "unsafeName": "target_type_service", - "safeName": "target_type_service" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_TYPE_SERVICE", - "safeName": "TARGET_TYPE_SERVICE" - }, - "pascalCase": { - "unsafeName": "TargetTypeService", - "safeName": "TargetTypeService" - } - }, - "wireValue": "TARGET_TYPE_SERVICE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TARGET_TYPE_METHOD", - "camelCase": { - "unsafeName": "targetTypeMethod", - "safeName": "targetTypeMethod" - }, - "snakeCase": { - "unsafeName": "target_type_method", - "safeName": "target_type_method" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_TYPE_METHOD", - "safeName": "TARGET_TYPE_METHOD" - }, - "pascalCase": { - "unsafeName": "TargetTypeMethod", - "safeName": "TargetTypeMethod" - } - }, - "wireValue": "TARGET_TYPE_METHOD" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FieldOptions": { - "name": { - "typeId": "google.protobuf.FieldOptions", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldOptions", - "camelCase": { - "unsafeName": "googleProtobufFieldOptions", - "safeName": "googleProtobufFieldOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_options", - "safeName": "google_protobuf_field_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldOptions", - "safeName": "GoogleProtobufFieldOptions" - } - }, - "displayName": "FieldOptions" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "ctype", - "camelCase": { - "unsafeName": "ctype", - "safeName": "ctype" - }, - "snakeCase": { - "unsafeName": "ctype", - "safeName": "ctype" - }, - "screamingSnakeCase": { - "unsafeName": "CTYPE", - "safeName": "CTYPE" - }, - "pascalCase": { - "unsafeName": "Ctype", - "safeName": "Ctype" - } - }, - "wireValue": "ctype" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldOptions.CType", - "camelCase": { - "unsafeName": "googleProtobufFieldOptionsCType", - "safeName": "googleProtobufFieldOptionsCType" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_options_c_type", - "safeName": "google_protobuf_field_options_c_type" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_C_TYPE", - "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_C_TYPE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldOptionsCType", - "safeName": "GoogleProtobufFieldOptionsCType" - } - }, - "typeId": "google.protobuf.FieldOptions.CType", - "default": null, - "inline": false, - "displayName": "ctype" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "packed", - "camelCase": { - "unsafeName": "packed", - "safeName": "packed" - }, - "snakeCase": { - "unsafeName": "packed", - "safeName": "packed" - }, - "screamingSnakeCase": { - "unsafeName": "PACKED", - "safeName": "PACKED" - }, - "pascalCase": { - "unsafeName": "Packed", - "safeName": "Packed" - } - }, - "wireValue": "packed" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "jstype", - "camelCase": { - "unsafeName": "jstype", - "safeName": "jstype" - }, - "snakeCase": { - "unsafeName": "jstype", - "safeName": "jstype" - }, - "screamingSnakeCase": { - "unsafeName": "JSTYPE", - "safeName": "JSTYPE" - }, - "pascalCase": { - "unsafeName": "Jstype", - "safeName": "Jstype" - } - }, - "wireValue": "jstype" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldOptions.JSType", - "camelCase": { - "unsafeName": "googleProtobufFieldOptionsJsType", - "safeName": "googleProtobufFieldOptionsJsType" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_options_js_type", - "safeName": "google_protobuf_field_options_js_type" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_JS_TYPE", - "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_JS_TYPE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldOptionsJsType", - "safeName": "GoogleProtobufFieldOptionsJsType" - } - }, - "typeId": "google.protobuf.FieldOptions.JSType", - "default": null, - "inline": false, - "displayName": "jstype" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "lazy", - "camelCase": { - "unsafeName": "lazy", - "safeName": "lazy" - }, - "snakeCase": { - "unsafeName": "lazy", - "safeName": "lazy" - }, - "screamingSnakeCase": { - "unsafeName": "LAZY", - "safeName": "LAZY" - }, - "pascalCase": { - "unsafeName": "Lazy", - "safeName": "Lazy" - } - }, - "wireValue": "lazy" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "unverified_lazy", - "camelCase": { - "unsafeName": "unverifiedLazy", - "safeName": "unverifiedLazy" - }, - "snakeCase": { - "unsafeName": "unverified_lazy", - "safeName": "unverified_lazy" - }, - "screamingSnakeCase": { - "unsafeName": "UNVERIFIED_LAZY", - "safeName": "UNVERIFIED_LAZY" - }, - "pascalCase": { - "unsafeName": "UnverifiedLazy", - "safeName": "UnverifiedLazy" - } - }, - "wireValue": "unverified_lazy" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "deprecated", - "camelCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "snakeCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "screamingSnakeCase": { - "unsafeName": "DEPRECATED", - "safeName": "DEPRECATED" - }, - "pascalCase": { - "unsafeName": "Deprecated", - "safeName": "Deprecated" - } - }, - "wireValue": "deprecated" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "weak", - "camelCase": { - "unsafeName": "weak", - "safeName": "weak" - }, - "snakeCase": { - "unsafeName": "weak", - "safeName": "weak" - }, - "screamingSnakeCase": { - "unsafeName": "WEAK", - "safeName": "WEAK" - }, - "pascalCase": { - "unsafeName": "Weak", - "safeName": "Weak" - } - }, - "wireValue": "weak" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "debug_redact", - "camelCase": { - "unsafeName": "debugRedact", - "safeName": "debugRedact" - }, - "snakeCase": { - "unsafeName": "debug_redact", - "safeName": "debug_redact" - }, - "screamingSnakeCase": { - "unsafeName": "DEBUG_REDACT", - "safeName": "DEBUG_REDACT" - }, - "pascalCase": { - "unsafeName": "DebugRedact", - "safeName": "DebugRedact" - } - }, - "wireValue": "debug_redact" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "retention", - "camelCase": { - "unsafeName": "retention", - "safeName": "retention" - }, - "snakeCase": { - "unsafeName": "retention", - "safeName": "retention" - }, - "screamingSnakeCase": { - "unsafeName": "RETENTION", - "safeName": "RETENTION" - }, - "pascalCase": { - "unsafeName": "Retention", - "safeName": "Retention" - } - }, - "wireValue": "retention" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldOptions.OptionRetention", - "camelCase": { - "unsafeName": "googleProtobufFieldOptionsOptionRetention", - "safeName": "googleProtobufFieldOptionsOptionRetention" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_options_option_retention", - "safeName": "google_protobuf_field_options_option_retention" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_OPTION_RETENTION", - "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_OPTION_RETENTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldOptionsOptionRetention", - "safeName": "GoogleProtobufFieldOptionsOptionRetention" - } - }, - "typeId": "google.protobuf.FieldOptions.OptionRetention", - "default": null, - "inline": false, - "displayName": "retention" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "targets", - "camelCase": { - "unsafeName": "targets", - "safeName": "targets" - }, - "snakeCase": { - "unsafeName": "targets", - "safeName": "targets" - }, - "screamingSnakeCase": { - "unsafeName": "TARGETS", - "safeName": "TARGETS" - }, - "pascalCase": { - "unsafeName": "Targets", - "safeName": "Targets" - } - }, - "wireValue": "targets" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldOptions.OptionTargetType", - "camelCase": { - "unsafeName": "googleProtobufFieldOptionsOptionTargetType", - "safeName": "googleProtobufFieldOptionsOptionTargetType" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_options_option_target_type", - "safeName": "google_protobuf_field_options_option_target_type" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_OPTION_TARGET_TYPE", - "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_OPTION_TARGET_TYPE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldOptionsOptionTargetType", - "safeName": "GoogleProtobufFieldOptionsOptionTargetType" - } - }, - "typeId": "google.protobuf.FieldOptions.OptionTargetType", - "default": null, - "inline": false, - "displayName": "targets" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "edition_defaults", - "camelCase": { - "unsafeName": "editionDefaults", - "safeName": "editionDefaults" - }, - "snakeCase": { - "unsafeName": "edition_defaults", - "safeName": "edition_defaults" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION_DEFAULTS", - "safeName": "EDITION_DEFAULTS" - }, - "pascalCase": { - "unsafeName": "EditionDefaults", - "safeName": "EditionDefaults" - } - }, - "wireValue": "edition_defaults" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldOptions.EditionDefault", - "camelCase": { - "unsafeName": "googleProtobufFieldOptionsEditionDefault", - "safeName": "googleProtobufFieldOptionsEditionDefault" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_options_edition_default", - "safeName": "google_protobuf_field_options_edition_default" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_EDITION_DEFAULT", - "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_EDITION_DEFAULT" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldOptionsEditionDefault", - "safeName": "GoogleProtobufFieldOptionsEditionDefault" - } - }, - "typeId": "google.protobuf.FieldOptions.EditionDefault", - "default": null, - "inline": false, - "displayName": "edition_defaults" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "features", - "camelCase": { - "unsafeName": "features", - "safeName": "features" - }, - "snakeCase": { - "unsafeName": "features", - "safeName": "features" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURES", - "safeName": "FEATURES" - }, - "pascalCase": { - "unsafeName": "Features", - "safeName": "Features" - } - }, - "wireValue": "features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "feature_support", - "camelCase": { - "unsafeName": "featureSupport", - "safeName": "featureSupport" - }, - "snakeCase": { - "unsafeName": "feature_support", - "safeName": "feature_support" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURE_SUPPORT", - "safeName": "FEATURE_SUPPORT" - }, - "pascalCase": { - "unsafeName": "FeatureSupport", - "safeName": "FeatureSupport" - } - }, - "wireValue": "feature_support" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldOptions.FeatureSupport", - "camelCase": { - "unsafeName": "googleProtobufFieldOptionsFeatureSupport", - "safeName": "googleProtobufFieldOptionsFeatureSupport" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_options_feature_support", - "safeName": "google_protobuf_field_options_feature_support" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_FEATURE_SUPPORT", - "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_FEATURE_SUPPORT" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldOptionsFeatureSupport", - "safeName": "GoogleProtobufFieldOptionsFeatureSupport" - } - }, - "typeId": "google.protobuf.FieldOptions.FeatureSupport", - "default": null, - "inline": false, - "displayName": "feature_support" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "uninterpreted_option", - "camelCase": { - "unsafeName": "uninterpretedOption", - "safeName": "uninterpretedOption" - }, - "snakeCase": { - "unsafeName": "uninterpreted_option", - "safeName": "uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "UNINTERPRETED_OPTION", - "safeName": "UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "UninterpretedOption", - "safeName": "UninterpretedOption" - } - }, - "wireValue": "uninterpreted_option" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOption", - "safeName": "googleProtobufUninterpretedOption" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option", - "safeName": "google_protobuf_uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOption", - "safeName": "GoogleProtobufUninterpretedOption" - } - }, - "typeId": "google.protobuf.UninterpretedOption", - "default": null, - "inline": false, - "displayName": "uninterpreted_option" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.OneofOptions": { - "name": { - "typeId": "google.protobuf.OneofOptions", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.OneofOptions", - "camelCase": { - "unsafeName": "googleProtobufOneofOptions", - "safeName": "googleProtobufOneofOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_oneof_options", - "safeName": "google_protobuf_oneof_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ONEOF_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_ONEOF_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufOneofOptions", - "safeName": "GoogleProtobufOneofOptions" - } - }, - "displayName": "OneofOptions" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "features", - "camelCase": { - "unsafeName": "features", - "safeName": "features" - }, - "snakeCase": { - "unsafeName": "features", - "safeName": "features" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURES", - "safeName": "FEATURES" - }, - "pascalCase": { - "unsafeName": "Features", - "safeName": "Features" - } - }, - "wireValue": "features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "uninterpreted_option", - "camelCase": { - "unsafeName": "uninterpretedOption", - "safeName": "uninterpretedOption" - }, - "snakeCase": { - "unsafeName": "uninterpreted_option", - "safeName": "uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "UNINTERPRETED_OPTION", - "safeName": "UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "UninterpretedOption", - "safeName": "UninterpretedOption" - } - }, - "wireValue": "uninterpreted_option" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOption", - "safeName": "googleProtobufUninterpretedOption" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option", - "safeName": "google_protobuf_uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOption", - "safeName": "GoogleProtobufUninterpretedOption" - } - }, - "typeId": "google.protobuf.UninterpretedOption", - "default": null, - "inline": false, - "displayName": "uninterpreted_option" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.EnumOptions": { - "name": { - "typeId": "google.protobuf.EnumOptions", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumOptions", - "camelCase": { - "unsafeName": "googleProtobufEnumOptions", - "safeName": "googleProtobufEnumOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_options", - "safeName": "google_protobuf_enum_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_ENUM_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumOptions", - "safeName": "GoogleProtobufEnumOptions" - } - }, - "displayName": "EnumOptions" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "allow_alias", - "camelCase": { - "unsafeName": "allowAlias", - "safeName": "allowAlias" - }, - "snakeCase": { - "unsafeName": "allow_alias", - "safeName": "allow_alias" - }, - "screamingSnakeCase": { - "unsafeName": "ALLOW_ALIAS", - "safeName": "ALLOW_ALIAS" - }, - "pascalCase": { - "unsafeName": "AllowAlias", - "safeName": "AllowAlias" - } - }, - "wireValue": "allow_alias" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "deprecated", - "camelCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "snakeCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "screamingSnakeCase": { - "unsafeName": "DEPRECATED", - "safeName": "DEPRECATED" - }, - "pascalCase": { - "unsafeName": "Deprecated", - "safeName": "Deprecated" - } - }, - "wireValue": "deprecated" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "deprecated_legacy_json_field_conflicts", - "camelCase": { - "unsafeName": "deprecatedLegacyJsonFieldConflicts", - "safeName": "deprecatedLegacyJsonFieldConflicts" - }, - "snakeCase": { - "unsafeName": "deprecated_legacy_json_field_conflicts", - "safeName": "deprecated_legacy_json_field_conflicts" - }, - "screamingSnakeCase": { - "unsafeName": "DEPRECATED_LEGACY_JSON_FIELD_CONFLICTS", - "safeName": "DEPRECATED_LEGACY_JSON_FIELD_CONFLICTS" - }, - "pascalCase": { - "unsafeName": "DeprecatedLegacyJsonFieldConflicts", - "safeName": "DeprecatedLegacyJsonFieldConflicts" - } - }, - "wireValue": "deprecated_legacy_json_field_conflicts" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": { - "status": "DEPRECATED", - "message": "DEPRECATED" - }, - "docs": null - }, - { - "name": { - "name": { - "originalName": "features", - "camelCase": { - "unsafeName": "features", - "safeName": "features" - }, - "snakeCase": { - "unsafeName": "features", - "safeName": "features" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURES", - "safeName": "FEATURES" - }, - "pascalCase": { - "unsafeName": "Features", - "safeName": "Features" - } - }, - "wireValue": "features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "uninterpreted_option", - "camelCase": { - "unsafeName": "uninterpretedOption", - "safeName": "uninterpretedOption" - }, - "snakeCase": { - "unsafeName": "uninterpreted_option", - "safeName": "uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "UNINTERPRETED_OPTION", - "safeName": "UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "UninterpretedOption", - "safeName": "UninterpretedOption" - } - }, - "wireValue": "uninterpreted_option" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOption", - "safeName": "googleProtobufUninterpretedOption" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option", - "safeName": "google_protobuf_uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOption", - "safeName": "GoogleProtobufUninterpretedOption" - } - }, - "typeId": "google.protobuf.UninterpretedOption", - "default": null, - "inline": false, - "displayName": "uninterpreted_option" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.EnumValueOptions": { - "name": { - "typeId": "google.protobuf.EnumValueOptions", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumValueOptions", - "camelCase": { - "unsafeName": "googleProtobufEnumValueOptions", - "safeName": "googleProtobufEnumValueOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_value_options", - "safeName": "google_protobuf_enum_value_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_VALUE_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_ENUM_VALUE_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumValueOptions", - "safeName": "GoogleProtobufEnumValueOptions" - } - }, - "displayName": "EnumValueOptions" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "deprecated", - "camelCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "snakeCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "screamingSnakeCase": { - "unsafeName": "DEPRECATED", - "safeName": "DEPRECATED" - }, - "pascalCase": { - "unsafeName": "Deprecated", - "safeName": "Deprecated" - } - }, - "wireValue": "deprecated" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "features", - "camelCase": { - "unsafeName": "features", - "safeName": "features" - }, - "snakeCase": { - "unsafeName": "features", - "safeName": "features" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURES", - "safeName": "FEATURES" - }, - "pascalCase": { - "unsafeName": "Features", - "safeName": "Features" - } - }, - "wireValue": "features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "debug_redact", - "camelCase": { - "unsafeName": "debugRedact", - "safeName": "debugRedact" - }, - "snakeCase": { - "unsafeName": "debug_redact", - "safeName": "debug_redact" - }, - "screamingSnakeCase": { - "unsafeName": "DEBUG_REDACT", - "safeName": "DEBUG_REDACT" - }, - "pascalCase": { - "unsafeName": "DebugRedact", - "safeName": "DebugRedact" - } - }, - "wireValue": "debug_redact" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "feature_support", - "camelCase": { - "unsafeName": "featureSupport", - "safeName": "featureSupport" - }, - "snakeCase": { - "unsafeName": "feature_support", - "safeName": "feature_support" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURE_SUPPORT", - "safeName": "FEATURE_SUPPORT" - }, - "pascalCase": { - "unsafeName": "FeatureSupport", - "safeName": "FeatureSupport" - } - }, - "wireValue": "feature_support" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldOptions.FeatureSupport", - "camelCase": { - "unsafeName": "googleProtobufFieldOptionsFeatureSupport", - "safeName": "googleProtobufFieldOptionsFeatureSupport" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_options_feature_support", - "safeName": "google_protobuf_field_options_feature_support" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_FEATURE_SUPPORT", - "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_FEATURE_SUPPORT" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldOptionsFeatureSupport", - "safeName": "GoogleProtobufFieldOptionsFeatureSupport" - } - }, - "typeId": "google.protobuf.FieldOptions.FeatureSupport", - "default": null, - "inline": false, - "displayName": "feature_support" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "uninterpreted_option", - "camelCase": { - "unsafeName": "uninterpretedOption", - "safeName": "uninterpretedOption" - }, - "snakeCase": { - "unsafeName": "uninterpreted_option", - "safeName": "uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "UNINTERPRETED_OPTION", - "safeName": "UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "UninterpretedOption", - "safeName": "UninterpretedOption" - } - }, - "wireValue": "uninterpreted_option" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOption", - "safeName": "googleProtobufUninterpretedOption" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option", - "safeName": "google_protobuf_uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOption", - "safeName": "GoogleProtobufUninterpretedOption" - } - }, - "typeId": "google.protobuf.UninterpretedOption", - "default": null, - "inline": false, - "displayName": "uninterpreted_option" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.ServiceOptions": { - "name": { - "typeId": "google.protobuf.ServiceOptions", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.ServiceOptions", - "camelCase": { - "unsafeName": "googleProtobufServiceOptions", - "safeName": "googleProtobufServiceOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_service_options", - "safeName": "google_protobuf_service_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_SERVICE_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_SERVICE_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufServiceOptions", - "safeName": "GoogleProtobufServiceOptions" - } - }, - "displayName": "ServiceOptions" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "features", - "camelCase": { - "unsafeName": "features", - "safeName": "features" - }, - "snakeCase": { - "unsafeName": "features", - "safeName": "features" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURES", - "safeName": "FEATURES" - }, - "pascalCase": { - "unsafeName": "Features", - "safeName": "Features" - } - }, - "wireValue": "features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "deprecated", - "camelCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "snakeCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "screamingSnakeCase": { - "unsafeName": "DEPRECATED", - "safeName": "DEPRECATED" - }, - "pascalCase": { - "unsafeName": "Deprecated", - "safeName": "Deprecated" - } - }, - "wireValue": "deprecated" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "uninterpreted_option", - "camelCase": { - "unsafeName": "uninterpretedOption", - "safeName": "uninterpretedOption" - }, - "snakeCase": { - "unsafeName": "uninterpreted_option", - "safeName": "uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "UNINTERPRETED_OPTION", - "safeName": "UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "UninterpretedOption", - "safeName": "UninterpretedOption" - } - }, - "wireValue": "uninterpreted_option" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOption", - "safeName": "googleProtobufUninterpretedOption" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option", - "safeName": "google_protobuf_uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOption", - "safeName": "GoogleProtobufUninterpretedOption" - } - }, - "typeId": "google.protobuf.UninterpretedOption", - "default": null, - "inline": false, - "displayName": "uninterpreted_option" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.MethodOptions.IdempotencyLevel": { - "name": { - "typeId": "MethodOptions.IdempotencyLevel", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.IdempotencyLevel", - "camelCase": { - "unsafeName": "googleProtobufIdempotencyLevel", - "safeName": "googleProtobufIdempotencyLevel" - }, - "snakeCase": { - "unsafeName": "google_protobuf_idempotency_level", - "safeName": "google_protobuf_idempotency_level" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_IDEMPOTENCY_LEVEL", - "safeName": "GOOGLE_PROTOBUF_IDEMPOTENCY_LEVEL" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufIdempotencyLevel", - "safeName": "GoogleProtobufIdempotencyLevel" - } - }, - "displayName": "IdempotencyLevel" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "IDEMPOTENCY_UNKNOWN", - "camelCase": { - "unsafeName": "idempotencyUnknown", - "safeName": "idempotencyUnknown" - }, - "snakeCase": { - "unsafeName": "idempotency_unknown", - "safeName": "idempotency_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "IDEMPOTENCY_UNKNOWN", - "safeName": "IDEMPOTENCY_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "IdempotencyUnknown", - "safeName": "IdempotencyUnknown" - } - }, - "wireValue": "IDEMPOTENCY_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NO_SIDE_EFFECTS", - "camelCase": { - "unsafeName": "noSideEffects", - "safeName": "noSideEffects" - }, - "snakeCase": { - "unsafeName": "no_side_effects", - "safeName": "no_side_effects" - }, - "screamingSnakeCase": { - "unsafeName": "NO_SIDE_EFFECTS", - "safeName": "NO_SIDE_EFFECTS" - }, - "pascalCase": { - "unsafeName": "NoSideEffects", - "safeName": "NoSideEffects" - } - }, - "wireValue": "NO_SIDE_EFFECTS" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "IDEMPOTENT", - "camelCase": { - "unsafeName": "idempotent", - "safeName": "idempotent" - }, - "snakeCase": { - "unsafeName": "idempotent", - "safeName": "idempotent" - }, - "screamingSnakeCase": { - "unsafeName": "IDEMPOTENT", - "safeName": "IDEMPOTENT" - }, - "pascalCase": { - "unsafeName": "Idempotent", - "safeName": "Idempotent" - } - }, - "wireValue": "IDEMPOTENT" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.MethodOptions": { - "name": { - "typeId": "google.protobuf.MethodOptions", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.MethodOptions", - "camelCase": { - "unsafeName": "googleProtobufMethodOptions", - "safeName": "googleProtobufMethodOptions" - }, - "snakeCase": { - "unsafeName": "google_protobuf_method_options", - "safeName": "google_protobuf_method_options" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS", - "safeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufMethodOptions", - "safeName": "GoogleProtobufMethodOptions" - } - }, - "displayName": "MethodOptions" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "deprecated", - "camelCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "snakeCase": { - "unsafeName": "deprecated", - "safeName": "deprecated" - }, - "screamingSnakeCase": { - "unsafeName": "DEPRECATED", - "safeName": "DEPRECATED" - }, - "pascalCase": { - "unsafeName": "Deprecated", - "safeName": "Deprecated" - } - }, - "wireValue": "deprecated" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "idempotency_level", - "camelCase": { - "unsafeName": "idempotencyLevel", - "safeName": "idempotencyLevel" - }, - "snakeCase": { - "unsafeName": "idempotency_level", - "safeName": "idempotency_level" - }, - "screamingSnakeCase": { - "unsafeName": "IDEMPOTENCY_LEVEL", - "safeName": "IDEMPOTENCY_LEVEL" - }, - "pascalCase": { - "unsafeName": "IdempotencyLevel", - "safeName": "IdempotencyLevel" - } - }, - "wireValue": "idempotency_level" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.MethodOptions.IdempotencyLevel", - "camelCase": { - "unsafeName": "googleProtobufMethodOptionsIdempotencyLevel", - "safeName": "googleProtobufMethodOptionsIdempotencyLevel" - }, - "snakeCase": { - "unsafeName": "google_protobuf_method_options_idempotency_level", - "safeName": "google_protobuf_method_options_idempotency_level" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS_IDEMPOTENCY_LEVEL", - "safeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS_IDEMPOTENCY_LEVEL" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufMethodOptionsIdempotencyLevel", - "safeName": "GoogleProtobufMethodOptionsIdempotencyLevel" - } - }, - "typeId": "google.protobuf.MethodOptions.IdempotencyLevel", - "default": null, - "inline": false, - "displayName": "idempotency_level" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "features", - "camelCase": { - "unsafeName": "features", - "safeName": "features" - }, - "snakeCase": { - "unsafeName": "features", - "safeName": "features" - }, - "screamingSnakeCase": { - "unsafeName": "FEATURES", - "safeName": "FEATURES" - }, - "pascalCase": { - "unsafeName": "Features", - "safeName": "Features" - } - }, - "wireValue": "features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "uninterpreted_option", - "camelCase": { - "unsafeName": "uninterpretedOption", - "safeName": "uninterpretedOption" - }, - "snakeCase": { - "unsafeName": "uninterpreted_option", - "safeName": "uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "UNINTERPRETED_OPTION", - "safeName": "UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "UninterpretedOption", - "safeName": "UninterpretedOption" - } - }, - "wireValue": "uninterpreted_option" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOption", - "safeName": "googleProtobufUninterpretedOption" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option", - "safeName": "google_protobuf_uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOption", - "safeName": "GoogleProtobufUninterpretedOption" - } - }, - "typeId": "google.protobuf.UninterpretedOption", - "default": null, - "inline": false, - "displayName": "uninterpreted_option" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.UninterpretedOption.NamePart": { - "name": { - "typeId": "UninterpretedOption.NamePart", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.NamePart", - "camelCase": { - "unsafeName": "googleProtobufNamePart", - "safeName": "googleProtobufNamePart" - }, - "snakeCase": { - "unsafeName": "google_protobuf_name_part", - "safeName": "google_protobuf_name_part" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_NAME_PART", - "safeName": "GOOGLE_PROTOBUF_NAME_PART" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufNamePart", - "safeName": "GoogleProtobufNamePart" - } - }, - "displayName": "NamePart" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "name_part", - "camelCase": { - "unsafeName": "namePart", - "safeName": "namePart" - }, - "snakeCase": { - "unsafeName": "name_part", - "safeName": "name_part" - }, - "screamingSnakeCase": { - "unsafeName": "NAME_PART", - "safeName": "NAME_PART" - }, - "pascalCase": { - "unsafeName": "NamePart", - "safeName": "NamePart" - } - }, - "wireValue": "name_part" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "is_extension", - "camelCase": { - "unsafeName": "isExtension", - "safeName": "isExtension" - }, - "snakeCase": { - "unsafeName": "is_extension", - "safeName": "is_extension" - }, - "screamingSnakeCase": { - "unsafeName": "IS_EXTENSION", - "safeName": "IS_EXTENSION" - }, - "pascalCase": { - "unsafeName": "IsExtension", - "safeName": "IsExtension" - } - }, - "wireValue": "is_extension" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.UninterpretedOption": { - "name": { - "typeId": "google.protobuf.UninterpretedOption", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOption", - "safeName": "googleProtobufUninterpretedOption" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option", - "safeName": "google_protobuf_uninterpreted_option" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOption", - "safeName": "GoogleProtobufUninterpretedOption" - } - }, - "displayName": "UninterpretedOption" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UninterpretedOption.NamePart", - "camelCase": { - "unsafeName": "googleProtobufUninterpretedOptionNamePart", - "safeName": "googleProtobufUninterpretedOptionNamePart" - }, - "snakeCase": { - "unsafeName": "google_protobuf_uninterpreted_option_name_part", - "safeName": "google_protobuf_uninterpreted_option_name_part" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION_NAME_PART", - "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION_NAME_PART" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUninterpretedOptionNamePart", - "safeName": "GoogleProtobufUninterpretedOptionNamePart" - } - }, - "typeId": "google.protobuf.UninterpretedOption.NamePart", - "default": null, - "inline": false, - "displayName": "name" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "identifier_value", - "camelCase": { - "unsafeName": "identifierValue", - "safeName": "identifierValue" - }, - "snakeCase": { - "unsafeName": "identifier_value", - "safeName": "identifier_value" - }, - "screamingSnakeCase": { - "unsafeName": "IDENTIFIER_VALUE", - "safeName": "IDENTIFIER_VALUE" - }, - "pascalCase": { - "unsafeName": "IdentifierValue", - "safeName": "IdentifierValue" - } - }, - "wireValue": "identifier_value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "positive_int_value", - "camelCase": { - "unsafeName": "positiveIntValue", - "safeName": "positiveIntValue" - }, - "snakeCase": { - "unsafeName": "positive_int_value", - "safeName": "positive_int_value" - }, - "screamingSnakeCase": { - "unsafeName": "POSITIVE_INT_VALUE", - "safeName": "POSITIVE_INT_VALUE" - }, - "pascalCase": { - "unsafeName": "PositiveIntValue", - "safeName": "PositiveIntValue" - } - }, - "wireValue": "positive_int_value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT_64", - "v2": { - "type": "uint64" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "negative_int_value", - "camelCase": { - "unsafeName": "negativeIntValue", - "safeName": "negativeIntValue" - }, - "snakeCase": { - "unsafeName": "negative_int_value", - "safeName": "negative_int_value" - }, - "screamingSnakeCase": { - "unsafeName": "NEGATIVE_INT_VALUE", - "safeName": "NEGATIVE_INT_VALUE" - }, - "pascalCase": { - "unsafeName": "NegativeIntValue", - "safeName": "NegativeIntValue" - } - }, - "wireValue": "negative_int_value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "LONG", - "v2": { - "type": "long", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "double_value", - "camelCase": { - "unsafeName": "doubleValue", - "safeName": "doubleValue" - }, - "snakeCase": { - "unsafeName": "double_value", - "safeName": "double_value" - }, - "screamingSnakeCase": { - "unsafeName": "DOUBLE_VALUE", - "safeName": "DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "DoubleValue", - "safeName": "DoubleValue" - } - }, - "wireValue": "double_value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "string_value", - "camelCase": { - "unsafeName": "stringValue", - "safeName": "stringValue" - }, - "snakeCase": { - "unsafeName": "string_value", - "safeName": "string_value" - }, - "screamingSnakeCase": { - "unsafeName": "STRING_VALUE", - "safeName": "STRING_VALUE" - }, - "pascalCase": { - "unsafeName": "StringValue", - "safeName": "StringValue" - } - }, - "wireValue": "string_value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "unknown" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "aggregate_value", - "camelCase": { - "unsafeName": "aggregateValue", - "safeName": "aggregateValue" - }, - "snakeCase": { - "unsafeName": "aggregate_value", - "safeName": "aggregate_value" - }, - "screamingSnakeCase": { - "unsafeName": "AGGREGATE_VALUE", - "safeName": "AGGREGATE_VALUE" - }, - "pascalCase": { - "unsafeName": "AggregateValue", - "safeName": "AggregateValue" - } - }, - "wireValue": "aggregate_value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.FeatureSet.FieldPresence": { - "name": { - "typeId": "FeatureSet.FieldPresence", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FieldPresence", - "camelCase": { - "unsafeName": "googleProtobufFieldPresence", - "safeName": "googleProtobufFieldPresence" - }, - "snakeCase": { - "unsafeName": "google_protobuf_field_presence", - "safeName": "google_protobuf_field_presence" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FIELD_PRESENCE", - "safeName": "GOOGLE_PROTOBUF_FIELD_PRESENCE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFieldPresence", - "safeName": "GoogleProtobufFieldPresence" - } - }, - "displayName": "FieldPresence" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "FIELD_PRESENCE_UNKNOWN", - "camelCase": { - "unsafeName": "fieldPresenceUnknown", - "safeName": "fieldPresenceUnknown" - }, - "snakeCase": { - "unsafeName": "field_presence_unknown", - "safeName": "field_presence_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "FIELD_PRESENCE_UNKNOWN", - "safeName": "FIELD_PRESENCE_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "FieldPresenceUnknown", - "safeName": "FieldPresenceUnknown" - } - }, - "wireValue": "FIELD_PRESENCE_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EXPLICIT", - "camelCase": { - "unsafeName": "explicit", - "safeName": "explicit" - }, - "snakeCase": { - "unsafeName": "explicit", - "safeName": "explicit" - }, - "screamingSnakeCase": { - "unsafeName": "EXPLICIT", - "safeName": "EXPLICIT" - }, - "pascalCase": { - "unsafeName": "Explicit", - "safeName": "Explicit" - } - }, - "wireValue": "EXPLICIT" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "IMPLICIT", - "camelCase": { - "unsafeName": "implicit", - "safeName": "implicit" - }, - "snakeCase": { - "unsafeName": "implicit", - "safeName": "implicit" - }, - "screamingSnakeCase": { - "unsafeName": "IMPLICIT", - "safeName": "IMPLICIT" - }, - "pascalCase": { - "unsafeName": "Implicit", - "safeName": "Implicit" - } - }, - "wireValue": "IMPLICIT" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "LEGACY_REQUIRED", - "camelCase": { - "unsafeName": "legacyRequired", - "safeName": "legacyRequired" - }, - "snakeCase": { - "unsafeName": "legacy_required", - "safeName": "legacy_required" - }, - "screamingSnakeCase": { - "unsafeName": "LEGACY_REQUIRED", - "safeName": "LEGACY_REQUIRED" - }, - "pascalCase": { - "unsafeName": "LegacyRequired", - "safeName": "LegacyRequired" - } - }, - "wireValue": "LEGACY_REQUIRED" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FeatureSet.EnumType": { - "name": { - "typeId": "FeatureSet.EnumType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.EnumType", - "camelCase": { - "unsafeName": "googleProtobufEnumType", - "safeName": "googleProtobufEnumType" - }, - "snakeCase": { - "unsafeName": "google_protobuf_enum_type", - "safeName": "google_protobuf_enum_type" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ENUM_TYPE", - "safeName": "GOOGLE_PROTOBUF_ENUM_TYPE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEnumType", - "safeName": "GoogleProtobufEnumType" - } - }, - "displayName": "EnumType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "ENUM_TYPE_UNKNOWN", - "camelCase": { - "unsafeName": "enumTypeUnknown", - "safeName": "enumTypeUnknown" - }, - "snakeCase": { - "unsafeName": "enum_type_unknown", - "safeName": "enum_type_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "ENUM_TYPE_UNKNOWN", - "safeName": "ENUM_TYPE_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "EnumTypeUnknown", - "safeName": "EnumTypeUnknown" - } - }, - "wireValue": "ENUM_TYPE_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "OPEN", - "camelCase": { - "unsafeName": "open", - "safeName": "open" - }, - "snakeCase": { - "unsafeName": "open", - "safeName": "open" - }, - "screamingSnakeCase": { - "unsafeName": "OPEN", - "safeName": "OPEN" - }, - "pascalCase": { - "unsafeName": "Open", - "safeName": "Open" - } - }, - "wireValue": "OPEN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CLOSED", - "camelCase": { - "unsafeName": "closed", - "safeName": "closed" - }, - "snakeCase": { - "unsafeName": "closed", - "safeName": "closed" - }, - "screamingSnakeCase": { - "unsafeName": "CLOSED", - "safeName": "CLOSED" - }, - "pascalCase": { - "unsafeName": "Closed", - "safeName": "Closed" - } - }, - "wireValue": "CLOSED" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FeatureSet.RepeatedFieldEncoding": { - "name": { - "typeId": "FeatureSet.RepeatedFieldEncoding", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.RepeatedFieldEncoding", - "camelCase": { - "unsafeName": "googleProtobufRepeatedFieldEncoding", - "safeName": "googleProtobufRepeatedFieldEncoding" - }, - "snakeCase": { - "unsafeName": "google_protobuf_repeated_field_encoding", - "safeName": "google_protobuf_repeated_field_encoding" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_REPEATED_FIELD_ENCODING", - "safeName": "GOOGLE_PROTOBUF_REPEATED_FIELD_ENCODING" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufRepeatedFieldEncoding", - "safeName": "GoogleProtobufRepeatedFieldEncoding" - } - }, - "displayName": "RepeatedFieldEncoding" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "REPEATED_FIELD_ENCODING_UNKNOWN", - "camelCase": { - "unsafeName": "repeatedFieldEncodingUnknown", - "safeName": "repeatedFieldEncodingUnknown" - }, - "snakeCase": { - "unsafeName": "repeated_field_encoding_unknown", - "safeName": "repeated_field_encoding_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "REPEATED_FIELD_ENCODING_UNKNOWN", - "safeName": "REPEATED_FIELD_ENCODING_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "RepeatedFieldEncodingUnknown", - "safeName": "RepeatedFieldEncodingUnknown" - } - }, - "wireValue": "REPEATED_FIELD_ENCODING_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "PACKED", - "camelCase": { - "unsafeName": "packed", - "safeName": "packed" - }, - "snakeCase": { - "unsafeName": "packed", - "safeName": "packed" - }, - "screamingSnakeCase": { - "unsafeName": "PACKED", - "safeName": "PACKED" - }, - "pascalCase": { - "unsafeName": "Packed", - "safeName": "Packed" - } - }, - "wireValue": "PACKED" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EXPANDED", - "camelCase": { - "unsafeName": "expanded", - "safeName": "expanded" - }, - "snakeCase": { - "unsafeName": "expanded", - "safeName": "expanded" - }, - "screamingSnakeCase": { - "unsafeName": "EXPANDED", - "safeName": "EXPANDED" - }, - "pascalCase": { - "unsafeName": "Expanded", - "safeName": "Expanded" - } - }, - "wireValue": "EXPANDED" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FeatureSet.Utf8Validation": { - "name": { - "typeId": "FeatureSet.Utf8Validation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Utf8Validation", - "camelCase": { - "unsafeName": "googleProtobufUtf8Validation", - "safeName": "googleProtobufUtf8Validation" - }, - "snakeCase": { - "unsafeName": "google_protobuf_utf_8_validation", - "safeName": "google_protobuf_utf_8_validation" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_UTF_8_VALIDATION", - "safeName": "GOOGLE_PROTOBUF_UTF_8_VALIDATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUtf8Validation", - "safeName": "GoogleProtobufUtf8Validation" - } - }, - "displayName": "Utf8Validation" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "UTF8_VALIDATION_UNKNOWN", - "camelCase": { - "unsafeName": "utf8ValidationUnknown", - "safeName": "utf8ValidationUnknown" - }, - "snakeCase": { - "unsafeName": "utf_8_validation_unknown", - "safeName": "utf_8_validation_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "UTF_8_VALIDATION_UNKNOWN", - "safeName": "UTF_8_VALIDATION_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "Utf8ValidationUnknown", - "safeName": "Utf8ValidationUnknown" - } - }, - "wireValue": "UTF8_VALIDATION_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "VERIFY", - "camelCase": { - "unsafeName": "verify", - "safeName": "verify" - }, - "snakeCase": { - "unsafeName": "verify", - "safeName": "verify" - }, - "screamingSnakeCase": { - "unsafeName": "VERIFY", - "safeName": "VERIFY" - }, - "pascalCase": { - "unsafeName": "Verify", - "safeName": "Verify" - } - }, - "wireValue": "VERIFY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NONE", - "camelCase": { - "unsafeName": "none", - "safeName": "none" - }, - "snakeCase": { - "unsafeName": "none", - "safeName": "none" - }, - "screamingSnakeCase": { - "unsafeName": "NONE", - "safeName": "NONE" - }, - "pascalCase": { - "unsafeName": "None", - "safeName": "None" - } - }, - "wireValue": "NONE" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FeatureSet.MessageEncoding": { - "name": { - "typeId": "FeatureSet.MessageEncoding", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.MessageEncoding", - "camelCase": { - "unsafeName": "googleProtobufMessageEncoding", - "safeName": "googleProtobufMessageEncoding" - }, - "snakeCase": { - "unsafeName": "google_protobuf_message_encoding", - "safeName": "google_protobuf_message_encoding" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_MESSAGE_ENCODING", - "safeName": "GOOGLE_PROTOBUF_MESSAGE_ENCODING" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufMessageEncoding", - "safeName": "GoogleProtobufMessageEncoding" - } - }, - "displayName": "MessageEncoding" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "MESSAGE_ENCODING_UNKNOWN", - "camelCase": { - "unsafeName": "messageEncodingUnknown", - "safeName": "messageEncodingUnknown" - }, - "snakeCase": { - "unsafeName": "message_encoding_unknown", - "safeName": "message_encoding_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "MESSAGE_ENCODING_UNKNOWN", - "safeName": "MESSAGE_ENCODING_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "MessageEncodingUnknown", - "safeName": "MessageEncodingUnknown" - } - }, - "wireValue": "MESSAGE_ENCODING_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "LENGTH_PREFIXED", - "camelCase": { - "unsafeName": "lengthPrefixed", - "safeName": "lengthPrefixed" - }, - "snakeCase": { - "unsafeName": "length_prefixed", - "safeName": "length_prefixed" - }, - "screamingSnakeCase": { - "unsafeName": "LENGTH_PREFIXED", - "safeName": "LENGTH_PREFIXED" - }, - "pascalCase": { - "unsafeName": "LengthPrefixed", - "safeName": "LengthPrefixed" - } - }, - "wireValue": "LENGTH_PREFIXED" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "DELIMITED", - "camelCase": { - "unsafeName": "delimited", - "safeName": "delimited" - }, - "snakeCase": { - "unsafeName": "delimited", - "safeName": "delimited" - }, - "screamingSnakeCase": { - "unsafeName": "DELIMITED", - "safeName": "DELIMITED" - }, - "pascalCase": { - "unsafeName": "Delimited", - "safeName": "Delimited" - } - }, - "wireValue": "DELIMITED" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FeatureSet.JsonFormat": { - "name": { - "typeId": "FeatureSet.JsonFormat", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.JsonFormat", - "camelCase": { - "unsafeName": "googleProtobufJsonFormat", - "safeName": "googleProtobufJsonFormat" - }, - "snakeCase": { - "unsafeName": "google_protobuf_json_format", - "safeName": "google_protobuf_json_format" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_JSON_FORMAT", - "safeName": "GOOGLE_PROTOBUF_JSON_FORMAT" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufJsonFormat", - "safeName": "GoogleProtobufJsonFormat" - } - }, - "displayName": "JsonFormat" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "JSON_FORMAT_UNKNOWN", - "camelCase": { - "unsafeName": "jsonFormatUnknown", - "safeName": "jsonFormatUnknown" - }, - "snakeCase": { - "unsafeName": "json_format_unknown", - "safeName": "json_format_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "JSON_FORMAT_UNKNOWN", - "safeName": "JSON_FORMAT_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "JsonFormatUnknown", - "safeName": "JsonFormatUnknown" - } - }, - "wireValue": "JSON_FORMAT_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ALLOW", - "camelCase": { - "unsafeName": "allow", - "safeName": "allow" - }, - "snakeCase": { - "unsafeName": "allow", - "safeName": "allow" - }, - "screamingSnakeCase": { - "unsafeName": "ALLOW", - "safeName": "ALLOW" - }, - "pascalCase": { - "unsafeName": "Allow", - "safeName": "Allow" - } - }, - "wireValue": "ALLOW" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "LEGACY_BEST_EFFORT", - "camelCase": { - "unsafeName": "legacyBestEffort", - "safeName": "legacyBestEffort" - }, - "snakeCase": { - "unsafeName": "legacy_best_effort", - "safeName": "legacy_best_effort" - }, - "screamingSnakeCase": { - "unsafeName": "LEGACY_BEST_EFFORT", - "safeName": "LEGACY_BEST_EFFORT" - }, - "pascalCase": { - "unsafeName": "LegacyBestEffort", - "safeName": "LegacyBestEffort" - } - }, - "wireValue": "LEGACY_BEST_EFFORT" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.FeatureSet": { - "name": { - "typeId": "google.protobuf.FeatureSet", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "displayName": "FeatureSet" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "field_presence", - "camelCase": { - "unsafeName": "fieldPresence", - "safeName": "fieldPresence" - }, - "snakeCase": { - "unsafeName": "field_presence", - "safeName": "field_presence" - }, - "screamingSnakeCase": { - "unsafeName": "FIELD_PRESENCE", - "safeName": "FIELD_PRESENCE" - }, - "pascalCase": { - "unsafeName": "FieldPresence", - "safeName": "FieldPresence" - } - }, - "wireValue": "field_presence" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet.FieldPresence", - "camelCase": { - "unsafeName": "googleProtobufFeatureSetFieldPresence", - "safeName": "googleProtobufFeatureSetFieldPresence" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set_field_presence", - "safeName": "google_protobuf_feature_set_field_presence" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_FIELD_PRESENCE", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_FIELD_PRESENCE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSetFieldPresence", - "safeName": "GoogleProtobufFeatureSetFieldPresence" - } - }, - "typeId": "google.protobuf.FeatureSet.FieldPresence", - "default": null, - "inline": false, - "displayName": "field_presence" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "enum_type", - "camelCase": { - "unsafeName": "enumType", - "safeName": "enumType" - }, - "snakeCase": { - "unsafeName": "enum_type", - "safeName": "enum_type" - }, - "screamingSnakeCase": { - "unsafeName": "ENUM_TYPE", - "safeName": "ENUM_TYPE" - }, - "pascalCase": { - "unsafeName": "EnumType", - "safeName": "EnumType" - } - }, - "wireValue": "enum_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet.EnumType", - "camelCase": { - "unsafeName": "googleProtobufFeatureSetEnumType", - "safeName": "googleProtobufFeatureSetEnumType" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set_enum_type", - "safeName": "google_protobuf_feature_set_enum_type" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_ENUM_TYPE", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_ENUM_TYPE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSetEnumType", - "safeName": "GoogleProtobufFeatureSetEnumType" - } - }, - "typeId": "google.protobuf.FeatureSet.EnumType", - "default": null, - "inline": false, - "displayName": "enum_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "repeated_field_encoding", - "camelCase": { - "unsafeName": "repeatedFieldEncoding", - "safeName": "repeatedFieldEncoding" - }, - "snakeCase": { - "unsafeName": "repeated_field_encoding", - "safeName": "repeated_field_encoding" - }, - "screamingSnakeCase": { - "unsafeName": "REPEATED_FIELD_ENCODING", - "safeName": "REPEATED_FIELD_ENCODING" - }, - "pascalCase": { - "unsafeName": "RepeatedFieldEncoding", - "safeName": "RepeatedFieldEncoding" - } - }, - "wireValue": "repeated_field_encoding" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet.RepeatedFieldEncoding", - "camelCase": { - "unsafeName": "googleProtobufFeatureSetRepeatedFieldEncoding", - "safeName": "googleProtobufFeatureSetRepeatedFieldEncoding" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set_repeated_field_encoding", - "safeName": "google_protobuf_feature_set_repeated_field_encoding" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_REPEATED_FIELD_ENCODING", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_REPEATED_FIELD_ENCODING" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSetRepeatedFieldEncoding", - "safeName": "GoogleProtobufFeatureSetRepeatedFieldEncoding" - } - }, - "typeId": "google.protobuf.FeatureSet.RepeatedFieldEncoding", - "default": null, - "inline": false, - "displayName": "repeated_field_encoding" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "utf8_validation", - "camelCase": { - "unsafeName": "utf8Validation", - "safeName": "utf8Validation" - }, - "snakeCase": { - "unsafeName": "utf_8_validation", - "safeName": "utf_8_validation" - }, - "screamingSnakeCase": { - "unsafeName": "UTF_8_VALIDATION", - "safeName": "UTF_8_VALIDATION" - }, - "pascalCase": { - "unsafeName": "Utf8Validation", - "safeName": "Utf8Validation" - } - }, - "wireValue": "utf8_validation" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet.Utf8Validation", - "camelCase": { - "unsafeName": "googleProtobufFeatureSetUtf8Validation", - "safeName": "googleProtobufFeatureSetUtf8Validation" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set_utf_8_validation", - "safeName": "google_protobuf_feature_set_utf_8_validation" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_UTF_8_VALIDATION", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_UTF_8_VALIDATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSetUtf8Validation", - "safeName": "GoogleProtobufFeatureSetUtf8Validation" - } - }, - "typeId": "google.protobuf.FeatureSet.Utf8Validation", - "default": null, - "inline": false, - "displayName": "utf8_validation" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "message_encoding", - "camelCase": { - "unsafeName": "messageEncoding", - "safeName": "messageEncoding" - }, - "snakeCase": { - "unsafeName": "message_encoding", - "safeName": "message_encoding" - }, - "screamingSnakeCase": { - "unsafeName": "MESSAGE_ENCODING", - "safeName": "MESSAGE_ENCODING" - }, - "pascalCase": { - "unsafeName": "MessageEncoding", - "safeName": "MessageEncoding" - } - }, - "wireValue": "message_encoding" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet.MessageEncoding", - "camelCase": { - "unsafeName": "googleProtobufFeatureSetMessageEncoding", - "safeName": "googleProtobufFeatureSetMessageEncoding" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set_message_encoding", - "safeName": "google_protobuf_feature_set_message_encoding" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_MESSAGE_ENCODING", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_MESSAGE_ENCODING" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSetMessageEncoding", - "safeName": "GoogleProtobufFeatureSetMessageEncoding" - } - }, - "typeId": "google.protobuf.FeatureSet.MessageEncoding", - "default": null, - "inline": false, - "displayName": "message_encoding" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "json_format", - "camelCase": { - "unsafeName": "jsonFormat", - "safeName": "jsonFormat" - }, - "snakeCase": { - "unsafeName": "json_format", - "safeName": "json_format" - }, - "screamingSnakeCase": { - "unsafeName": "JSON_FORMAT", - "safeName": "JSON_FORMAT" - }, - "pascalCase": { - "unsafeName": "JsonFormat", - "safeName": "JsonFormat" - } - }, - "wireValue": "json_format" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet.JsonFormat", - "camelCase": { - "unsafeName": "googleProtobufFeatureSetJsonFormat", - "safeName": "googleProtobufFeatureSetJsonFormat" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set_json_format", - "safeName": "google_protobuf_feature_set_json_format" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_JSON_FORMAT", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_JSON_FORMAT" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSetJsonFormat", - "safeName": "GoogleProtobufFeatureSetJsonFormat" - } - }, - "typeId": "google.protobuf.FeatureSet.JsonFormat", - "default": null, - "inline": false, - "displayName": "json_format" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.FeatureSetDefaults.FeatureSetEditionDefault": { - "name": { - "typeId": "FeatureSetDefaults.FeatureSetEditionDefault", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSetEditionDefault", - "camelCase": { - "unsafeName": "googleProtobufFeatureSetEditionDefault", - "safeName": "googleProtobufFeatureSetEditionDefault" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set_edition_default", - "safeName": "google_protobuf_feature_set_edition_default" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_EDITION_DEFAULT", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_EDITION_DEFAULT" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSetEditionDefault", - "safeName": "GoogleProtobufFeatureSetEditionDefault" - } - }, - "displayName": "FeatureSetEditionDefault" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "edition", - "camelCase": { - "unsafeName": "edition", - "safeName": "edition" - }, - "snakeCase": { - "unsafeName": "edition", - "safeName": "edition" - }, - "screamingSnakeCase": { - "unsafeName": "EDITION", - "safeName": "EDITION" - }, - "pascalCase": { - "unsafeName": "Edition", - "safeName": "Edition" - } - }, - "wireValue": "edition" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Edition", - "camelCase": { - "unsafeName": "googleProtobufEdition", - "safeName": "googleProtobufEdition" - }, - "snakeCase": { - "unsafeName": "google_protobuf_edition", - "safeName": "google_protobuf_edition" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EDITION", - "safeName": "GOOGLE_PROTOBUF_EDITION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEdition", - "safeName": "GoogleProtobufEdition" - } - }, - "typeId": "google.protobuf.Edition", - "default": null, - "inline": false, - "displayName": "edition" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "overridable_features", - "camelCase": { - "unsafeName": "overridableFeatures", - "safeName": "overridableFeatures" - }, - "snakeCase": { - "unsafeName": "overridable_features", - "safeName": "overridable_features" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDABLE_FEATURES", - "safeName": "OVERRIDABLE_FEATURES" - }, - "pascalCase": { - "unsafeName": "OverridableFeatures", - "safeName": "OverridableFeatures" - } - }, - "wireValue": "overridable_features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "overridable_features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "fixed_features", - "camelCase": { - "unsafeName": "fixedFeatures", - "safeName": "fixedFeatures" - }, - "snakeCase": { - "unsafeName": "fixed_features", - "safeName": "fixed_features" - }, - "screamingSnakeCase": { - "unsafeName": "FIXED_FEATURES", - "safeName": "FIXED_FEATURES" - }, - "pascalCase": { - "unsafeName": "FixedFeatures", - "safeName": "FixedFeatures" - } - }, - "wireValue": "fixed_features" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSet", - "camelCase": { - "unsafeName": "googleProtobufFeatureSet", - "safeName": "googleProtobufFeatureSet" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set", - "safeName": "google_protobuf_feature_set" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSet", - "safeName": "GoogleProtobufFeatureSet" - } - }, - "typeId": "google.protobuf.FeatureSet", - "default": null, - "inline": false, - "displayName": "fixed_features" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.FeatureSetDefaults": { - "name": { - "typeId": "google.protobuf.FeatureSetDefaults", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSetDefaults", - "camelCase": { - "unsafeName": "googleProtobufFeatureSetDefaults", - "safeName": "googleProtobufFeatureSetDefaults" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set_defaults", - "safeName": "google_protobuf_feature_set_defaults" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_DEFAULTS", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_DEFAULTS" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSetDefaults", - "safeName": "GoogleProtobufFeatureSetDefaults" - } - }, - "displayName": "FeatureSetDefaults" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "defaults", - "camelCase": { - "unsafeName": "defaults", - "safeName": "defaults" - }, - "snakeCase": { - "unsafeName": "defaults", - "safeName": "defaults" - }, - "screamingSnakeCase": { - "unsafeName": "DEFAULTS", - "safeName": "DEFAULTS" - }, - "pascalCase": { - "unsafeName": "Defaults", - "safeName": "Defaults" - } - }, - "wireValue": "defaults" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FeatureSetDefaults.FeatureSetEditionDefault", - "camelCase": { - "unsafeName": "googleProtobufFeatureSetDefaultsFeatureSetEditionDefault", - "safeName": "googleProtobufFeatureSetDefaultsFeatureSetEditionDefault" - }, - "snakeCase": { - "unsafeName": "google_protobuf_feature_set_defaults_feature_set_edition_default", - "safeName": "google_protobuf_feature_set_defaults_feature_set_edition_default" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_DEFAULTS_FEATURE_SET_EDITION_DEFAULT", - "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_DEFAULTS_FEATURE_SET_EDITION_DEFAULT" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFeatureSetDefaultsFeatureSetEditionDefault", - "safeName": "GoogleProtobufFeatureSetDefaultsFeatureSetEditionDefault" - } - }, - "typeId": "google.protobuf.FeatureSetDefaults.FeatureSetEditionDefault", - "default": null, - "inline": false, - "displayName": "defaults" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "minimum_edition", - "camelCase": { - "unsafeName": "minimumEdition", - "safeName": "minimumEdition" - }, - "snakeCase": { - "unsafeName": "minimum_edition", - "safeName": "minimum_edition" - }, - "screamingSnakeCase": { - "unsafeName": "MINIMUM_EDITION", - "safeName": "MINIMUM_EDITION" - }, - "pascalCase": { - "unsafeName": "MinimumEdition", - "safeName": "MinimumEdition" - } - }, - "wireValue": "minimum_edition" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Edition", - "camelCase": { - "unsafeName": "googleProtobufEdition", - "safeName": "googleProtobufEdition" - }, - "snakeCase": { - "unsafeName": "google_protobuf_edition", - "safeName": "google_protobuf_edition" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EDITION", - "safeName": "GOOGLE_PROTOBUF_EDITION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEdition", - "safeName": "GoogleProtobufEdition" - } - }, - "typeId": "google.protobuf.Edition", - "default": null, - "inline": false, - "displayName": "minimum_edition" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "maximum_edition", - "camelCase": { - "unsafeName": "maximumEdition", - "safeName": "maximumEdition" - }, - "snakeCase": { - "unsafeName": "maximum_edition", - "safeName": "maximum_edition" - }, - "screamingSnakeCase": { - "unsafeName": "MAXIMUM_EDITION", - "safeName": "MAXIMUM_EDITION" - }, - "pascalCase": { - "unsafeName": "MaximumEdition", - "safeName": "MaximumEdition" - } - }, - "wireValue": "maximum_edition" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Edition", - "camelCase": { - "unsafeName": "googleProtobufEdition", - "safeName": "googleProtobufEdition" - }, - "snakeCase": { - "unsafeName": "google_protobuf_edition", - "safeName": "google_protobuf_edition" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EDITION", - "safeName": "GOOGLE_PROTOBUF_EDITION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEdition", - "safeName": "GoogleProtobufEdition" - } - }, - "typeId": "google.protobuf.Edition", - "default": null, - "inline": false, - "displayName": "maximum_edition" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.SourceCodeInfo.Location": { - "name": { - "typeId": "SourceCodeInfo.Location", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Location", - "camelCase": { - "unsafeName": "googleProtobufLocation", - "safeName": "googleProtobufLocation" - }, - "snakeCase": { - "unsafeName": "google_protobuf_location", - "safeName": "google_protobuf_location" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_LOCATION", - "safeName": "GOOGLE_PROTOBUF_LOCATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufLocation", - "safeName": "GoogleProtobufLocation" - } - }, - "displayName": "Location" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "path", - "camelCase": { - "unsafeName": "path", - "safeName": "path" - }, - "snakeCase": { - "unsafeName": "path", - "safeName": "path" - }, - "screamingSnakeCase": { - "unsafeName": "PATH", - "safeName": "PATH" - }, - "pascalCase": { - "unsafeName": "Path", - "safeName": "Path" - } - }, - "wireValue": "path" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "span", - "camelCase": { - "unsafeName": "span", - "safeName": "span" - }, - "snakeCase": { - "unsafeName": "span", - "safeName": "span" - }, - "screamingSnakeCase": { - "unsafeName": "SPAN", - "safeName": "SPAN" - }, - "pascalCase": { - "unsafeName": "Span", - "safeName": "Span" - } - }, - "wireValue": "span" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "leading_comments", - "camelCase": { - "unsafeName": "leadingComments", - "safeName": "leadingComments" - }, - "snakeCase": { - "unsafeName": "leading_comments", - "safeName": "leading_comments" - }, - "screamingSnakeCase": { - "unsafeName": "LEADING_COMMENTS", - "safeName": "LEADING_COMMENTS" - }, - "pascalCase": { - "unsafeName": "LeadingComments", - "safeName": "LeadingComments" - } - }, - "wireValue": "leading_comments" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "trailing_comments", - "camelCase": { - "unsafeName": "trailingComments", - "safeName": "trailingComments" - }, - "snakeCase": { - "unsafeName": "trailing_comments", - "safeName": "trailing_comments" - }, - "screamingSnakeCase": { - "unsafeName": "TRAILING_COMMENTS", - "safeName": "TRAILING_COMMENTS" - }, - "pascalCase": { - "unsafeName": "TrailingComments", - "safeName": "TrailingComments" - } - }, - "wireValue": "trailing_comments" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "leading_detached_comments", - "camelCase": { - "unsafeName": "leadingDetachedComments", - "safeName": "leadingDetachedComments" - }, - "snakeCase": { - "unsafeName": "leading_detached_comments", - "safeName": "leading_detached_comments" - }, - "screamingSnakeCase": { - "unsafeName": "LEADING_DETACHED_COMMENTS", - "safeName": "LEADING_DETACHED_COMMENTS" - }, - "pascalCase": { - "unsafeName": "LeadingDetachedComments", - "safeName": "LeadingDetachedComments" - } - }, - "wireValue": "leading_detached_comments" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.SourceCodeInfo": { - "name": { - "typeId": "google.protobuf.SourceCodeInfo", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.SourceCodeInfo", - "camelCase": { - "unsafeName": "googleProtobufSourceCodeInfo", - "safeName": "googleProtobufSourceCodeInfo" - }, - "snakeCase": { - "unsafeName": "google_protobuf_source_code_info", - "safeName": "google_protobuf_source_code_info" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO", - "safeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufSourceCodeInfo", - "safeName": "GoogleProtobufSourceCodeInfo" - } - }, - "displayName": "SourceCodeInfo" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "location", - "camelCase": { - "unsafeName": "location", - "safeName": "location" - }, - "snakeCase": { - "unsafeName": "location", - "safeName": "location" - }, - "screamingSnakeCase": { - "unsafeName": "LOCATION", - "safeName": "LOCATION" - }, - "pascalCase": { - "unsafeName": "Location", - "safeName": "Location" - } - }, - "wireValue": "location" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.SourceCodeInfo.Location", - "camelCase": { - "unsafeName": "googleProtobufSourceCodeInfoLocation", - "safeName": "googleProtobufSourceCodeInfoLocation" - }, - "snakeCase": { - "unsafeName": "google_protobuf_source_code_info_location", - "safeName": "google_protobuf_source_code_info_location" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO_LOCATION", - "safeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO_LOCATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufSourceCodeInfoLocation", - "safeName": "GoogleProtobufSourceCodeInfoLocation" - } - }, - "typeId": "google.protobuf.SourceCodeInfo.Location", - "default": null, - "inline": false, - "displayName": "location" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.GeneratedCodeInfo.Annotation.Semantic": { - "name": { - "typeId": "GeneratedCodeInfo.Annotation.Semantic", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Semantic", - "camelCase": { - "unsafeName": "googleProtobufSemantic", - "safeName": "googleProtobufSemantic" - }, - "snakeCase": { - "unsafeName": "google_protobuf_semantic", - "safeName": "google_protobuf_semantic" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_SEMANTIC", - "safeName": "GOOGLE_PROTOBUF_SEMANTIC" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufSemantic", - "safeName": "GoogleProtobufSemantic" - } - }, - "displayName": "Semantic" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "NONE", - "camelCase": { - "unsafeName": "none", - "safeName": "none" - }, - "snakeCase": { - "unsafeName": "none", - "safeName": "none" - }, - "screamingSnakeCase": { - "unsafeName": "NONE", - "safeName": "NONE" - }, - "pascalCase": { - "unsafeName": "None", - "safeName": "None" - } - }, - "wireValue": "NONE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SET", - "camelCase": { - "unsafeName": "set", - "safeName": "set" - }, - "snakeCase": { - "unsafeName": "set", - "safeName": "set" - }, - "screamingSnakeCase": { - "unsafeName": "SET", - "safeName": "SET" - }, - "pascalCase": { - "unsafeName": "Set", - "safeName": "Set" - } - }, - "wireValue": "SET" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ALIAS", - "camelCase": { - "unsafeName": "alias", - "safeName": "alias" - }, - "snakeCase": { - "unsafeName": "alias", - "safeName": "alias" - }, - "screamingSnakeCase": { - "unsafeName": "ALIAS", - "safeName": "ALIAS" - }, - "pascalCase": { - "unsafeName": "Alias", - "safeName": "Alias" - } - }, - "wireValue": "ALIAS" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "google.protobuf.GeneratedCodeInfo.Annotation": { - "name": { - "typeId": "GeneratedCodeInfo.Annotation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Annotation", - "camelCase": { - "unsafeName": "googleProtobufAnnotation", - "safeName": "googleProtobufAnnotation" - }, - "snakeCase": { - "unsafeName": "google_protobuf_annotation", - "safeName": "google_protobuf_annotation" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ANNOTATION", - "safeName": "GOOGLE_PROTOBUF_ANNOTATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufAnnotation", - "safeName": "GoogleProtobufAnnotation" - } - }, - "displayName": "Annotation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "path", - "camelCase": { - "unsafeName": "path", - "safeName": "path" - }, - "snakeCase": { - "unsafeName": "path", - "safeName": "path" - }, - "screamingSnakeCase": { - "unsafeName": "PATH", - "safeName": "PATH" - }, - "pascalCase": { - "unsafeName": "Path", - "safeName": "Path" - } - }, - "wireValue": "path" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "source_file", - "camelCase": { - "unsafeName": "sourceFile", - "safeName": "sourceFile" - }, - "snakeCase": { - "unsafeName": "source_file", - "safeName": "source_file" - }, - "screamingSnakeCase": { - "unsafeName": "SOURCE_FILE", - "safeName": "SOURCE_FILE" - }, - "pascalCase": { - "unsafeName": "SourceFile", - "safeName": "SourceFile" - } - }, - "wireValue": "source_file" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "begin", - "camelCase": { - "unsafeName": "begin", - "safeName": "begin" - }, - "snakeCase": { - "unsafeName": "begin", - "safeName": "begin" - }, - "screamingSnakeCase": { - "unsafeName": "BEGIN", - "safeName": "BEGIN" - }, - "pascalCase": { - "unsafeName": "Begin", - "safeName": "Begin" - } - }, - "wireValue": "begin" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "end", - "camelCase": { - "unsafeName": "end", - "safeName": "end" - }, - "snakeCase": { - "unsafeName": "end", - "safeName": "end" - }, - "screamingSnakeCase": { - "unsafeName": "END", - "safeName": "END" - }, - "pascalCase": { - "unsafeName": "End", - "safeName": "End" - } - }, - "wireValue": "end" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "semantic", - "camelCase": { - "unsafeName": "semantic", - "safeName": "semantic" - }, - "snakeCase": { - "unsafeName": "semantic", - "safeName": "semantic" - }, - "screamingSnakeCase": { - "unsafeName": "SEMANTIC", - "safeName": "SEMANTIC" - }, - "pascalCase": { - "unsafeName": "Semantic", - "safeName": "Semantic" - } - }, - "wireValue": "semantic" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.GeneratedCodeInfo.Annotation.Semantic", - "camelCase": { - "unsafeName": "googleProtobufGeneratedCodeInfoAnnotationSemantic", - "safeName": "googleProtobufGeneratedCodeInfoAnnotationSemantic" - }, - "snakeCase": { - "unsafeName": "google_protobuf_generated_code_info_annotation_semantic", - "safeName": "google_protobuf_generated_code_info_annotation_semantic" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO_ANNOTATION_SEMANTIC", - "safeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO_ANNOTATION_SEMANTIC" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufGeneratedCodeInfoAnnotationSemantic", - "safeName": "GoogleProtobufGeneratedCodeInfoAnnotationSemantic" - } - }, - "typeId": "google.protobuf.GeneratedCodeInfo.Annotation.Semantic", - "default": null, - "inline": false, - "displayName": "semantic" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.GeneratedCodeInfo": { - "name": { - "typeId": "google.protobuf.GeneratedCodeInfo", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.GeneratedCodeInfo", - "camelCase": { - "unsafeName": "googleProtobufGeneratedCodeInfo", - "safeName": "googleProtobufGeneratedCodeInfo" - }, - "snakeCase": { - "unsafeName": "google_protobuf_generated_code_info", - "safeName": "google_protobuf_generated_code_info" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO", - "safeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufGeneratedCodeInfo", - "safeName": "GoogleProtobufGeneratedCodeInfo" - } - }, - "displayName": "GeneratedCodeInfo" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "annotation", - "camelCase": { - "unsafeName": "annotation", - "safeName": "annotation" - }, - "snakeCase": { - "unsafeName": "annotation", - "safeName": "annotation" - }, - "screamingSnakeCase": { - "unsafeName": "ANNOTATION", - "safeName": "ANNOTATION" - }, - "pascalCase": { - "unsafeName": "Annotation", - "safeName": "Annotation" - } - }, - "wireValue": "annotation" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.GeneratedCodeInfo.Annotation", - "camelCase": { - "unsafeName": "googleProtobufGeneratedCodeInfoAnnotation", - "safeName": "googleProtobufGeneratedCodeInfoAnnotation" - }, - "snakeCase": { - "unsafeName": "google_protobuf_generated_code_info_annotation", - "safeName": "google_protobuf_generated_code_info_annotation" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO_ANNOTATION", - "safeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO_ANNOTATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufGeneratedCodeInfoAnnotation", - "safeName": "GoogleProtobufGeneratedCodeInfoAnnotation" - } - }, - "typeId": "google.protobuf.GeneratedCodeInfo.Annotation", - "default": null, - "inline": false, - "displayName": "annotation" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.AltIdType": { - "name": { - "typeId": "anduril.entitymanager.v1.AltIdType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AltIdType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AltIdType", - "safeName": "andurilEntitymanagerV1AltIdType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_alt_id_type", - "safeName": "anduril_entitymanager_v_1_alt_id_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALT_ID_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALT_ID_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AltIdType", - "safeName": "AndurilEntitymanagerV1AltIdType" - } - }, - "displayName": "AltIdType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_INVALID", - "camelCase": { - "unsafeName": "altIdTypeInvalid", - "safeName": "altIdTypeInvalid" - }, - "snakeCase": { - "unsafeName": "alt_id_type_invalid", - "safeName": "alt_id_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_INVALID", - "safeName": "ALT_ID_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeInvalid", - "safeName": "AltIdTypeInvalid" - } - }, - "wireValue": "ALT_ID_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_TRACK_ID_2", - "camelCase": { - "unsafeName": "altIdTypeTrackId2", - "safeName": "altIdTypeTrackId2" - }, - "snakeCase": { - "unsafeName": "alt_id_type_track_id_2", - "safeName": "alt_id_type_track_id_2" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_TRACK_ID_2", - "safeName": "ALT_ID_TYPE_TRACK_ID_2" - }, - "pascalCase": { - "unsafeName": "AltIdTypeTrackId2", - "safeName": "AltIdTypeTrackId2" - } - }, - "wireValue": "ALT_ID_TYPE_TRACK_ID_2" - }, - "availability": null, - "docs": "an Anduril trackId_2" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_TRACK_ID_1", - "camelCase": { - "unsafeName": "altIdTypeTrackId1", - "safeName": "altIdTypeTrackId1" - }, - "snakeCase": { - "unsafeName": "alt_id_type_track_id_1", - "safeName": "alt_id_type_track_id_1" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_TRACK_ID_1", - "safeName": "ALT_ID_TYPE_TRACK_ID_1" - }, - "pascalCase": { - "unsafeName": "AltIdTypeTrackId1", - "safeName": "AltIdTypeTrackId1" - } - }, - "wireValue": "ALT_ID_TYPE_TRACK_ID_1" - }, - "availability": null, - "docs": "an Anduril trackId_1" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_SPI_ID", - "camelCase": { - "unsafeName": "altIdTypeSpiId", - "safeName": "altIdTypeSpiId" - }, - "snakeCase": { - "unsafeName": "alt_id_type_spi_id", - "safeName": "alt_id_type_spi_id" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_SPI_ID", - "safeName": "ALT_ID_TYPE_SPI_ID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeSpiId", - "safeName": "AltIdTypeSpiId" - } - }, - "wireValue": "ALT_ID_TYPE_SPI_ID" - }, - "availability": null, - "docs": "an Anduril Sensor Point of Interest ID" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_NITF_FILE_TITLE", - "camelCase": { - "unsafeName": "altIdTypeNitfFileTitle", - "safeName": "altIdTypeNitfFileTitle" - }, - "snakeCase": { - "unsafeName": "alt_id_type_nitf_file_title", - "safeName": "alt_id_type_nitf_file_title" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_NITF_FILE_TITLE", - "safeName": "ALT_ID_TYPE_NITF_FILE_TITLE" - }, - "pascalCase": { - "unsafeName": "AltIdTypeNitfFileTitle", - "safeName": "AltIdTypeNitfFileTitle" - } - }, - "wireValue": "ALT_ID_TYPE_NITF_FILE_TITLE" - }, - "availability": null, - "docs": "NITF file title" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_TRACK_REPO_ALERT_ID", - "camelCase": { - "unsafeName": "altIdTypeTrackRepoAlertId", - "safeName": "altIdTypeTrackRepoAlertId" - }, - "snakeCase": { - "unsafeName": "alt_id_type_track_repo_alert_id", - "safeName": "alt_id_type_track_repo_alert_id" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_TRACK_REPO_ALERT_ID", - "safeName": "ALT_ID_TYPE_TRACK_REPO_ALERT_ID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeTrackRepoAlertId", - "safeName": "AltIdTypeTrackRepoAlertId" - } - }, - "wireValue": "ALT_ID_TYPE_TRACK_REPO_ALERT_ID" - }, - "availability": null, - "docs": "Track repo alert ID" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_ASSET_ID", - "camelCase": { - "unsafeName": "altIdTypeAssetId", - "safeName": "altIdTypeAssetId" - }, - "snakeCase": { - "unsafeName": "alt_id_type_asset_id", - "safeName": "alt_id_type_asset_id" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_ASSET_ID", - "safeName": "ALT_ID_TYPE_ASSET_ID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeAssetId", - "safeName": "AltIdTypeAssetId" - } - }, - "wireValue": "ALT_ID_TYPE_ASSET_ID" - }, - "availability": null, - "docs": "an Anduril AssetId" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_LINK16_TRACK_NUMBER", - "camelCase": { - "unsafeName": "altIdTypeLink16TrackNumber", - "safeName": "altIdTypeLink16TrackNumber" - }, - "snakeCase": { - "unsafeName": "alt_id_type_link_16_track_number", - "safeName": "alt_id_type_link_16_track_number" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_LINK_16_TRACK_NUMBER", - "safeName": "ALT_ID_TYPE_LINK_16_TRACK_NUMBER" - }, - "pascalCase": { - "unsafeName": "AltIdTypeLink16TrackNumber", - "safeName": "AltIdTypeLink16TrackNumber" - } - }, - "wireValue": "ALT_ID_TYPE_LINK16_TRACK_NUMBER" - }, - "availability": null, - "docs": "Use for Link 16 track identifiers for non-JTIDS Unit entities." - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_LINK16_JU", - "camelCase": { - "unsafeName": "altIdTypeLink16Ju", - "safeName": "altIdTypeLink16Ju" - }, - "snakeCase": { - "unsafeName": "alt_id_type_link_16_ju", - "safeName": "alt_id_type_link_16_ju" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_LINK_16_JU", - "safeName": "ALT_ID_TYPE_LINK_16_JU" - }, - "pascalCase": { - "unsafeName": "AltIdTypeLink16Ju", - "safeName": "AltIdTypeLink16Ju" - } - }, - "wireValue": "ALT_ID_TYPE_LINK16_JU" - }, - "availability": null, - "docs": "Use for Link 16 JTIDS Unit identifiers." - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_NCCT_MESSAGE_ID", - "camelCase": { - "unsafeName": "altIdTypeNcctMessageId", - "safeName": "altIdTypeNcctMessageId" - }, - "snakeCase": { - "unsafeName": "alt_id_type_ncct_message_id", - "safeName": "alt_id_type_ncct_message_id" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_NCCT_MESSAGE_ID", - "safeName": "ALT_ID_TYPE_NCCT_MESSAGE_ID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeNcctMessageId", - "safeName": "AltIdTypeNcctMessageId" - } - }, - "wireValue": "ALT_ID_TYPE_NCCT_MESSAGE_ID" - }, - "availability": null, - "docs": "an NCCT message ID" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_CALLSIGN", - "camelCase": { - "unsafeName": "altIdTypeCallsign", - "safeName": "altIdTypeCallsign" - }, - "snakeCase": { - "unsafeName": "alt_id_type_callsign", - "safeName": "alt_id_type_callsign" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_CALLSIGN", - "safeName": "ALT_ID_TYPE_CALLSIGN" - }, - "pascalCase": { - "unsafeName": "AltIdTypeCallsign", - "safeName": "AltIdTypeCallsign" - } - }, - "wireValue": "ALT_ID_TYPE_CALLSIGN" - }, - "availability": null, - "docs": "callsign for the entity. e.g. a TAK callsign or an aircraft callsign" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_MMSI_ID", - "camelCase": { - "unsafeName": "altIdTypeMmsiId", - "safeName": "altIdTypeMmsiId" - }, - "snakeCase": { - "unsafeName": "alt_id_type_mmsi_id", - "safeName": "alt_id_type_mmsi_id" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_MMSI_ID", - "safeName": "ALT_ID_TYPE_MMSI_ID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeMmsiId", - "safeName": "AltIdTypeMmsiId" - } - }, - "wireValue": "ALT_ID_TYPE_MMSI_ID" - }, - "availability": null, - "docs": "the Maritime Mobile Service Identity for a maritime object (vessel, offshore installation, etc.)" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_VMF_URN", - "camelCase": { - "unsafeName": "altIdTypeVmfUrn", - "safeName": "altIdTypeVmfUrn" - }, - "snakeCase": { - "unsafeName": "alt_id_type_vmf_urn", - "safeName": "alt_id_type_vmf_urn" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_VMF_URN", - "safeName": "ALT_ID_TYPE_VMF_URN" - }, - "pascalCase": { - "unsafeName": "AltIdTypeVmfUrn", - "safeName": "AltIdTypeVmfUrn" - } - }, - "wireValue": "ALT_ID_TYPE_VMF_URN" - }, - "availability": null, - "docs": "A VMF URN that uniquely identifies the URN on the VMF network." - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_IMO_ID", - "camelCase": { - "unsafeName": "altIdTypeImoId", - "safeName": "altIdTypeImoId" - }, - "snakeCase": { - "unsafeName": "alt_id_type_imo_id", - "safeName": "alt_id_type_imo_id" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_IMO_ID", - "safeName": "ALT_ID_TYPE_IMO_ID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeImoId", - "safeName": "AltIdTypeImoId" - } - }, - "wireValue": "ALT_ID_TYPE_IMO_ID" - }, - "availability": null, - "docs": "the International Maritime Organization number for identifying maritime objects (vessel, offshore installation, etc.)" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_VMF_TARGET_NUMBER", - "camelCase": { - "unsafeName": "altIdTypeVmfTargetNumber", - "safeName": "altIdTypeVmfTargetNumber" - }, - "snakeCase": { - "unsafeName": "alt_id_type_vmf_target_number", - "safeName": "alt_id_type_vmf_target_number" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_VMF_TARGET_NUMBER", - "safeName": "ALT_ID_TYPE_VMF_TARGET_NUMBER" - }, - "pascalCase": { - "unsafeName": "AltIdTypeVmfTargetNumber", - "safeName": "AltIdTypeVmfTargetNumber" - } - }, - "wireValue": "ALT_ID_TYPE_VMF_TARGET_NUMBER" - }, - "availability": null, - "docs": "A VMF target number that uniquely identifies the target on the VMF network" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_SERIAL_NUMBER", - "camelCase": { - "unsafeName": "altIdTypeSerialNumber", - "safeName": "altIdTypeSerialNumber" - }, - "snakeCase": { - "unsafeName": "alt_id_type_serial_number", - "safeName": "alt_id_type_serial_number" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_SERIAL_NUMBER", - "safeName": "ALT_ID_TYPE_SERIAL_NUMBER" - }, - "pascalCase": { - "unsafeName": "AltIdTypeSerialNumber", - "safeName": "AltIdTypeSerialNumber" - } - }, - "wireValue": "ALT_ID_TYPE_SERIAL_NUMBER" - }, - "availability": null, - "docs": "A serial number that uniquely identifies the entity and is permanently associated with only one entity. This\\n identifier is assigned by some authority and only ever identifies a single thing. Examples include a\\n Vehicle Identification Number (VIN) or ship hull identification number (hull number). This is a generalized\\n component and should not be used if a more specific registration type is already defined (i.e., ALT_ID_TYPE_VMF_URN)." - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_REGISTRATION_ID", - "camelCase": { - "unsafeName": "altIdTypeRegistrationId", - "safeName": "altIdTypeRegistrationId" - }, - "snakeCase": { - "unsafeName": "alt_id_type_registration_id", - "safeName": "alt_id_type_registration_id" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_REGISTRATION_ID", - "safeName": "ALT_ID_TYPE_REGISTRATION_ID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeRegistrationId", - "safeName": "AltIdTypeRegistrationId" - } - }, - "wireValue": "ALT_ID_TYPE_REGISTRATION_ID" - }, - "availability": null, - "docs": "A registration identifier assigned by a local or national authority. This identifier is not permanently fixed\\n to one specific entity and may be reassigned on change of ownership, destruction, or other conditions set\\n forth by the authority. Examples include a vehicle license plate or aircraft tail number. This is a generalized\\n component and should not be used if a more specific registration type is already defined (i.e., ALT_ID_TYPE_IMO_ID)." - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_IBS_GID", - "camelCase": { - "unsafeName": "altIdTypeIbsGid", - "safeName": "altIdTypeIbsGid" - }, - "snakeCase": { - "unsafeName": "alt_id_type_ibs_gid", - "safeName": "alt_id_type_ibs_gid" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_IBS_GID", - "safeName": "ALT_ID_TYPE_IBS_GID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeIbsGid", - "safeName": "AltIdTypeIbsGid" - } - }, - "wireValue": "ALT_ID_TYPE_IBS_GID" - }, - "availability": null, - "docs": "Integrated Broadcast Service Common Message Format Global Identifier" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_DODAAC", - "camelCase": { - "unsafeName": "altIdTypeDodaac", - "safeName": "altIdTypeDodaac" - }, - "snakeCase": { - "unsafeName": "alt_id_type_dodaac", - "safeName": "alt_id_type_dodaac" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_DODAAC", - "safeName": "ALT_ID_TYPE_DODAAC" - }, - "pascalCase": { - "unsafeName": "AltIdTypeDodaac", - "safeName": "AltIdTypeDodaac" - } - }, - "wireValue": "ALT_ID_TYPE_DODAAC" - }, - "availability": null, - "docs": "Department of Defense Activity Address Code." - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_UIC", - "camelCase": { - "unsafeName": "altIdTypeUic", - "safeName": "altIdTypeUic" - }, - "snakeCase": { - "unsafeName": "alt_id_type_uic", - "safeName": "alt_id_type_uic" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_UIC", - "safeName": "ALT_ID_TYPE_UIC" - }, - "pascalCase": { - "unsafeName": "AltIdTypeUic", - "safeName": "AltIdTypeUic" - } - }, - "wireValue": "ALT_ID_TYPE_UIC" - }, - "availability": null, - "docs": "Unit Identification Code uniquely identifies each US Department of Defense entity" - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_NORAD_CAT_ID", - "camelCase": { - "unsafeName": "altIdTypeNoradCatId", - "safeName": "altIdTypeNoradCatId" - }, - "snakeCase": { - "unsafeName": "alt_id_type_norad_cat_id", - "safeName": "alt_id_type_norad_cat_id" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_NORAD_CAT_ID", - "safeName": "ALT_ID_TYPE_NORAD_CAT_ID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeNoradCatId", - "safeName": "AltIdTypeNoradCatId" - } - }, - "wireValue": "ALT_ID_TYPE_NORAD_CAT_ID" - }, - "availability": null, - "docs": "A NORAD Satellite Catalog Number, a 9-digit number uniquely representing orbital objects around Earth.\\n of strictly numeric." - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_UNOOSA_NAME", - "camelCase": { - "unsafeName": "altIdTypeUnoosaName", - "safeName": "altIdTypeUnoosaName" - }, - "snakeCase": { - "unsafeName": "alt_id_type_unoosa_name", - "safeName": "alt_id_type_unoosa_name" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_UNOOSA_NAME", - "safeName": "ALT_ID_TYPE_UNOOSA_NAME" - }, - "pascalCase": { - "unsafeName": "AltIdTypeUnoosaName", - "safeName": "AltIdTypeUnoosaName" - } - }, - "wireValue": "ALT_ID_TYPE_UNOOSA_NAME" - }, - "availability": null, - "docs": "Space object name. If populated, use names from the UN Office\\n of Outer Space Affairs designator index, otherwise set field to UNKNOWN." - }, - { - "name": { - "name": { - "originalName": "ALT_ID_TYPE_UNOOSA_ID", - "camelCase": { - "unsafeName": "altIdTypeUnoosaId", - "safeName": "altIdTypeUnoosaId" - }, - "snakeCase": { - "unsafeName": "alt_id_type_unoosa_id", - "safeName": "alt_id_type_unoosa_id" - }, - "screamingSnakeCase": { - "unsafeName": "ALT_ID_TYPE_UNOOSA_ID", - "safeName": "ALT_ID_TYPE_UNOOSA_ID" - }, - "pascalCase": { - "unsafeName": "AltIdTypeUnoosaId", - "safeName": "AltIdTypeUnoosaId" - } - }, - "wireValue": "ALT_ID_TYPE_UNOOSA_ID" - }, - "availability": null, - "docs": "Space object identifier. If populated, use the international spacecraft designator\\n as published in the UN Office of Outer Space Affairs designator index, otherwise set to UNKNOWN.\\n Recommended values have the format YYYYNNNP{PP}, where:\\n YYYY = Year of launch.\\n NNN = Three-digit serial number of launch\\n in year YYYY (with leading zeros).\\n P{PP} = At least one capital letter for the\\n identification of the part brought\\n into space by the launch." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The type of alternate id." - }, - "anduril.entitymanager.v1.Template": { - "name": { - "typeId": "anduril.entitymanager.v1.Template", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Template", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Template", - "safeName": "andurilEntitymanagerV1Template" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_template", - "safeName": "anduril_entitymanager_v_1_template" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TEMPLATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TEMPLATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Template", - "safeName": "AndurilEntitymanagerV1Template" - } - }, - "displayName": "Template" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "TEMPLATE_INVALID", - "camelCase": { - "unsafeName": "templateInvalid", - "safeName": "templateInvalid" - }, - "snakeCase": { - "unsafeName": "template_invalid", - "safeName": "template_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "TEMPLATE_INVALID", - "safeName": "TEMPLATE_INVALID" - }, - "pascalCase": { - "unsafeName": "TemplateInvalid", - "safeName": "TemplateInvalid" - } - }, - "wireValue": "TEMPLATE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TEMPLATE_TRACK", - "camelCase": { - "unsafeName": "templateTrack", - "safeName": "templateTrack" - }, - "snakeCase": { - "unsafeName": "template_track", - "safeName": "template_track" - }, - "screamingSnakeCase": { - "unsafeName": "TEMPLATE_TRACK", - "safeName": "TEMPLATE_TRACK" - }, - "pascalCase": { - "unsafeName": "TemplateTrack", - "safeName": "TemplateTrack" - } - }, - "wireValue": "TEMPLATE_TRACK" - }, - "availability": null, - "docs": "additional track required components:\\n * location\\n * mil_view" - }, - { - "name": { - "name": { - "originalName": "TEMPLATE_SENSOR_POINT_OF_INTEREST", - "camelCase": { - "unsafeName": "templateSensorPointOfInterest", - "safeName": "templateSensorPointOfInterest" - }, - "snakeCase": { - "unsafeName": "template_sensor_point_of_interest", - "safeName": "template_sensor_point_of_interest" - }, - "screamingSnakeCase": { - "unsafeName": "TEMPLATE_SENSOR_POINT_OF_INTEREST", - "safeName": "TEMPLATE_SENSOR_POINT_OF_INTEREST" - }, - "pascalCase": { - "unsafeName": "TemplateSensorPointOfInterest", - "safeName": "TemplateSensorPointOfInterest" - } - }, - "wireValue": "TEMPLATE_SENSOR_POINT_OF_INTEREST" - }, - "availability": null, - "docs": "additional SPI required components:\\n * location\\n * mil_view\\n * produced_by" - }, - { - "name": { - "name": { - "originalName": "TEMPLATE_ASSET", - "camelCase": { - "unsafeName": "templateAsset", - "safeName": "templateAsset" - }, - "snakeCase": { - "unsafeName": "template_asset", - "safeName": "template_asset" - }, - "screamingSnakeCase": { - "unsafeName": "TEMPLATE_ASSET", - "safeName": "TEMPLATE_ASSET" - }, - "pascalCase": { - "unsafeName": "TemplateAsset", - "safeName": "TemplateAsset" - } - }, - "wireValue": "TEMPLATE_ASSET" - }, - "availability": null, - "docs": "additional asset required components:\\n * location\\n * mil_view\\n * ontology" - }, - { - "name": { - "name": { - "originalName": "TEMPLATE_GEO", - "camelCase": { - "unsafeName": "templateGeo", - "safeName": "templateGeo" - }, - "snakeCase": { - "unsafeName": "template_geo", - "safeName": "template_geo" - }, - "screamingSnakeCase": { - "unsafeName": "TEMPLATE_GEO", - "safeName": "TEMPLATE_GEO" - }, - "pascalCase": { - "unsafeName": "TemplateGeo", - "safeName": "TemplateGeo" - } - }, - "wireValue": "TEMPLATE_GEO" - }, - "availability": null, - "docs": "additional geo required components:\\n * geo_shape\\n * geo_details" - }, - { - "name": { - "name": { - "originalName": "TEMPLATE_SIGNAL_OF_INTEREST", - "camelCase": { - "unsafeName": "templateSignalOfInterest", - "safeName": "templateSignalOfInterest" - }, - "snakeCase": { - "unsafeName": "template_signal_of_interest", - "safeName": "template_signal_of_interest" - }, - "screamingSnakeCase": { - "unsafeName": "TEMPLATE_SIGNAL_OF_INTEREST", - "safeName": "TEMPLATE_SIGNAL_OF_INTEREST" - }, - "pascalCase": { - "unsafeName": "TemplateSignalOfInterest", - "safeName": "TemplateSignalOfInterest" - } - }, - "wireValue": "TEMPLATE_SIGNAL_OF_INTEREST" - }, - "availability": null, - "docs": "additional SOI required components:\\n * signal\\n * location field should be populated if there is a fix.\\n * mil_view\\n * ontology" - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Set of possible templates used when creating an entity.\\n This impacts minimum required component sets and can be used by edge systems that need to distinguish." - }, - "anduril.entitymanager.v1.OverrideStatus": { - "name": { - "typeId": "anduril.entitymanager.v1.OverrideStatus", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OverrideStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OverrideStatus", - "safeName": "andurilEntitymanagerV1OverrideStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override_status", - "safeName": "anduril_entitymanager_v_1_override_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OverrideStatus", - "safeName": "AndurilEntitymanagerV1OverrideStatus" - } - }, - "displayName": "OverrideStatus" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "OVERRIDE_STATUS_INVALID", - "camelCase": { - "unsafeName": "overrideStatusInvalid", - "safeName": "overrideStatusInvalid" - }, - "snakeCase": { - "unsafeName": "override_status_invalid", - "safeName": "override_status_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDE_STATUS_INVALID", - "safeName": "OVERRIDE_STATUS_INVALID" - }, - "pascalCase": { - "unsafeName": "OverrideStatusInvalid", - "safeName": "OverrideStatusInvalid" - } - }, - "wireValue": "OVERRIDE_STATUS_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "OVERRIDE_STATUS_APPLIED", - "camelCase": { - "unsafeName": "overrideStatusApplied", - "safeName": "overrideStatusApplied" - }, - "snakeCase": { - "unsafeName": "override_status_applied", - "safeName": "override_status_applied" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDE_STATUS_APPLIED", - "safeName": "OVERRIDE_STATUS_APPLIED" - }, - "pascalCase": { - "unsafeName": "OverrideStatusApplied", - "safeName": "OverrideStatusApplied" - } - }, - "wireValue": "OVERRIDE_STATUS_APPLIED" - }, - "availability": null, - "docs": "the override was applied to the entity." - }, - { - "name": { - "name": { - "originalName": "OVERRIDE_STATUS_PENDING", - "camelCase": { - "unsafeName": "overrideStatusPending", - "safeName": "overrideStatusPending" - }, - "snakeCase": { - "unsafeName": "override_status_pending", - "safeName": "override_status_pending" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDE_STATUS_PENDING", - "safeName": "OVERRIDE_STATUS_PENDING" - }, - "pascalCase": { - "unsafeName": "OverrideStatusPending", - "safeName": "OverrideStatusPending" - } - }, - "wireValue": "OVERRIDE_STATUS_PENDING" - }, - "availability": null, - "docs": "the override is pending action." - }, - { - "name": { - "name": { - "originalName": "OVERRIDE_STATUS_TIMEOUT", - "camelCase": { - "unsafeName": "overrideStatusTimeout", - "safeName": "overrideStatusTimeout" - }, - "snakeCase": { - "unsafeName": "override_status_timeout", - "safeName": "override_status_timeout" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDE_STATUS_TIMEOUT", - "safeName": "OVERRIDE_STATUS_TIMEOUT" - }, - "pascalCase": { - "unsafeName": "OverrideStatusTimeout", - "safeName": "OverrideStatusTimeout" - } - }, - "wireValue": "OVERRIDE_STATUS_TIMEOUT" - }, - "availability": null, - "docs": "the override has been timed out." - }, - { - "name": { - "name": { - "originalName": "OVERRIDE_STATUS_REJECTED", - "camelCase": { - "unsafeName": "overrideStatusRejected", - "safeName": "overrideStatusRejected" - }, - "snakeCase": { - "unsafeName": "override_status_rejected", - "safeName": "override_status_rejected" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDE_STATUS_REJECTED", - "safeName": "OVERRIDE_STATUS_REJECTED" - }, - "pascalCase": { - "unsafeName": "OverrideStatusRejected", - "safeName": "OverrideStatusRejected" - } - }, - "wireValue": "OVERRIDE_STATUS_REJECTED" - }, - "availability": null, - "docs": "the override has been rejected" - }, - { - "name": { - "name": { - "originalName": "OVERRIDE_STATUS_DELETION_PENDING", - "camelCase": { - "unsafeName": "overrideStatusDeletionPending", - "safeName": "overrideStatusDeletionPending" - }, - "snakeCase": { - "unsafeName": "override_status_deletion_pending", - "safeName": "override_status_deletion_pending" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDE_STATUS_DELETION_PENDING", - "safeName": "OVERRIDE_STATUS_DELETION_PENDING" - }, - "pascalCase": { - "unsafeName": "OverrideStatusDeletionPending", - "safeName": "OverrideStatusDeletionPending" - } - }, - "wireValue": "OVERRIDE_STATUS_DELETION_PENDING" - }, - "availability": null, - "docs": "The override is pending deletion." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The state of an override." - }, - "anduril.entitymanager.v1.OverrideType": { - "name": { - "typeId": "anduril.entitymanager.v1.OverrideType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OverrideType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OverrideType", - "safeName": "andurilEntitymanagerV1OverrideType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override_type", - "safeName": "anduril_entitymanager_v_1_override_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OverrideType", - "safeName": "AndurilEntitymanagerV1OverrideType" - } - }, - "displayName": "OverrideType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "OVERRIDE_TYPE_INVALID", - "camelCase": { - "unsafeName": "overrideTypeInvalid", - "safeName": "overrideTypeInvalid" - }, - "snakeCase": { - "unsafeName": "override_type_invalid", - "safeName": "override_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDE_TYPE_INVALID", - "safeName": "OVERRIDE_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "OverrideTypeInvalid", - "safeName": "OverrideTypeInvalid" - } - }, - "wireValue": "OVERRIDE_TYPE_INVALID" - }, - "availability": null, - "docs": "The override type value was not set. This value is interpreted as OVERRIDE_TYPE_LIVE for backward compatibility." - }, - { - "name": { - "name": { - "originalName": "OVERRIDE_TYPE_LIVE", - "camelCase": { - "unsafeName": "overrideTypeLive", - "safeName": "overrideTypeLive" - }, - "snakeCase": { - "unsafeName": "override_type_live", - "safeName": "override_type_live" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDE_TYPE_LIVE", - "safeName": "OVERRIDE_TYPE_LIVE" - }, - "pascalCase": { - "unsafeName": "OverrideTypeLive", - "safeName": "OverrideTypeLive" - } - }, - "wireValue": "OVERRIDE_TYPE_LIVE" - }, - "availability": null, - "docs": "Override was requested when the entity was live according to the Entity Manager instance that handled the request." - }, - { - "name": { - "name": { - "originalName": "OVERRIDE_TYPE_POST_EXPIRY", - "camelCase": { - "unsafeName": "overrideTypePostExpiry", - "safeName": "overrideTypePostExpiry" - }, - "snakeCase": { - "unsafeName": "override_type_post_expiry", - "safeName": "override_type_post_expiry" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDE_TYPE_POST_EXPIRY", - "safeName": "OVERRIDE_TYPE_POST_EXPIRY" - }, - "pascalCase": { - "unsafeName": "OverrideTypePostExpiry", - "safeName": "OverrideTypePostExpiry" - } - }, - "wireValue": "OVERRIDE_TYPE_POST_EXPIRY" - }, - "availability": null, - "docs": "Override was requested after the entity expired according to the Entity Manager instance that handled the request." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.UInt32Range": { - "name": { - "typeId": "anduril.entitymanager.v1.UInt32Range", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.UInt32Range", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1UInt32Range", - "safeName": "andurilEntitymanagerV1UInt32Range" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_u_int_32_range", - "safeName": "anduril_entitymanager_v_1_u_int_32_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_U_INT_32_RANGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_U_INT_32_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1UInt32Range", - "safeName": "AndurilEntitymanagerV1UInt32Range" - } - }, - "displayName": "UInt32Range" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "lower_bound", - "camelCase": { - "unsafeName": "lowerBound", - "safeName": "lowerBound" - }, - "snakeCase": { - "unsafeName": "lower_bound", - "safeName": "lower_bound" - }, - "screamingSnakeCase": { - "unsafeName": "LOWER_BOUND", - "safeName": "LOWER_BOUND" - }, - "pascalCase": { - "unsafeName": "LowerBound", - "safeName": "LowerBound" - } - }, - "wireValue": "lower_bound" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "upper_bound", - "camelCase": { - "unsafeName": "upperBound", - "safeName": "upperBound" - }, - "snakeCase": { - "unsafeName": "upper_bound", - "safeName": "upper_bound" - }, - "screamingSnakeCase": { - "unsafeName": "UPPER_BOUND", - "safeName": "UPPER_BOUND" - }, - "pascalCase": { - "unsafeName": "UpperBound", - "safeName": "UpperBound" - } - }, - "wireValue": "upper_bound" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.FloatRange": { - "name": { - "typeId": "anduril.entitymanager.v1.FloatRange", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.FloatRange", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1FloatRange", - "safeName": "andurilEntitymanagerV1FloatRange" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_float_range", - "safeName": "anduril_entitymanager_v_1_float_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FLOAT_RANGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FLOAT_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1FloatRange", - "safeName": "AndurilEntitymanagerV1FloatRange" - } - }, - "displayName": "FloatRange" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "lower_bound", - "camelCase": { - "unsafeName": "lowerBound", - "safeName": "lowerBound" - }, - "snakeCase": { - "unsafeName": "lower_bound", - "safeName": "lower_bound" - }, - "screamingSnakeCase": { - "unsafeName": "LOWER_BOUND", - "safeName": "LOWER_BOUND" - }, - "pascalCase": { - "unsafeName": "LowerBound", - "safeName": "LowerBound" - } - }, - "wireValue": "lower_bound" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "upper_bound", - "camelCase": { - "unsafeName": "upperBound", - "safeName": "upperBound" - }, - "snakeCase": { - "unsafeName": "upper_bound", - "safeName": "upper_bound" - }, - "screamingSnakeCase": { - "unsafeName": "UPPER_BOUND", - "safeName": "UPPER_BOUND" - }, - "pascalCase": { - "unsafeName": "UpperBound", - "safeName": "UpperBound" - } - }, - "wireValue": "upper_bound" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.ontology.v1.Disposition": { - "name": { - "typeId": "anduril.ontology.v1.Disposition", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.ontology.v1.Disposition", - "camelCase": { - "unsafeName": "andurilOntologyV1Disposition", - "safeName": "andurilOntologyV1Disposition" - }, - "snakeCase": { - "unsafeName": "anduril_ontology_v_1_disposition", - "safeName": "anduril_ontology_v_1_disposition" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ONTOLOGY_V_1_DISPOSITION", - "safeName": "ANDURIL_ONTOLOGY_V_1_DISPOSITION" - }, - "pascalCase": { - "unsafeName": "AndurilOntologyV1Disposition", - "safeName": "AndurilOntologyV1Disposition" - } - }, - "displayName": "Disposition" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "DISPOSITION_UNKNOWN", - "camelCase": { - "unsafeName": "dispositionUnknown", - "safeName": "dispositionUnknown" - }, - "snakeCase": { - "unsafeName": "disposition_unknown", - "safeName": "disposition_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "DISPOSITION_UNKNOWN", - "safeName": "DISPOSITION_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "DispositionUnknown", - "safeName": "DispositionUnknown" - } - }, - "wireValue": "DISPOSITION_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "DISPOSITION_FRIENDLY", - "camelCase": { - "unsafeName": "dispositionFriendly", - "safeName": "dispositionFriendly" - }, - "snakeCase": { - "unsafeName": "disposition_friendly", - "safeName": "disposition_friendly" - }, - "screamingSnakeCase": { - "unsafeName": "DISPOSITION_FRIENDLY", - "safeName": "DISPOSITION_FRIENDLY" - }, - "pascalCase": { - "unsafeName": "DispositionFriendly", - "safeName": "DispositionFriendly" - } - }, - "wireValue": "DISPOSITION_FRIENDLY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "DISPOSITION_HOSTILE", - "camelCase": { - "unsafeName": "dispositionHostile", - "safeName": "dispositionHostile" - }, - "snakeCase": { - "unsafeName": "disposition_hostile", - "safeName": "disposition_hostile" - }, - "screamingSnakeCase": { - "unsafeName": "DISPOSITION_HOSTILE", - "safeName": "DISPOSITION_HOSTILE" - }, - "pascalCase": { - "unsafeName": "DispositionHostile", - "safeName": "DispositionHostile" - } - }, - "wireValue": "DISPOSITION_HOSTILE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "DISPOSITION_SUSPICIOUS", - "camelCase": { - "unsafeName": "dispositionSuspicious", - "safeName": "dispositionSuspicious" - }, - "snakeCase": { - "unsafeName": "disposition_suspicious", - "safeName": "disposition_suspicious" - }, - "screamingSnakeCase": { - "unsafeName": "DISPOSITION_SUSPICIOUS", - "safeName": "DISPOSITION_SUSPICIOUS" - }, - "pascalCase": { - "unsafeName": "DispositionSuspicious", - "safeName": "DispositionSuspicious" - } - }, - "wireValue": "DISPOSITION_SUSPICIOUS" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "DISPOSITION_ASSUMED_FRIENDLY", - "camelCase": { - "unsafeName": "dispositionAssumedFriendly", - "safeName": "dispositionAssumedFriendly" - }, - "snakeCase": { - "unsafeName": "disposition_assumed_friendly", - "safeName": "disposition_assumed_friendly" - }, - "screamingSnakeCase": { - "unsafeName": "DISPOSITION_ASSUMED_FRIENDLY", - "safeName": "DISPOSITION_ASSUMED_FRIENDLY" - }, - "pascalCase": { - "unsafeName": "DispositionAssumedFriendly", - "safeName": "DispositionAssumedFriendly" - } - }, - "wireValue": "DISPOSITION_ASSUMED_FRIENDLY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "DISPOSITION_NEUTRAL", - "camelCase": { - "unsafeName": "dispositionNeutral", - "safeName": "dispositionNeutral" - }, - "snakeCase": { - "unsafeName": "disposition_neutral", - "safeName": "disposition_neutral" - }, - "screamingSnakeCase": { - "unsafeName": "DISPOSITION_NEUTRAL", - "safeName": "DISPOSITION_NEUTRAL" - }, - "pascalCase": { - "unsafeName": "DispositionNeutral", - "safeName": "DispositionNeutral" - } - }, - "wireValue": "DISPOSITION_NEUTRAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "DISPOSITION_PENDING", - "camelCase": { - "unsafeName": "dispositionPending", - "safeName": "dispositionPending" - }, - "snakeCase": { - "unsafeName": "disposition_pending", - "safeName": "disposition_pending" - }, - "screamingSnakeCase": { - "unsafeName": "DISPOSITION_PENDING", - "safeName": "DISPOSITION_PENDING" - }, - "pascalCase": { - "unsafeName": "DispositionPending", - "safeName": "DispositionPending" - } - }, - "wireValue": "DISPOSITION_PENDING" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Refers to the relationship of the tracker to the operational object being represented.\\n Maps 1 to 1 with mil-std affiliation. Pending is a default, yet to be classified object.\\n Ranking from most friendly to most hostile:\\n FRIENDLY\\n ASSUMED FRIENDLY\\n NEUTRAL\\n PENDING\\n UNKNOWN\\n SUSPICIOUS\\n HOSTILE" - }, - "anduril.ontology.v1.Environment": { - "name": { - "typeId": "anduril.ontology.v1.Environment", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.ontology.v1.Environment", - "camelCase": { - "unsafeName": "andurilOntologyV1Environment", - "safeName": "andurilOntologyV1Environment" - }, - "snakeCase": { - "unsafeName": "anduril_ontology_v_1_environment", - "safeName": "anduril_ontology_v_1_environment" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT", - "safeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT" - }, - "pascalCase": { - "unsafeName": "AndurilOntologyV1Environment", - "safeName": "AndurilOntologyV1Environment" - } - }, - "displayName": "Environment" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "ENVIRONMENT_UNKNOWN", - "camelCase": { - "unsafeName": "environmentUnknown", - "safeName": "environmentUnknown" - }, - "snakeCase": { - "unsafeName": "environment_unknown", - "safeName": "environment_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "ENVIRONMENT_UNKNOWN", - "safeName": "ENVIRONMENT_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "EnvironmentUnknown", - "safeName": "EnvironmentUnknown" - } - }, - "wireValue": "ENVIRONMENT_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ENVIRONMENT_AIR", - "camelCase": { - "unsafeName": "environmentAir", - "safeName": "environmentAir" - }, - "snakeCase": { - "unsafeName": "environment_air", - "safeName": "environment_air" - }, - "screamingSnakeCase": { - "unsafeName": "ENVIRONMENT_AIR", - "safeName": "ENVIRONMENT_AIR" - }, - "pascalCase": { - "unsafeName": "EnvironmentAir", - "safeName": "EnvironmentAir" - } - }, - "wireValue": "ENVIRONMENT_AIR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ENVIRONMENT_SURFACE", - "camelCase": { - "unsafeName": "environmentSurface", - "safeName": "environmentSurface" - }, - "snakeCase": { - "unsafeName": "environment_surface", - "safeName": "environment_surface" - }, - "screamingSnakeCase": { - "unsafeName": "ENVIRONMENT_SURFACE", - "safeName": "ENVIRONMENT_SURFACE" - }, - "pascalCase": { - "unsafeName": "EnvironmentSurface", - "safeName": "EnvironmentSurface" - } - }, - "wireValue": "ENVIRONMENT_SURFACE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ENVIRONMENT_SUB_SURFACE", - "camelCase": { - "unsafeName": "environmentSubSurface", - "safeName": "environmentSubSurface" - }, - "snakeCase": { - "unsafeName": "environment_sub_surface", - "safeName": "environment_sub_surface" - }, - "screamingSnakeCase": { - "unsafeName": "ENVIRONMENT_SUB_SURFACE", - "safeName": "ENVIRONMENT_SUB_SURFACE" - }, - "pascalCase": { - "unsafeName": "EnvironmentSubSurface", - "safeName": "EnvironmentSubSurface" - } - }, - "wireValue": "ENVIRONMENT_SUB_SURFACE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ENVIRONMENT_LAND", - "camelCase": { - "unsafeName": "environmentLand", - "safeName": "environmentLand" - }, - "snakeCase": { - "unsafeName": "environment_land", - "safeName": "environment_land" - }, - "screamingSnakeCase": { - "unsafeName": "ENVIRONMENT_LAND", - "safeName": "ENVIRONMENT_LAND" - }, - "pascalCase": { - "unsafeName": "EnvironmentLand", - "safeName": "EnvironmentLand" - } - }, - "wireValue": "ENVIRONMENT_LAND" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ENVIRONMENT_SPACE", - "camelCase": { - "unsafeName": "environmentSpace", - "safeName": "environmentSpace" - }, - "snakeCase": { - "unsafeName": "environment_space", - "safeName": "environment_space" - }, - "screamingSnakeCase": { - "unsafeName": "ENVIRONMENT_SPACE", - "safeName": "ENVIRONMENT_SPACE" - }, - "pascalCase": { - "unsafeName": "EnvironmentSpace", - "safeName": "EnvironmentSpace" - } - }, - "wireValue": "ENVIRONMENT_SPACE" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Describes the operating environment of an object. For more information refer to MIL-STD 2525D.\\n Surface is used to describe objects on-top the water such as boats, while Sub-Surface is used to describe under the\\n water." - }, - "anduril.ontology.v1.Nationality": { - "name": { - "typeId": "anduril.ontology.v1.Nationality", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.ontology.v1.Nationality", - "camelCase": { - "unsafeName": "andurilOntologyV1Nationality", - "safeName": "andurilOntologyV1Nationality" - }, - "snakeCase": { - "unsafeName": "anduril_ontology_v_1_nationality", - "safeName": "anduril_ontology_v_1_nationality" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ONTOLOGY_V_1_NATIONALITY", - "safeName": "ANDURIL_ONTOLOGY_V_1_NATIONALITY" - }, - "pascalCase": { - "unsafeName": "AndurilOntologyV1Nationality", - "safeName": "AndurilOntologyV1Nationality" - } - }, - "displayName": "Nationality" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "NATIONALITY_INVALID", - "camelCase": { - "unsafeName": "nationalityInvalid", - "safeName": "nationalityInvalid" - }, - "snakeCase": { - "unsafeName": "nationality_invalid", - "safeName": "nationality_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_INVALID", - "safeName": "NATIONALITY_INVALID" - }, - "pascalCase": { - "unsafeName": "NationalityInvalid", - "safeName": "NationalityInvalid" - } - }, - "wireValue": "NATIONALITY_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ALBANIA", - "camelCase": { - "unsafeName": "nationalityAlbania", - "safeName": "nationalityAlbania" - }, - "snakeCase": { - "unsafeName": "nationality_albania", - "safeName": "nationality_albania" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ALBANIA", - "safeName": "NATIONALITY_ALBANIA" - }, - "pascalCase": { - "unsafeName": "NationalityAlbania", - "safeName": "NationalityAlbania" - } - }, - "wireValue": "NATIONALITY_ALBANIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ALGERIA", - "camelCase": { - "unsafeName": "nationalityAlgeria", - "safeName": "nationalityAlgeria" - }, - "snakeCase": { - "unsafeName": "nationality_algeria", - "safeName": "nationality_algeria" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ALGERIA", - "safeName": "NATIONALITY_ALGERIA" - }, - "pascalCase": { - "unsafeName": "NationalityAlgeria", - "safeName": "NationalityAlgeria" - } - }, - "wireValue": "NATIONALITY_ALGERIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ARGENTINA", - "camelCase": { - "unsafeName": "nationalityArgentina", - "safeName": "nationalityArgentina" - }, - "snakeCase": { - "unsafeName": "nationality_argentina", - "safeName": "nationality_argentina" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ARGENTINA", - "safeName": "NATIONALITY_ARGENTINA" - }, - "pascalCase": { - "unsafeName": "NationalityArgentina", - "safeName": "NationalityArgentina" - } - }, - "wireValue": "NATIONALITY_ARGENTINA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ARMENIA", - "camelCase": { - "unsafeName": "nationalityArmenia", - "safeName": "nationalityArmenia" - }, - "snakeCase": { - "unsafeName": "nationality_armenia", - "safeName": "nationality_armenia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ARMENIA", - "safeName": "NATIONALITY_ARMENIA" - }, - "pascalCase": { - "unsafeName": "NationalityArmenia", - "safeName": "NationalityArmenia" - } - }, - "wireValue": "NATIONALITY_ARMENIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_AUSTRALIA", - "camelCase": { - "unsafeName": "nationalityAustralia", - "safeName": "nationalityAustralia" - }, - "snakeCase": { - "unsafeName": "nationality_australia", - "safeName": "nationality_australia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_AUSTRALIA", - "safeName": "NATIONALITY_AUSTRALIA" - }, - "pascalCase": { - "unsafeName": "NationalityAustralia", - "safeName": "NationalityAustralia" - } - }, - "wireValue": "NATIONALITY_AUSTRALIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_AUSTRIA", - "camelCase": { - "unsafeName": "nationalityAustria", - "safeName": "nationalityAustria" - }, - "snakeCase": { - "unsafeName": "nationality_austria", - "safeName": "nationality_austria" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_AUSTRIA", - "safeName": "NATIONALITY_AUSTRIA" - }, - "pascalCase": { - "unsafeName": "NationalityAustria", - "safeName": "NationalityAustria" - } - }, - "wireValue": "NATIONALITY_AUSTRIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_AZERBAIJAN", - "camelCase": { - "unsafeName": "nationalityAzerbaijan", - "safeName": "nationalityAzerbaijan" - }, - "snakeCase": { - "unsafeName": "nationality_azerbaijan", - "safeName": "nationality_azerbaijan" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_AZERBAIJAN", - "safeName": "NATIONALITY_AZERBAIJAN" - }, - "pascalCase": { - "unsafeName": "NationalityAzerbaijan", - "safeName": "NationalityAzerbaijan" - } - }, - "wireValue": "NATIONALITY_AZERBAIJAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_BELARUS", - "camelCase": { - "unsafeName": "nationalityBelarus", - "safeName": "nationalityBelarus" - }, - "snakeCase": { - "unsafeName": "nationality_belarus", - "safeName": "nationality_belarus" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_BELARUS", - "safeName": "NATIONALITY_BELARUS" - }, - "pascalCase": { - "unsafeName": "NationalityBelarus", - "safeName": "NationalityBelarus" - } - }, - "wireValue": "NATIONALITY_BELARUS" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_BELGIUM", - "camelCase": { - "unsafeName": "nationalityBelgium", - "safeName": "nationalityBelgium" - }, - "snakeCase": { - "unsafeName": "nationality_belgium", - "safeName": "nationality_belgium" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_BELGIUM", - "safeName": "NATIONALITY_BELGIUM" - }, - "pascalCase": { - "unsafeName": "NationalityBelgium", - "safeName": "NationalityBelgium" - } - }, - "wireValue": "NATIONALITY_BELGIUM" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_BOLIVIA", - "camelCase": { - "unsafeName": "nationalityBolivia", - "safeName": "nationalityBolivia" - }, - "snakeCase": { - "unsafeName": "nationality_bolivia", - "safeName": "nationality_bolivia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_BOLIVIA", - "safeName": "NATIONALITY_BOLIVIA" - }, - "pascalCase": { - "unsafeName": "NationalityBolivia", - "safeName": "NationalityBolivia" - } - }, - "wireValue": "NATIONALITY_BOLIVIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_BOSNIA_AND_HERZEGOVINA", - "camelCase": { - "unsafeName": "nationalityBosniaAndHerzegovina", - "safeName": "nationalityBosniaAndHerzegovina" - }, - "snakeCase": { - "unsafeName": "nationality_bosnia_and_herzegovina", - "safeName": "nationality_bosnia_and_herzegovina" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_BOSNIA_AND_HERZEGOVINA", - "safeName": "NATIONALITY_BOSNIA_AND_HERZEGOVINA" - }, - "pascalCase": { - "unsafeName": "NationalityBosniaAndHerzegovina", - "safeName": "NationalityBosniaAndHerzegovina" - } - }, - "wireValue": "NATIONALITY_BOSNIA_AND_HERZEGOVINA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_BRAZIL", - "camelCase": { - "unsafeName": "nationalityBrazil", - "safeName": "nationalityBrazil" - }, - "snakeCase": { - "unsafeName": "nationality_brazil", - "safeName": "nationality_brazil" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_BRAZIL", - "safeName": "NATIONALITY_BRAZIL" - }, - "pascalCase": { - "unsafeName": "NationalityBrazil", - "safeName": "NationalityBrazil" - } - }, - "wireValue": "NATIONALITY_BRAZIL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_BULGARIA", - "camelCase": { - "unsafeName": "nationalityBulgaria", - "safeName": "nationalityBulgaria" - }, - "snakeCase": { - "unsafeName": "nationality_bulgaria", - "safeName": "nationality_bulgaria" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_BULGARIA", - "safeName": "NATIONALITY_BULGARIA" - }, - "pascalCase": { - "unsafeName": "NationalityBulgaria", - "safeName": "NationalityBulgaria" - } - }, - "wireValue": "NATIONALITY_BULGARIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_CAMBODIA", - "camelCase": { - "unsafeName": "nationalityCambodia", - "safeName": "nationalityCambodia" - }, - "snakeCase": { - "unsafeName": "nationality_cambodia", - "safeName": "nationality_cambodia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_CAMBODIA", - "safeName": "NATIONALITY_CAMBODIA" - }, - "pascalCase": { - "unsafeName": "NationalityCambodia", - "safeName": "NationalityCambodia" - } - }, - "wireValue": "NATIONALITY_CAMBODIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_CANADA", - "camelCase": { - "unsafeName": "nationalityCanada", - "safeName": "nationalityCanada" - }, - "snakeCase": { - "unsafeName": "nationality_canada", - "safeName": "nationality_canada" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_CANADA", - "safeName": "NATIONALITY_CANADA" - }, - "pascalCase": { - "unsafeName": "NationalityCanada", - "safeName": "NationalityCanada" - } - }, - "wireValue": "NATIONALITY_CANADA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_CHILE", - "camelCase": { - "unsafeName": "nationalityChile", - "safeName": "nationalityChile" - }, - "snakeCase": { - "unsafeName": "nationality_chile", - "safeName": "nationality_chile" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_CHILE", - "safeName": "NATIONALITY_CHILE" - }, - "pascalCase": { - "unsafeName": "NationalityChile", - "safeName": "NationalityChile" - } - }, - "wireValue": "NATIONALITY_CHILE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_CHINA", - "camelCase": { - "unsafeName": "nationalityChina", - "safeName": "nationalityChina" - }, - "snakeCase": { - "unsafeName": "nationality_china", - "safeName": "nationality_china" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_CHINA", - "safeName": "NATIONALITY_CHINA" - }, - "pascalCase": { - "unsafeName": "NationalityChina", - "safeName": "NationalityChina" - } - }, - "wireValue": "NATIONALITY_CHINA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_COLOMBIA", - "camelCase": { - "unsafeName": "nationalityColombia", - "safeName": "nationalityColombia" - }, - "snakeCase": { - "unsafeName": "nationality_colombia", - "safeName": "nationality_colombia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_COLOMBIA", - "safeName": "NATIONALITY_COLOMBIA" - }, - "pascalCase": { - "unsafeName": "NationalityColombia", - "safeName": "NationalityColombia" - } - }, - "wireValue": "NATIONALITY_COLOMBIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_CROATIA", - "camelCase": { - "unsafeName": "nationalityCroatia", - "safeName": "nationalityCroatia" - }, - "snakeCase": { - "unsafeName": "nationality_croatia", - "safeName": "nationality_croatia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_CROATIA", - "safeName": "NATIONALITY_CROATIA" - }, - "pascalCase": { - "unsafeName": "NationalityCroatia", - "safeName": "NationalityCroatia" - } - }, - "wireValue": "NATIONALITY_CROATIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_CUBA", - "camelCase": { - "unsafeName": "nationalityCuba", - "safeName": "nationalityCuba" - }, - "snakeCase": { - "unsafeName": "nationality_cuba", - "safeName": "nationality_cuba" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_CUBA", - "safeName": "NATIONALITY_CUBA" - }, - "pascalCase": { - "unsafeName": "NationalityCuba", - "safeName": "NationalityCuba" - } - }, - "wireValue": "NATIONALITY_CUBA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_CYPRUS", - "camelCase": { - "unsafeName": "nationalityCyprus", - "safeName": "nationalityCyprus" - }, - "snakeCase": { - "unsafeName": "nationality_cyprus", - "safeName": "nationality_cyprus" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_CYPRUS", - "safeName": "NATIONALITY_CYPRUS" - }, - "pascalCase": { - "unsafeName": "NationalityCyprus", - "safeName": "NationalityCyprus" - } - }, - "wireValue": "NATIONALITY_CYPRUS" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_CZECH_REPUBLIC", - "camelCase": { - "unsafeName": "nationalityCzechRepublic", - "safeName": "nationalityCzechRepublic" - }, - "snakeCase": { - "unsafeName": "nationality_czech_republic", - "safeName": "nationality_czech_republic" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_CZECH_REPUBLIC", - "safeName": "NATIONALITY_CZECH_REPUBLIC" - }, - "pascalCase": { - "unsafeName": "NationalityCzechRepublic", - "safeName": "NationalityCzechRepublic" - } - }, - "wireValue": "NATIONALITY_CZECH_REPUBLIC" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_DEMOCRATIC_PEOPLES_REPUBLIC_OF_KOREA", - "camelCase": { - "unsafeName": "nationalityDemocraticPeoplesRepublicOfKorea", - "safeName": "nationalityDemocraticPeoplesRepublicOfKorea" - }, - "snakeCase": { - "unsafeName": "nationality_democratic_peoples_republic_of_korea", - "safeName": "nationality_democratic_peoples_republic_of_korea" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_DEMOCRATIC_PEOPLES_REPUBLIC_OF_KOREA", - "safeName": "NATIONALITY_DEMOCRATIC_PEOPLES_REPUBLIC_OF_KOREA" - }, - "pascalCase": { - "unsafeName": "NationalityDemocraticPeoplesRepublicOfKorea", - "safeName": "NationalityDemocraticPeoplesRepublicOfKorea" - } - }, - "wireValue": "NATIONALITY_DEMOCRATIC_PEOPLES_REPUBLIC_OF_KOREA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_DENMARK", - "camelCase": { - "unsafeName": "nationalityDenmark", - "safeName": "nationalityDenmark" - }, - "snakeCase": { - "unsafeName": "nationality_denmark", - "safeName": "nationality_denmark" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_DENMARK", - "safeName": "NATIONALITY_DENMARK" - }, - "pascalCase": { - "unsafeName": "NationalityDenmark", - "safeName": "NationalityDenmark" - } - }, - "wireValue": "NATIONALITY_DENMARK" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_DOMINICAN_REPUBLIC", - "camelCase": { - "unsafeName": "nationalityDominicanRepublic", - "safeName": "nationalityDominicanRepublic" - }, - "snakeCase": { - "unsafeName": "nationality_dominican_republic", - "safeName": "nationality_dominican_republic" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_DOMINICAN_REPUBLIC", - "safeName": "NATIONALITY_DOMINICAN_REPUBLIC" - }, - "pascalCase": { - "unsafeName": "NationalityDominicanRepublic", - "safeName": "NationalityDominicanRepublic" - } - }, - "wireValue": "NATIONALITY_DOMINICAN_REPUBLIC" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ECUADOR", - "camelCase": { - "unsafeName": "nationalityEcuador", - "safeName": "nationalityEcuador" - }, - "snakeCase": { - "unsafeName": "nationality_ecuador", - "safeName": "nationality_ecuador" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ECUADOR", - "safeName": "NATIONALITY_ECUADOR" - }, - "pascalCase": { - "unsafeName": "NationalityEcuador", - "safeName": "NationalityEcuador" - } - }, - "wireValue": "NATIONALITY_ECUADOR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_EGYPT", - "camelCase": { - "unsafeName": "nationalityEgypt", - "safeName": "nationalityEgypt" - }, - "snakeCase": { - "unsafeName": "nationality_egypt", - "safeName": "nationality_egypt" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_EGYPT", - "safeName": "NATIONALITY_EGYPT" - }, - "pascalCase": { - "unsafeName": "NationalityEgypt", - "safeName": "NationalityEgypt" - } - }, - "wireValue": "NATIONALITY_EGYPT" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ESTONIA", - "camelCase": { - "unsafeName": "nationalityEstonia", - "safeName": "nationalityEstonia" - }, - "snakeCase": { - "unsafeName": "nationality_estonia", - "safeName": "nationality_estonia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ESTONIA", - "safeName": "NATIONALITY_ESTONIA" - }, - "pascalCase": { - "unsafeName": "NationalityEstonia", - "safeName": "NationalityEstonia" - } - }, - "wireValue": "NATIONALITY_ESTONIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ETHIOPIA", - "camelCase": { - "unsafeName": "nationalityEthiopia", - "safeName": "nationalityEthiopia" - }, - "snakeCase": { - "unsafeName": "nationality_ethiopia", - "safeName": "nationality_ethiopia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ETHIOPIA", - "safeName": "NATIONALITY_ETHIOPIA" - }, - "pascalCase": { - "unsafeName": "NationalityEthiopia", - "safeName": "NationalityEthiopia" - } - }, - "wireValue": "NATIONALITY_ETHIOPIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_FINLAND", - "camelCase": { - "unsafeName": "nationalityFinland", - "safeName": "nationalityFinland" - }, - "snakeCase": { - "unsafeName": "nationality_finland", - "safeName": "nationality_finland" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_FINLAND", - "safeName": "NATIONALITY_FINLAND" - }, - "pascalCase": { - "unsafeName": "NationalityFinland", - "safeName": "NationalityFinland" - } - }, - "wireValue": "NATIONALITY_FINLAND" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_FRANCE", - "camelCase": { - "unsafeName": "nationalityFrance", - "safeName": "nationalityFrance" - }, - "snakeCase": { - "unsafeName": "nationality_france", - "safeName": "nationality_france" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_FRANCE", - "safeName": "NATIONALITY_FRANCE" - }, - "pascalCase": { - "unsafeName": "NationalityFrance", - "safeName": "NationalityFrance" - } - }, - "wireValue": "NATIONALITY_FRANCE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_GEORGIA", - "camelCase": { - "unsafeName": "nationalityGeorgia", - "safeName": "nationalityGeorgia" - }, - "snakeCase": { - "unsafeName": "nationality_georgia", - "safeName": "nationality_georgia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_GEORGIA", - "safeName": "NATIONALITY_GEORGIA" - }, - "pascalCase": { - "unsafeName": "NationalityGeorgia", - "safeName": "NationalityGeorgia" - } - }, - "wireValue": "NATIONALITY_GEORGIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_GERMANY", - "camelCase": { - "unsafeName": "nationalityGermany", - "safeName": "nationalityGermany" - }, - "snakeCase": { - "unsafeName": "nationality_germany", - "safeName": "nationality_germany" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_GERMANY", - "safeName": "NATIONALITY_GERMANY" - }, - "pascalCase": { - "unsafeName": "NationalityGermany", - "safeName": "NationalityGermany" - } - }, - "wireValue": "NATIONALITY_GERMANY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_GREECE", - "camelCase": { - "unsafeName": "nationalityGreece", - "safeName": "nationalityGreece" - }, - "snakeCase": { - "unsafeName": "nationality_greece", - "safeName": "nationality_greece" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_GREECE", - "safeName": "NATIONALITY_GREECE" - }, - "pascalCase": { - "unsafeName": "NationalityGreece", - "safeName": "NationalityGreece" - } - }, - "wireValue": "NATIONALITY_GREECE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_GUATEMALA", - "camelCase": { - "unsafeName": "nationalityGuatemala", - "safeName": "nationalityGuatemala" - }, - "snakeCase": { - "unsafeName": "nationality_guatemala", - "safeName": "nationality_guatemala" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_GUATEMALA", - "safeName": "NATIONALITY_GUATEMALA" - }, - "pascalCase": { - "unsafeName": "NationalityGuatemala", - "safeName": "NationalityGuatemala" - } - }, - "wireValue": "NATIONALITY_GUATEMALA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_GUINEA", - "camelCase": { - "unsafeName": "nationalityGuinea", - "safeName": "nationalityGuinea" - }, - "snakeCase": { - "unsafeName": "nationality_guinea", - "safeName": "nationality_guinea" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_GUINEA", - "safeName": "NATIONALITY_GUINEA" - }, - "pascalCase": { - "unsafeName": "NationalityGuinea", - "safeName": "NationalityGuinea" - } - }, - "wireValue": "NATIONALITY_GUINEA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_HUNGARY", - "camelCase": { - "unsafeName": "nationalityHungary", - "safeName": "nationalityHungary" - }, - "snakeCase": { - "unsafeName": "nationality_hungary", - "safeName": "nationality_hungary" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_HUNGARY", - "safeName": "NATIONALITY_HUNGARY" - }, - "pascalCase": { - "unsafeName": "NationalityHungary", - "safeName": "NationalityHungary" - } - }, - "wireValue": "NATIONALITY_HUNGARY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ICELAND", - "camelCase": { - "unsafeName": "nationalityIceland", - "safeName": "nationalityIceland" - }, - "snakeCase": { - "unsafeName": "nationality_iceland", - "safeName": "nationality_iceland" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ICELAND", - "safeName": "NATIONALITY_ICELAND" - }, - "pascalCase": { - "unsafeName": "NationalityIceland", - "safeName": "NationalityIceland" - } - }, - "wireValue": "NATIONALITY_ICELAND" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_INDIA", - "camelCase": { - "unsafeName": "nationalityIndia", - "safeName": "nationalityIndia" - }, - "snakeCase": { - "unsafeName": "nationality_india", - "safeName": "nationality_india" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_INDIA", - "safeName": "NATIONALITY_INDIA" - }, - "pascalCase": { - "unsafeName": "NationalityIndia", - "safeName": "NationalityIndia" - } - }, - "wireValue": "NATIONALITY_INDIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_INDONESIA", - "camelCase": { - "unsafeName": "nationalityIndonesia", - "safeName": "nationalityIndonesia" - }, - "snakeCase": { - "unsafeName": "nationality_indonesia", - "safeName": "nationality_indonesia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_INDONESIA", - "safeName": "NATIONALITY_INDONESIA" - }, - "pascalCase": { - "unsafeName": "NationalityIndonesia", - "safeName": "NationalityIndonesia" - } - }, - "wireValue": "NATIONALITY_INDONESIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_INTERNATIONAL_RED_CROSS", - "camelCase": { - "unsafeName": "nationalityInternationalRedCross", - "safeName": "nationalityInternationalRedCross" - }, - "snakeCase": { - "unsafeName": "nationality_international_red_cross", - "safeName": "nationality_international_red_cross" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_INTERNATIONAL_RED_CROSS", - "safeName": "NATIONALITY_INTERNATIONAL_RED_CROSS" - }, - "pascalCase": { - "unsafeName": "NationalityInternationalRedCross", - "safeName": "NationalityInternationalRedCross" - } - }, - "wireValue": "NATIONALITY_INTERNATIONAL_RED_CROSS" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_IRAQ", - "camelCase": { - "unsafeName": "nationalityIraq", - "safeName": "nationalityIraq" - }, - "snakeCase": { - "unsafeName": "nationality_iraq", - "safeName": "nationality_iraq" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_IRAQ", - "safeName": "NATIONALITY_IRAQ" - }, - "pascalCase": { - "unsafeName": "NationalityIraq", - "safeName": "NationalityIraq" - } - }, - "wireValue": "NATIONALITY_IRAQ" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_IRELAND", - "camelCase": { - "unsafeName": "nationalityIreland", - "safeName": "nationalityIreland" - }, - "snakeCase": { - "unsafeName": "nationality_ireland", - "safeName": "nationality_ireland" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_IRELAND", - "safeName": "NATIONALITY_IRELAND" - }, - "pascalCase": { - "unsafeName": "NationalityIreland", - "safeName": "NationalityIreland" - } - }, - "wireValue": "NATIONALITY_IRELAND" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ISLAMIC_REPUBLIC_OF_IRAN", - "camelCase": { - "unsafeName": "nationalityIslamicRepublicOfIran", - "safeName": "nationalityIslamicRepublicOfIran" - }, - "snakeCase": { - "unsafeName": "nationality_islamic_republic_of_iran", - "safeName": "nationality_islamic_republic_of_iran" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ISLAMIC_REPUBLIC_OF_IRAN", - "safeName": "NATIONALITY_ISLAMIC_REPUBLIC_OF_IRAN" - }, - "pascalCase": { - "unsafeName": "NationalityIslamicRepublicOfIran", - "safeName": "NationalityIslamicRepublicOfIran" - } - }, - "wireValue": "NATIONALITY_ISLAMIC_REPUBLIC_OF_IRAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ISRAEL", - "camelCase": { - "unsafeName": "nationalityIsrael", - "safeName": "nationalityIsrael" - }, - "snakeCase": { - "unsafeName": "nationality_israel", - "safeName": "nationality_israel" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ISRAEL", - "safeName": "NATIONALITY_ISRAEL" - }, - "pascalCase": { - "unsafeName": "NationalityIsrael", - "safeName": "NationalityIsrael" - } - }, - "wireValue": "NATIONALITY_ISRAEL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ITALY", - "camelCase": { - "unsafeName": "nationalityItaly", - "safeName": "nationalityItaly" - }, - "snakeCase": { - "unsafeName": "nationality_italy", - "safeName": "nationality_italy" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ITALY", - "safeName": "NATIONALITY_ITALY" - }, - "pascalCase": { - "unsafeName": "NationalityItaly", - "safeName": "NationalityItaly" - } - }, - "wireValue": "NATIONALITY_ITALY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_JAMAICA", - "camelCase": { - "unsafeName": "nationalityJamaica", - "safeName": "nationalityJamaica" - }, - "snakeCase": { - "unsafeName": "nationality_jamaica", - "safeName": "nationality_jamaica" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_JAMAICA", - "safeName": "NATIONALITY_JAMAICA" - }, - "pascalCase": { - "unsafeName": "NationalityJamaica", - "safeName": "NationalityJamaica" - } - }, - "wireValue": "NATIONALITY_JAMAICA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_JAPAN", - "camelCase": { - "unsafeName": "nationalityJapan", - "safeName": "nationalityJapan" - }, - "snakeCase": { - "unsafeName": "nationality_japan", - "safeName": "nationality_japan" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_JAPAN", - "safeName": "NATIONALITY_JAPAN" - }, - "pascalCase": { - "unsafeName": "NationalityJapan", - "safeName": "NationalityJapan" - } - }, - "wireValue": "NATIONALITY_JAPAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_JORDAN", - "camelCase": { - "unsafeName": "nationalityJordan", - "safeName": "nationalityJordan" - }, - "snakeCase": { - "unsafeName": "nationality_jordan", - "safeName": "nationality_jordan" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_JORDAN", - "safeName": "NATIONALITY_JORDAN" - }, - "pascalCase": { - "unsafeName": "NationalityJordan", - "safeName": "NationalityJordan" - } - }, - "wireValue": "NATIONALITY_JORDAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_KAZAKHSTAN", - "camelCase": { - "unsafeName": "nationalityKazakhstan", - "safeName": "nationalityKazakhstan" - }, - "snakeCase": { - "unsafeName": "nationality_kazakhstan", - "safeName": "nationality_kazakhstan" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_KAZAKHSTAN", - "safeName": "NATIONALITY_KAZAKHSTAN" - }, - "pascalCase": { - "unsafeName": "NationalityKazakhstan", - "safeName": "NationalityKazakhstan" - } - }, - "wireValue": "NATIONALITY_KAZAKHSTAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_KUWAIT", - "camelCase": { - "unsafeName": "nationalityKuwait", - "safeName": "nationalityKuwait" - }, - "snakeCase": { - "unsafeName": "nationality_kuwait", - "safeName": "nationality_kuwait" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_KUWAIT", - "safeName": "NATIONALITY_KUWAIT" - }, - "pascalCase": { - "unsafeName": "NationalityKuwait", - "safeName": "NationalityKuwait" - } - }, - "wireValue": "NATIONALITY_KUWAIT" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_KYRGHYZ_REPUBLIC", - "camelCase": { - "unsafeName": "nationalityKyrghyzRepublic", - "safeName": "nationalityKyrghyzRepublic" - }, - "snakeCase": { - "unsafeName": "nationality_kyrghyz_republic", - "safeName": "nationality_kyrghyz_republic" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_KYRGHYZ_REPUBLIC", - "safeName": "NATIONALITY_KYRGHYZ_REPUBLIC" - }, - "pascalCase": { - "unsafeName": "NationalityKyrghyzRepublic", - "safeName": "NationalityKyrghyzRepublic" - } - }, - "wireValue": "NATIONALITY_KYRGHYZ_REPUBLIC" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_LAO_PEOPLES_DEMOCRATIC_REPUBLIC", - "camelCase": { - "unsafeName": "nationalityLaoPeoplesDemocraticRepublic", - "safeName": "nationalityLaoPeoplesDemocraticRepublic" - }, - "snakeCase": { - "unsafeName": "nationality_lao_peoples_democratic_republic", - "safeName": "nationality_lao_peoples_democratic_republic" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_LAO_PEOPLES_DEMOCRATIC_REPUBLIC", - "safeName": "NATIONALITY_LAO_PEOPLES_DEMOCRATIC_REPUBLIC" - }, - "pascalCase": { - "unsafeName": "NationalityLaoPeoplesDemocraticRepublic", - "safeName": "NationalityLaoPeoplesDemocraticRepublic" - } - }, - "wireValue": "NATIONALITY_LAO_PEOPLES_DEMOCRATIC_REPUBLIC" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_LATVIA", - "camelCase": { - "unsafeName": "nationalityLatvia", - "safeName": "nationalityLatvia" - }, - "snakeCase": { - "unsafeName": "nationality_latvia", - "safeName": "nationality_latvia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_LATVIA", - "safeName": "NATIONALITY_LATVIA" - }, - "pascalCase": { - "unsafeName": "NationalityLatvia", - "safeName": "NationalityLatvia" - } - }, - "wireValue": "NATIONALITY_LATVIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_LEBANON", - "camelCase": { - "unsafeName": "nationalityLebanon", - "safeName": "nationalityLebanon" - }, - "snakeCase": { - "unsafeName": "nationality_lebanon", - "safeName": "nationality_lebanon" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_LEBANON", - "safeName": "NATIONALITY_LEBANON" - }, - "pascalCase": { - "unsafeName": "NationalityLebanon", - "safeName": "NationalityLebanon" - } - }, - "wireValue": "NATIONALITY_LEBANON" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_LIBERIA", - "camelCase": { - "unsafeName": "nationalityLiberia", - "safeName": "nationalityLiberia" - }, - "snakeCase": { - "unsafeName": "nationality_liberia", - "safeName": "nationality_liberia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_LIBERIA", - "safeName": "NATIONALITY_LIBERIA" - }, - "pascalCase": { - "unsafeName": "NationalityLiberia", - "safeName": "NationalityLiberia" - } - }, - "wireValue": "NATIONALITY_LIBERIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_LITHUANIA", - "camelCase": { - "unsafeName": "nationalityLithuania", - "safeName": "nationalityLithuania" - }, - "snakeCase": { - "unsafeName": "nationality_lithuania", - "safeName": "nationality_lithuania" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_LITHUANIA", - "safeName": "NATIONALITY_LITHUANIA" - }, - "pascalCase": { - "unsafeName": "NationalityLithuania", - "safeName": "NationalityLithuania" - } - }, - "wireValue": "NATIONALITY_LITHUANIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_LUXEMBOURG", - "camelCase": { - "unsafeName": "nationalityLuxembourg", - "safeName": "nationalityLuxembourg" - }, - "snakeCase": { - "unsafeName": "nationality_luxembourg", - "safeName": "nationality_luxembourg" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_LUXEMBOURG", - "safeName": "NATIONALITY_LUXEMBOURG" - }, - "pascalCase": { - "unsafeName": "NationalityLuxembourg", - "safeName": "NationalityLuxembourg" - } - }, - "wireValue": "NATIONALITY_LUXEMBOURG" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_MADAGASCAR", - "camelCase": { - "unsafeName": "nationalityMadagascar", - "safeName": "nationalityMadagascar" - }, - "snakeCase": { - "unsafeName": "nationality_madagascar", - "safeName": "nationality_madagascar" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_MADAGASCAR", - "safeName": "NATIONALITY_MADAGASCAR" - }, - "pascalCase": { - "unsafeName": "NationalityMadagascar", - "safeName": "NationalityMadagascar" - } - }, - "wireValue": "NATIONALITY_MADAGASCAR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_MALAYSIA", - "camelCase": { - "unsafeName": "nationalityMalaysia", - "safeName": "nationalityMalaysia" - }, - "snakeCase": { - "unsafeName": "nationality_malaysia", - "safeName": "nationality_malaysia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_MALAYSIA", - "safeName": "NATIONALITY_MALAYSIA" - }, - "pascalCase": { - "unsafeName": "NationalityMalaysia", - "safeName": "NationalityMalaysia" - } - }, - "wireValue": "NATIONALITY_MALAYSIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_MALTA", - "camelCase": { - "unsafeName": "nationalityMalta", - "safeName": "nationalityMalta" - }, - "snakeCase": { - "unsafeName": "nationality_malta", - "safeName": "nationality_malta" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_MALTA", - "safeName": "NATIONALITY_MALTA" - }, - "pascalCase": { - "unsafeName": "NationalityMalta", - "safeName": "NationalityMalta" - } - }, - "wireValue": "NATIONALITY_MALTA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_MEXICO", - "camelCase": { - "unsafeName": "nationalityMexico", - "safeName": "nationalityMexico" - }, - "snakeCase": { - "unsafeName": "nationality_mexico", - "safeName": "nationality_mexico" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_MEXICO", - "safeName": "NATIONALITY_MEXICO" - }, - "pascalCase": { - "unsafeName": "NationalityMexico", - "safeName": "NationalityMexico" - } - }, - "wireValue": "NATIONALITY_MEXICO" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_MOLDOVA", - "camelCase": { - "unsafeName": "nationalityMoldova", - "safeName": "nationalityMoldova" - }, - "snakeCase": { - "unsafeName": "nationality_moldova", - "safeName": "nationality_moldova" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_MOLDOVA", - "safeName": "NATIONALITY_MOLDOVA" - }, - "pascalCase": { - "unsafeName": "NationalityMoldova", - "safeName": "NationalityMoldova" - } - }, - "wireValue": "NATIONALITY_MOLDOVA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_MONTENEGRO", - "camelCase": { - "unsafeName": "nationalityMontenegro", - "safeName": "nationalityMontenegro" - }, - "snakeCase": { - "unsafeName": "nationality_montenegro", - "safeName": "nationality_montenegro" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_MONTENEGRO", - "safeName": "NATIONALITY_MONTENEGRO" - }, - "pascalCase": { - "unsafeName": "NationalityMontenegro", - "safeName": "NationalityMontenegro" - } - }, - "wireValue": "NATIONALITY_MONTENEGRO" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_MOROCCO", - "camelCase": { - "unsafeName": "nationalityMorocco", - "safeName": "nationalityMorocco" - }, - "snakeCase": { - "unsafeName": "nationality_morocco", - "safeName": "nationality_morocco" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_MOROCCO", - "safeName": "NATIONALITY_MOROCCO" - }, - "pascalCase": { - "unsafeName": "NationalityMorocco", - "safeName": "NationalityMorocco" - } - }, - "wireValue": "NATIONALITY_MOROCCO" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_MYANMAR", - "camelCase": { - "unsafeName": "nationalityMyanmar", - "safeName": "nationalityMyanmar" - }, - "snakeCase": { - "unsafeName": "nationality_myanmar", - "safeName": "nationality_myanmar" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_MYANMAR", - "safeName": "NATIONALITY_MYANMAR" - }, - "pascalCase": { - "unsafeName": "NationalityMyanmar", - "safeName": "NationalityMyanmar" - } - }, - "wireValue": "NATIONALITY_MYANMAR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_NATO", - "camelCase": { - "unsafeName": "nationalityNato", - "safeName": "nationalityNato" - }, - "snakeCase": { - "unsafeName": "nationality_nato", - "safeName": "nationality_nato" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_NATO", - "safeName": "NATIONALITY_NATO" - }, - "pascalCase": { - "unsafeName": "NationalityNato", - "safeName": "NationalityNato" - } - }, - "wireValue": "NATIONALITY_NATO" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_NETHERLANDS", - "camelCase": { - "unsafeName": "nationalityNetherlands", - "safeName": "nationalityNetherlands" - }, - "snakeCase": { - "unsafeName": "nationality_netherlands", - "safeName": "nationality_netherlands" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_NETHERLANDS", - "safeName": "NATIONALITY_NETHERLANDS" - }, - "pascalCase": { - "unsafeName": "NationalityNetherlands", - "safeName": "NationalityNetherlands" - } - }, - "wireValue": "NATIONALITY_NETHERLANDS" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_NEW_ZEALAND", - "camelCase": { - "unsafeName": "nationalityNewZealand", - "safeName": "nationalityNewZealand" - }, - "snakeCase": { - "unsafeName": "nationality_new_zealand", - "safeName": "nationality_new_zealand" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_NEW_ZEALAND", - "safeName": "NATIONALITY_NEW_ZEALAND" - }, - "pascalCase": { - "unsafeName": "NationalityNewZealand", - "safeName": "NationalityNewZealand" - } - }, - "wireValue": "NATIONALITY_NEW_ZEALAND" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_NICARAGUA", - "camelCase": { - "unsafeName": "nationalityNicaragua", - "safeName": "nationalityNicaragua" - }, - "snakeCase": { - "unsafeName": "nationality_nicaragua", - "safeName": "nationality_nicaragua" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_NICARAGUA", - "safeName": "NATIONALITY_NICARAGUA" - }, - "pascalCase": { - "unsafeName": "NationalityNicaragua", - "safeName": "NationalityNicaragua" - } - }, - "wireValue": "NATIONALITY_NICARAGUA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_NIGERIA", - "camelCase": { - "unsafeName": "nationalityNigeria", - "safeName": "nationalityNigeria" - }, - "snakeCase": { - "unsafeName": "nationality_nigeria", - "safeName": "nationality_nigeria" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_NIGERIA", - "safeName": "NATIONALITY_NIGERIA" - }, - "pascalCase": { - "unsafeName": "NationalityNigeria", - "safeName": "NationalityNigeria" - } - }, - "wireValue": "NATIONALITY_NIGERIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_NORWAY", - "camelCase": { - "unsafeName": "nationalityNorway", - "safeName": "nationalityNorway" - }, - "snakeCase": { - "unsafeName": "nationality_norway", - "safeName": "nationality_norway" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_NORWAY", - "safeName": "NATIONALITY_NORWAY" - }, - "pascalCase": { - "unsafeName": "NationalityNorway", - "safeName": "NationalityNorway" - } - }, - "wireValue": "NATIONALITY_NORWAY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_PAKISTAN", - "camelCase": { - "unsafeName": "nationalityPakistan", - "safeName": "nationalityPakistan" - }, - "snakeCase": { - "unsafeName": "nationality_pakistan", - "safeName": "nationality_pakistan" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_PAKISTAN", - "safeName": "NATIONALITY_PAKISTAN" - }, - "pascalCase": { - "unsafeName": "NationalityPakistan", - "safeName": "NationalityPakistan" - } - }, - "wireValue": "NATIONALITY_PAKISTAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_PANAMA", - "camelCase": { - "unsafeName": "nationalityPanama", - "safeName": "nationalityPanama" - }, - "snakeCase": { - "unsafeName": "nationality_panama", - "safeName": "nationality_panama" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_PANAMA", - "safeName": "NATIONALITY_PANAMA" - }, - "pascalCase": { - "unsafeName": "NationalityPanama", - "safeName": "NationalityPanama" - } - }, - "wireValue": "NATIONALITY_PANAMA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_PARAGUAY", - "camelCase": { - "unsafeName": "nationalityParaguay", - "safeName": "nationalityParaguay" - }, - "snakeCase": { - "unsafeName": "nationality_paraguay", - "safeName": "nationality_paraguay" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_PARAGUAY", - "safeName": "NATIONALITY_PARAGUAY" - }, - "pascalCase": { - "unsafeName": "NationalityParaguay", - "safeName": "NationalityParaguay" - } - }, - "wireValue": "NATIONALITY_PARAGUAY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_PERU", - "camelCase": { - "unsafeName": "nationalityPeru", - "safeName": "nationalityPeru" - }, - "snakeCase": { - "unsafeName": "nationality_peru", - "safeName": "nationality_peru" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_PERU", - "safeName": "NATIONALITY_PERU" - }, - "pascalCase": { - "unsafeName": "NationalityPeru", - "safeName": "NationalityPeru" - } - }, - "wireValue": "NATIONALITY_PERU" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_PHILIPPINES", - "camelCase": { - "unsafeName": "nationalityPhilippines", - "safeName": "nationalityPhilippines" - }, - "snakeCase": { - "unsafeName": "nationality_philippines", - "safeName": "nationality_philippines" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_PHILIPPINES", - "safeName": "NATIONALITY_PHILIPPINES" - }, - "pascalCase": { - "unsafeName": "NationalityPhilippines", - "safeName": "NationalityPhilippines" - } - }, - "wireValue": "NATIONALITY_PHILIPPINES" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_POLAND", - "camelCase": { - "unsafeName": "nationalityPoland", - "safeName": "nationalityPoland" - }, - "snakeCase": { - "unsafeName": "nationality_poland", - "safeName": "nationality_poland" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_POLAND", - "safeName": "NATIONALITY_POLAND" - }, - "pascalCase": { - "unsafeName": "NationalityPoland", - "safeName": "NationalityPoland" - } - }, - "wireValue": "NATIONALITY_POLAND" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_PORTUGAL", - "camelCase": { - "unsafeName": "nationalityPortugal", - "safeName": "nationalityPortugal" - }, - "snakeCase": { - "unsafeName": "nationality_portugal", - "safeName": "nationality_portugal" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_PORTUGAL", - "safeName": "NATIONALITY_PORTUGAL" - }, - "pascalCase": { - "unsafeName": "NationalityPortugal", - "safeName": "NationalityPortugal" - } - }, - "wireValue": "NATIONALITY_PORTUGAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_REPUBLIC_OF_KOREA", - "camelCase": { - "unsafeName": "nationalityRepublicOfKorea", - "safeName": "nationalityRepublicOfKorea" - }, - "snakeCase": { - "unsafeName": "nationality_republic_of_korea", - "safeName": "nationality_republic_of_korea" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_REPUBLIC_OF_KOREA", - "safeName": "NATIONALITY_REPUBLIC_OF_KOREA" - }, - "pascalCase": { - "unsafeName": "NationalityRepublicOfKorea", - "safeName": "NationalityRepublicOfKorea" - } - }, - "wireValue": "NATIONALITY_REPUBLIC_OF_KOREA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ROMANIA", - "camelCase": { - "unsafeName": "nationalityRomania", - "safeName": "nationalityRomania" - }, - "snakeCase": { - "unsafeName": "nationality_romania", - "safeName": "nationality_romania" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ROMANIA", - "safeName": "NATIONALITY_ROMANIA" - }, - "pascalCase": { - "unsafeName": "NationalityRomania", - "safeName": "NationalityRomania" - } - }, - "wireValue": "NATIONALITY_ROMANIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_RUSSIA", - "camelCase": { - "unsafeName": "nationalityRussia", - "safeName": "nationalityRussia" - }, - "snakeCase": { - "unsafeName": "nationality_russia", - "safeName": "nationality_russia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_RUSSIA", - "safeName": "NATIONALITY_RUSSIA" - }, - "pascalCase": { - "unsafeName": "NationalityRussia", - "safeName": "NationalityRussia" - } - }, - "wireValue": "NATIONALITY_RUSSIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SAUDI_ARABIA", - "camelCase": { - "unsafeName": "nationalitySaudiArabia", - "safeName": "nationalitySaudiArabia" - }, - "snakeCase": { - "unsafeName": "nationality_saudi_arabia", - "safeName": "nationality_saudi_arabia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SAUDI_ARABIA", - "safeName": "NATIONALITY_SAUDI_ARABIA" - }, - "pascalCase": { - "unsafeName": "NationalitySaudiArabia", - "safeName": "NationalitySaudiArabia" - } - }, - "wireValue": "NATIONALITY_SAUDI_ARABIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SENEGAL", - "camelCase": { - "unsafeName": "nationalitySenegal", - "safeName": "nationalitySenegal" - }, - "snakeCase": { - "unsafeName": "nationality_senegal", - "safeName": "nationality_senegal" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SENEGAL", - "safeName": "NATIONALITY_SENEGAL" - }, - "pascalCase": { - "unsafeName": "NationalitySenegal", - "safeName": "NationalitySenegal" - } - }, - "wireValue": "NATIONALITY_SENEGAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SERBIA", - "camelCase": { - "unsafeName": "nationalitySerbia", - "safeName": "nationalitySerbia" - }, - "snakeCase": { - "unsafeName": "nationality_serbia", - "safeName": "nationality_serbia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SERBIA", - "safeName": "NATIONALITY_SERBIA" - }, - "pascalCase": { - "unsafeName": "NationalitySerbia", - "safeName": "NationalitySerbia" - } - }, - "wireValue": "NATIONALITY_SERBIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SINGAPORE", - "camelCase": { - "unsafeName": "nationalitySingapore", - "safeName": "nationalitySingapore" - }, - "snakeCase": { - "unsafeName": "nationality_singapore", - "safeName": "nationality_singapore" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SINGAPORE", - "safeName": "NATIONALITY_SINGAPORE" - }, - "pascalCase": { - "unsafeName": "NationalitySingapore", - "safeName": "NationalitySingapore" - } - }, - "wireValue": "NATIONALITY_SINGAPORE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SLOVAKIA", - "camelCase": { - "unsafeName": "nationalitySlovakia", - "safeName": "nationalitySlovakia" - }, - "snakeCase": { - "unsafeName": "nationality_slovakia", - "safeName": "nationality_slovakia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SLOVAKIA", - "safeName": "NATIONALITY_SLOVAKIA" - }, - "pascalCase": { - "unsafeName": "NationalitySlovakia", - "safeName": "NationalitySlovakia" - } - }, - "wireValue": "NATIONALITY_SLOVAKIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SLOVENIA", - "camelCase": { - "unsafeName": "nationalitySlovenia", - "safeName": "nationalitySlovenia" - }, - "snakeCase": { - "unsafeName": "nationality_slovenia", - "safeName": "nationality_slovenia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SLOVENIA", - "safeName": "NATIONALITY_SLOVENIA" - }, - "pascalCase": { - "unsafeName": "NationalitySlovenia", - "safeName": "NationalitySlovenia" - } - }, - "wireValue": "NATIONALITY_SLOVENIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SOUTH_AFRICA", - "camelCase": { - "unsafeName": "nationalitySouthAfrica", - "safeName": "nationalitySouthAfrica" - }, - "snakeCase": { - "unsafeName": "nationality_south_africa", - "safeName": "nationality_south_africa" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SOUTH_AFRICA", - "safeName": "NATIONALITY_SOUTH_AFRICA" - }, - "pascalCase": { - "unsafeName": "NationalitySouthAfrica", - "safeName": "NationalitySouthAfrica" - } - }, - "wireValue": "NATIONALITY_SOUTH_AFRICA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SPAIN", - "camelCase": { - "unsafeName": "nationalitySpain", - "safeName": "nationalitySpain" - }, - "snakeCase": { - "unsafeName": "nationality_spain", - "safeName": "nationality_spain" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SPAIN", - "safeName": "NATIONALITY_SPAIN" - }, - "pascalCase": { - "unsafeName": "NationalitySpain", - "safeName": "NationalitySpain" - } - }, - "wireValue": "NATIONALITY_SPAIN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SUDAN", - "camelCase": { - "unsafeName": "nationalitySudan", - "safeName": "nationalitySudan" - }, - "snakeCase": { - "unsafeName": "nationality_sudan", - "safeName": "nationality_sudan" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SUDAN", - "safeName": "NATIONALITY_SUDAN" - }, - "pascalCase": { - "unsafeName": "NationalitySudan", - "safeName": "NationalitySudan" - } - }, - "wireValue": "NATIONALITY_SUDAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SWEDEN", - "camelCase": { - "unsafeName": "nationalitySweden", - "safeName": "nationalitySweden" - }, - "snakeCase": { - "unsafeName": "nationality_sweden", - "safeName": "nationality_sweden" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SWEDEN", - "safeName": "NATIONALITY_SWEDEN" - }, - "pascalCase": { - "unsafeName": "NationalitySweden", - "safeName": "NationalitySweden" - } - }, - "wireValue": "NATIONALITY_SWEDEN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SWITZERLAND", - "camelCase": { - "unsafeName": "nationalitySwitzerland", - "safeName": "nationalitySwitzerland" - }, - "snakeCase": { - "unsafeName": "nationality_switzerland", - "safeName": "nationality_switzerland" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SWITZERLAND", - "safeName": "NATIONALITY_SWITZERLAND" - }, - "pascalCase": { - "unsafeName": "NationalitySwitzerland", - "safeName": "NationalitySwitzerland" - } - }, - "wireValue": "NATIONALITY_SWITZERLAND" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_SYRIAN_ARAB_REPUBLIC", - "camelCase": { - "unsafeName": "nationalitySyrianArabRepublic", - "safeName": "nationalitySyrianArabRepublic" - }, - "snakeCase": { - "unsafeName": "nationality_syrian_arab_republic", - "safeName": "nationality_syrian_arab_republic" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_SYRIAN_ARAB_REPUBLIC", - "safeName": "NATIONALITY_SYRIAN_ARAB_REPUBLIC" - }, - "pascalCase": { - "unsafeName": "NationalitySyrianArabRepublic", - "safeName": "NationalitySyrianArabRepublic" - } - }, - "wireValue": "NATIONALITY_SYRIAN_ARAB_REPUBLIC" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_TAIWAN", - "camelCase": { - "unsafeName": "nationalityTaiwan", - "safeName": "nationalityTaiwan" - }, - "snakeCase": { - "unsafeName": "nationality_taiwan", - "safeName": "nationality_taiwan" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_TAIWAN", - "safeName": "NATIONALITY_TAIWAN" - }, - "pascalCase": { - "unsafeName": "NationalityTaiwan", - "safeName": "NationalityTaiwan" - } - }, - "wireValue": "NATIONALITY_TAIWAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_TAJIKISTAN", - "camelCase": { - "unsafeName": "nationalityTajikistan", - "safeName": "nationalityTajikistan" - }, - "snakeCase": { - "unsafeName": "nationality_tajikistan", - "safeName": "nationality_tajikistan" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_TAJIKISTAN", - "safeName": "NATIONALITY_TAJIKISTAN" - }, - "pascalCase": { - "unsafeName": "NationalityTajikistan", - "safeName": "NationalityTajikistan" - } - }, - "wireValue": "NATIONALITY_TAJIKISTAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_THAILAND", - "camelCase": { - "unsafeName": "nationalityThailand", - "safeName": "nationalityThailand" - }, - "snakeCase": { - "unsafeName": "nationality_thailand", - "safeName": "nationality_thailand" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_THAILAND", - "safeName": "NATIONALITY_THAILAND" - }, - "pascalCase": { - "unsafeName": "NationalityThailand", - "safeName": "NationalityThailand" - } - }, - "wireValue": "NATIONALITY_THAILAND" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_THE_FORMER_YUGOSLAV_REPUBLIC_OF_MACEDONIA", - "camelCase": { - "unsafeName": "nationalityTheFormerYugoslavRepublicOfMacedonia", - "safeName": "nationalityTheFormerYugoslavRepublicOfMacedonia" - }, - "snakeCase": { - "unsafeName": "nationality_the_former_yugoslav_republic_of_macedonia", - "safeName": "nationality_the_former_yugoslav_republic_of_macedonia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_THE_FORMER_YUGOSLAV_REPUBLIC_OF_MACEDONIA", - "safeName": "NATIONALITY_THE_FORMER_YUGOSLAV_REPUBLIC_OF_MACEDONIA" - }, - "pascalCase": { - "unsafeName": "NationalityTheFormerYugoslavRepublicOfMacedonia", - "safeName": "NationalityTheFormerYugoslavRepublicOfMacedonia" - } - }, - "wireValue": "NATIONALITY_THE_FORMER_YUGOSLAV_REPUBLIC_OF_MACEDONIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_TUNISIA", - "camelCase": { - "unsafeName": "nationalityTunisia", - "safeName": "nationalityTunisia" - }, - "snakeCase": { - "unsafeName": "nationality_tunisia", - "safeName": "nationality_tunisia" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_TUNISIA", - "safeName": "NATIONALITY_TUNISIA" - }, - "pascalCase": { - "unsafeName": "NationalityTunisia", - "safeName": "NationalityTunisia" - } - }, - "wireValue": "NATIONALITY_TUNISIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_TURKEY", - "camelCase": { - "unsafeName": "nationalityTurkey", - "safeName": "nationalityTurkey" - }, - "snakeCase": { - "unsafeName": "nationality_turkey", - "safeName": "nationality_turkey" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_TURKEY", - "safeName": "NATIONALITY_TURKEY" - }, - "pascalCase": { - "unsafeName": "NationalityTurkey", - "safeName": "NationalityTurkey" - } - }, - "wireValue": "NATIONALITY_TURKEY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_TURKMENISTAN", - "camelCase": { - "unsafeName": "nationalityTurkmenistan", - "safeName": "nationalityTurkmenistan" - }, - "snakeCase": { - "unsafeName": "nationality_turkmenistan", - "safeName": "nationality_turkmenistan" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_TURKMENISTAN", - "safeName": "NATIONALITY_TURKMENISTAN" - }, - "pascalCase": { - "unsafeName": "NationalityTurkmenistan", - "safeName": "NationalityTurkmenistan" - } - }, - "wireValue": "NATIONALITY_TURKMENISTAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_UGANDA", - "camelCase": { - "unsafeName": "nationalityUganda", - "safeName": "nationalityUganda" - }, - "snakeCase": { - "unsafeName": "nationality_uganda", - "safeName": "nationality_uganda" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_UGANDA", - "safeName": "NATIONALITY_UGANDA" - }, - "pascalCase": { - "unsafeName": "NationalityUganda", - "safeName": "NationalityUganda" - } - }, - "wireValue": "NATIONALITY_UGANDA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_UKRAINE", - "camelCase": { - "unsafeName": "nationalityUkraine", - "safeName": "nationalityUkraine" - }, - "snakeCase": { - "unsafeName": "nationality_ukraine", - "safeName": "nationality_ukraine" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_UKRAINE", - "safeName": "NATIONALITY_UKRAINE" - }, - "pascalCase": { - "unsafeName": "NationalityUkraine", - "safeName": "NationalityUkraine" - } - }, - "wireValue": "NATIONALITY_UKRAINE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_UNITED_KINGDOM", - "camelCase": { - "unsafeName": "nationalityUnitedKingdom", - "safeName": "nationalityUnitedKingdom" - }, - "snakeCase": { - "unsafeName": "nationality_united_kingdom", - "safeName": "nationality_united_kingdom" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_UNITED_KINGDOM", - "safeName": "NATIONALITY_UNITED_KINGDOM" - }, - "pascalCase": { - "unsafeName": "NationalityUnitedKingdom", - "safeName": "NationalityUnitedKingdom" - } - }, - "wireValue": "NATIONALITY_UNITED_KINGDOM" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_UNITED_NATIONS", - "camelCase": { - "unsafeName": "nationalityUnitedNations", - "safeName": "nationalityUnitedNations" - }, - "snakeCase": { - "unsafeName": "nationality_united_nations", - "safeName": "nationality_united_nations" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_UNITED_NATIONS", - "safeName": "NATIONALITY_UNITED_NATIONS" - }, - "pascalCase": { - "unsafeName": "NationalityUnitedNations", - "safeName": "NationalityUnitedNations" - } - }, - "wireValue": "NATIONALITY_UNITED_NATIONS" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_UNITED_REPUBLIC_OF_TANZANIA", - "camelCase": { - "unsafeName": "nationalityUnitedRepublicOfTanzania", - "safeName": "nationalityUnitedRepublicOfTanzania" - }, - "snakeCase": { - "unsafeName": "nationality_united_republic_of_tanzania", - "safeName": "nationality_united_republic_of_tanzania" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_UNITED_REPUBLIC_OF_TANZANIA", - "safeName": "NATIONALITY_UNITED_REPUBLIC_OF_TANZANIA" - }, - "pascalCase": { - "unsafeName": "NationalityUnitedRepublicOfTanzania", - "safeName": "NationalityUnitedRepublicOfTanzania" - } - }, - "wireValue": "NATIONALITY_UNITED_REPUBLIC_OF_TANZANIA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_UNITED_STATES_OF_AMERICA", - "camelCase": { - "unsafeName": "nationalityUnitedStatesOfAmerica", - "safeName": "nationalityUnitedStatesOfAmerica" - }, - "snakeCase": { - "unsafeName": "nationality_united_states_of_america", - "safeName": "nationality_united_states_of_america" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_UNITED_STATES_OF_AMERICA", - "safeName": "NATIONALITY_UNITED_STATES_OF_AMERICA" - }, - "pascalCase": { - "unsafeName": "NationalityUnitedStatesOfAmerica", - "safeName": "NationalityUnitedStatesOfAmerica" - } - }, - "wireValue": "NATIONALITY_UNITED_STATES_OF_AMERICA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_URUGUAY", - "camelCase": { - "unsafeName": "nationalityUruguay", - "safeName": "nationalityUruguay" - }, - "snakeCase": { - "unsafeName": "nationality_uruguay", - "safeName": "nationality_uruguay" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_URUGUAY", - "safeName": "NATIONALITY_URUGUAY" - }, - "pascalCase": { - "unsafeName": "NationalityUruguay", - "safeName": "NationalityUruguay" - } - }, - "wireValue": "NATIONALITY_URUGUAY" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_UZBEKISTAN", - "camelCase": { - "unsafeName": "nationalityUzbekistan", - "safeName": "nationalityUzbekistan" - }, - "snakeCase": { - "unsafeName": "nationality_uzbekistan", - "safeName": "nationality_uzbekistan" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_UZBEKISTAN", - "safeName": "NATIONALITY_UZBEKISTAN" - }, - "pascalCase": { - "unsafeName": "NationalityUzbekistan", - "safeName": "NationalityUzbekistan" - } - }, - "wireValue": "NATIONALITY_UZBEKISTAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_VENEZUELA", - "camelCase": { - "unsafeName": "nationalityVenezuela", - "safeName": "nationalityVenezuela" - }, - "snakeCase": { - "unsafeName": "nationality_venezuela", - "safeName": "nationality_venezuela" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_VENEZUELA", - "safeName": "NATIONALITY_VENEZUELA" - }, - "pascalCase": { - "unsafeName": "NationalityVenezuela", - "safeName": "NationalityVenezuela" - } - }, - "wireValue": "NATIONALITY_VENEZUELA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_VIETNAM", - "camelCase": { - "unsafeName": "nationalityVietnam", - "safeName": "nationalityVietnam" - }, - "snakeCase": { - "unsafeName": "nationality_vietnam", - "safeName": "nationality_vietnam" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_VIETNAM", - "safeName": "NATIONALITY_VIETNAM" - }, - "pascalCase": { - "unsafeName": "NationalityVietnam", - "safeName": "NationalityVietnam" - } - }, - "wireValue": "NATIONALITY_VIETNAM" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_YEMEN", - "camelCase": { - "unsafeName": "nationalityYemen", - "safeName": "nationalityYemen" - }, - "snakeCase": { - "unsafeName": "nationality_yemen", - "safeName": "nationality_yemen" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_YEMEN", - "safeName": "NATIONALITY_YEMEN" - }, - "pascalCase": { - "unsafeName": "NationalityYemen", - "safeName": "NationalityYemen" - } - }, - "wireValue": "NATIONALITY_YEMEN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "NATIONALITY_ZIMBABWE", - "camelCase": { - "unsafeName": "nationalityZimbabwe", - "safeName": "nationalityZimbabwe" - }, - "snakeCase": { - "unsafeName": "nationality_zimbabwe", - "safeName": "nationality_zimbabwe" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY_ZIMBABWE", - "safeName": "NATIONALITY_ZIMBABWE" - }, - "pascalCase": { - "unsafeName": "NationalityZimbabwe", - "safeName": "NationalityZimbabwe" - } - }, - "wireValue": "NATIONALITY_ZIMBABWE" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Describes Nationality or Alliance information. This is derived from ISO-3166." - }, - "anduril.entitymanager.v1.MilView": { - "name": { - "typeId": "anduril.entitymanager.v1.MilView", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.MilView", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1MilView", - "safeName": "andurilEntitymanagerV1MilView" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_mil_view", - "safeName": "anduril_entitymanager_v_1_mil_view" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MIL_VIEW", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MIL_VIEW" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1MilView", - "safeName": "AndurilEntitymanagerV1MilView" - } - }, - "displayName": "MilView" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "disposition", - "camelCase": { - "unsafeName": "disposition", - "safeName": "disposition" - }, - "snakeCase": { - "unsafeName": "disposition", - "safeName": "disposition" - }, - "screamingSnakeCase": { - "unsafeName": "DISPOSITION", - "safeName": "DISPOSITION" - }, - "pascalCase": { - "unsafeName": "Disposition", - "safeName": "Disposition" - } - }, - "wireValue": "disposition" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.ontology.v1.Disposition", - "camelCase": { - "unsafeName": "andurilOntologyV1Disposition", - "safeName": "andurilOntologyV1Disposition" - }, - "snakeCase": { - "unsafeName": "anduril_ontology_v_1_disposition", - "safeName": "anduril_ontology_v_1_disposition" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ONTOLOGY_V_1_DISPOSITION", - "safeName": "ANDURIL_ONTOLOGY_V_1_DISPOSITION" - }, - "pascalCase": { - "unsafeName": "AndurilOntologyV1Disposition", - "safeName": "AndurilOntologyV1Disposition" - } - }, - "typeId": "anduril.ontology.v1.Disposition", - "default": null, - "inline": false, - "displayName": "disposition" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "environment", - "camelCase": { - "unsafeName": "environment", - "safeName": "environment" - }, - "snakeCase": { - "unsafeName": "environment", - "safeName": "environment" - }, - "screamingSnakeCase": { - "unsafeName": "ENVIRONMENT", - "safeName": "ENVIRONMENT" - }, - "pascalCase": { - "unsafeName": "Environment", - "safeName": "Environment" - } - }, - "wireValue": "environment" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.ontology.v1.Environment", - "camelCase": { - "unsafeName": "andurilOntologyV1Environment", - "safeName": "andurilOntologyV1Environment" - }, - "snakeCase": { - "unsafeName": "anduril_ontology_v_1_environment", - "safeName": "anduril_ontology_v_1_environment" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT", - "safeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT" - }, - "pascalCase": { - "unsafeName": "AndurilOntologyV1Environment", - "safeName": "AndurilOntologyV1Environment" - } - }, - "typeId": "anduril.ontology.v1.Environment", - "default": null, - "inline": false, - "displayName": "environment" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "nationality", - "camelCase": { - "unsafeName": "nationality", - "safeName": "nationality" - }, - "snakeCase": { - "unsafeName": "nationality", - "safeName": "nationality" - }, - "screamingSnakeCase": { - "unsafeName": "NATIONALITY", - "safeName": "NATIONALITY" - }, - "pascalCase": { - "unsafeName": "Nationality", - "safeName": "Nationality" - } - }, - "wireValue": "nationality" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.ontology.v1.Nationality", - "camelCase": { - "unsafeName": "andurilOntologyV1Nationality", - "safeName": "andurilOntologyV1Nationality" - }, - "snakeCase": { - "unsafeName": "anduril_ontology_v_1_nationality", - "safeName": "anduril_ontology_v_1_nationality" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ONTOLOGY_V_1_NATIONALITY", - "safeName": "ANDURIL_ONTOLOGY_V_1_NATIONALITY" - }, - "pascalCase": { - "unsafeName": "AndurilOntologyV1Nationality", - "safeName": "AndurilOntologyV1Nationality" - } - }, - "typeId": "anduril.ontology.v1.Nationality", - "default": null, - "inline": false, - "displayName": "nationality" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Provides the disposition, environment, and nationality of an Entity." - }, - "anduril.entitymanager.v1.Ontology": { - "name": { - "typeId": "anduril.entitymanager.v1.Ontology", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Ontology", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Ontology", - "safeName": "andurilEntitymanagerV1Ontology" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_ontology", - "safeName": "anduril_entitymanager_v_1_ontology" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ONTOLOGY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ONTOLOGY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Ontology", - "safeName": "AndurilEntitymanagerV1Ontology" - } - }, - "displayName": "Ontology" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "platform_type", - "camelCase": { - "unsafeName": "platformType", - "safeName": "platformType" - }, - "snakeCase": { - "unsafeName": "platform_type", - "safeName": "platform_type" - }, - "screamingSnakeCase": { - "unsafeName": "PLATFORM_TYPE", - "safeName": "PLATFORM_TYPE" - }, - "pascalCase": { - "unsafeName": "PlatformType", - "safeName": "PlatformType" - } - }, - "wireValue": "platform_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A string that describes the entity's high-level type with natural language." - }, - { - "name": { - "name": { - "originalName": "specific_type", - "camelCase": { - "unsafeName": "specificType", - "safeName": "specificType" - }, - "snakeCase": { - "unsafeName": "specific_type", - "safeName": "specific_type" - }, - "screamingSnakeCase": { - "unsafeName": "SPECIFIC_TYPE", - "safeName": "SPECIFIC_TYPE" - }, - "pascalCase": { - "unsafeName": "SpecificType", - "safeName": "SpecificType" - } - }, - "wireValue": "specific_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A string that describes the entity's exact model or type." - }, - { - "name": { - "name": { - "originalName": "template", - "camelCase": { - "unsafeName": "template", - "safeName": "template" - }, - "snakeCase": { - "unsafeName": "template", - "safeName": "template" - }, - "screamingSnakeCase": { - "unsafeName": "TEMPLATE", - "safeName": "TEMPLATE" - }, - "pascalCase": { - "unsafeName": "Template", - "safeName": "Template" - } - }, - "wireValue": "template" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Template", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Template", - "safeName": "andurilEntitymanagerV1Template" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_template", - "safeName": "anduril_entitymanager_v_1_template" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TEMPLATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TEMPLATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Template", - "safeName": "AndurilEntitymanagerV1Template" - } - }, - "typeId": "anduril.entitymanager.v1.Template", - "default": null, - "inline": false, - "displayName": "template" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The template used when creating this entity. Specifies minimum required components." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Ontology of the entity." - }, - "anduril.type.MeanElementTheory": { - "name": { - "typeId": "anduril.type.MeanElementTheory", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.MeanElementTheory", - "camelCase": { - "unsafeName": "andurilTypeMeanElementTheory", - "safeName": "andurilTypeMeanElementTheory" - }, - "snakeCase": { - "unsafeName": "anduril_type_mean_element_theory", - "safeName": "anduril_type_mean_element_theory" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_MEAN_ELEMENT_THEORY", - "safeName": "ANDURIL_TYPE_MEAN_ELEMENT_THEORY" - }, - "pascalCase": { - "unsafeName": "AndurilTypeMeanElementTheory", - "safeName": "AndurilTypeMeanElementTheory" - } - }, - "displayName": "MeanElementTheory" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "MEAN_ELEMENT_THEORY_INVALID", - "camelCase": { - "unsafeName": "meanElementTheoryInvalid", - "safeName": "meanElementTheoryInvalid" - }, - "snakeCase": { - "unsafeName": "mean_element_theory_invalid", - "safeName": "mean_element_theory_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "MEAN_ELEMENT_THEORY_INVALID", - "safeName": "MEAN_ELEMENT_THEORY_INVALID" - }, - "pascalCase": { - "unsafeName": "MeanElementTheoryInvalid", - "safeName": "MeanElementTheoryInvalid" - } - }, - "wireValue": "MEAN_ELEMENT_THEORY_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "MEAN_ELEMENT_THEORY_SGP4", - "camelCase": { - "unsafeName": "meanElementTheorySgp4", - "safeName": "meanElementTheorySgp4" - }, - "snakeCase": { - "unsafeName": "mean_element_theory_sgp_4", - "safeName": "mean_element_theory_sgp_4" - }, - "screamingSnakeCase": { - "unsafeName": "MEAN_ELEMENT_THEORY_SGP_4", - "safeName": "MEAN_ELEMENT_THEORY_SGP_4" - }, - "pascalCase": { - "unsafeName": "MeanElementTheorySgp4", - "safeName": "MeanElementTheorySgp4" - } - }, - "wireValue": "MEAN_ELEMENT_THEORY_SGP4" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.type.EciReferenceFrame": { - "name": { - "typeId": "anduril.type.EciReferenceFrame", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.EciReferenceFrame", - "camelCase": { - "unsafeName": "andurilTypeEciReferenceFrame", - "safeName": "andurilTypeEciReferenceFrame" - }, - "snakeCase": { - "unsafeName": "anduril_type_eci_reference_frame", - "safeName": "anduril_type_eci_reference_frame" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ECI_REFERENCE_FRAME", - "safeName": "ANDURIL_TYPE_ECI_REFERENCE_FRAME" - }, - "pascalCase": { - "unsafeName": "AndurilTypeEciReferenceFrame", - "safeName": "AndurilTypeEciReferenceFrame" - } - }, - "displayName": "EciReferenceFrame" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "ECI_REFERENCE_FRAME_INVALID", - "camelCase": { - "unsafeName": "eciReferenceFrameInvalid", - "safeName": "eciReferenceFrameInvalid" - }, - "snakeCase": { - "unsafeName": "eci_reference_frame_invalid", - "safeName": "eci_reference_frame_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "ECI_REFERENCE_FRAME_INVALID", - "safeName": "ECI_REFERENCE_FRAME_INVALID" - }, - "pascalCase": { - "unsafeName": "EciReferenceFrameInvalid", - "safeName": "EciReferenceFrameInvalid" - } - }, - "wireValue": "ECI_REFERENCE_FRAME_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ECI_REFERENCE_FRAME_TEME", - "camelCase": { - "unsafeName": "eciReferenceFrameTeme", - "safeName": "eciReferenceFrameTeme" - }, - "snakeCase": { - "unsafeName": "eci_reference_frame_teme", - "safeName": "eci_reference_frame_teme" - }, - "screamingSnakeCase": { - "unsafeName": "ECI_REFERENCE_FRAME_TEME", - "safeName": "ECI_REFERENCE_FRAME_TEME" - }, - "pascalCase": { - "unsafeName": "EciReferenceFrameTeme", - "safeName": "EciReferenceFrameTeme" - } - }, - "wireValue": "ECI_REFERENCE_FRAME_TEME" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.type.OrbitMeanElements": { - "name": { - "typeId": "anduril.type.OrbitMeanElements", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.OrbitMeanElements", - "camelCase": { - "unsafeName": "andurilTypeOrbitMeanElements", - "safeName": "andurilTypeOrbitMeanElements" - }, - "snakeCase": { - "unsafeName": "anduril_type_orbit_mean_elements", - "safeName": "anduril_type_orbit_mean_elements" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS", - "safeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS" - }, - "pascalCase": { - "unsafeName": "AndurilTypeOrbitMeanElements", - "safeName": "AndurilTypeOrbitMeanElements" - } - }, - "displayName": "OrbitMeanElements" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "metadata", - "camelCase": { - "unsafeName": "metadata", - "safeName": "metadata" - }, - "snakeCase": { - "unsafeName": "metadata", - "safeName": "metadata" - }, - "screamingSnakeCase": { - "unsafeName": "METADATA", - "safeName": "METADATA" - }, - "pascalCase": { - "unsafeName": "Metadata", - "safeName": "Metadata" - } - }, - "wireValue": "metadata" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.OrbitMeanElementsMetadata", - "camelCase": { - "unsafeName": "andurilTypeOrbitMeanElementsMetadata", - "safeName": "andurilTypeOrbitMeanElementsMetadata" - }, - "snakeCase": { - "unsafeName": "anduril_type_orbit_mean_elements_metadata", - "safeName": "anduril_type_orbit_mean_elements_metadata" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS_METADATA", - "safeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS_METADATA" - }, - "pascalCase": { - "unsafeName": "AndurilTypeOrbitMeanElementsMetadata", - "safeName": "AndurilTypeOrbitMeanElementsMetadata" - } - }, - "typeId": "anduril.type.OrbitMeanElementsMetadata", - "default": null, - "inline": false, - "displayName": "metadata" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "mean_keplerian_elements", - "camelCase": { - "unsafeName": "meanKeplerianElements", - "safeName": "meanKeplerianElements" - }, - "snakeCase": { - "unsafeName": "mean_keplerian_elements", - "safeName": "mean_keplerian_elements" - }, - "screamingSnakeCase": { - "unsafeName": "MEAN_KEPLERIAN_ELEMENTS", - "safeName": "MEAN_KEPLERIAN_ELEMENTS" - }, - "pascalCase": { - "unsafeName": "MeanKeplerianElements", - "safeName": "MeanKeplerianElements" - } - }, - "wireValue": "mean_keplerian_elements" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.MeanKeplerianElements", - "camelCase": { - "unsafeName": "andurilTypeMeanKeplerianElements", - "safeName": "andurilTypeMeanKeplerianElements" - }, - "snakeCase": { - "unsafeName": "anduril_type_mean_keplerian_elements", - "safeName": "anduril_type_mean_keplerian_elements" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS", - "safeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS" - }, - "pascalCase": { - "unsafeName": "AndurilTypeMeanKeplerianElements", - "safeName": "AndurilTypeMeanKeplerianElements" - } - }, - "typeId": "anduril.type.MeanKeplerianElements", - "default": null, - "inline": false, - "displayName": "mean_keplerian_elements" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "tle_parameters", - "camelCase": { - "unsafeName": "tleParameters", - "safeName": "tleParameters" - }, - "snakeCase": { - "unsafeName": "tle_parameters", - "safeName": "tle_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "TLE_PARAMETERS", - "safeName": "TLE_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "TleParameters", - "safeName": "TleParameters" - } - }, - "wireValue": "tle_parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.TleParameters", - "camelCase": { - "unsafeName": "andurilTypeTleParameters", - "safeName": "andurilTypeTleParameters" - }, - "snakeCase": { - "unsafeName": "anduril_type_tle_parameters", - "safeName": "anduril_type_tle_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS", - "safeName": "ANDURIL_TYPE_TLE_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTypeTleParameters", - "safeName": "AndurilTypeTleParameters" - } - }, - "typeId": "anduril.type.TleParameters", - "default": null, - "inline": false, - "displayName": "tle_parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Orbit Mean Elements data, analogous to the Orbit Mean Elements Message in CCSDS 502.0-B-3" - }, - "anduril.type.OrbitMeanElementsMetadata": { - "name": { - "typeId": "anduril.type.OrbitMeanElementsMetadata", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.OrbitMeanElementsMetadata", - "camelCase": { - "unsafeName": "andurilTypeOrbitMeanElementsMetadata", - "safeName": "andurilTypeOrbitMeanElementsMetadata" - }, - "snakeCase": { - "unsafeName": "anduril_type_orbit_mean_elements_metadata", - "safeName": "anduril_type_orbit_mean_elements_metadata" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS_METADATA", - "safeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS_METADATA" - }, - "pascalCase": { - "unsafeName": "AndurilTypeOrbitMeanElementsMetadata", - "safeName": "AndurilTypeOrbitMeanElementsMetadata" - } - }, - "displayName": "OrbitMeanElementsMetadata" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "creation_date", - "camelCase": { - "unsafeName": "creationDate", - "safeName": "creationDate" - }, - "snakeCase": { - "unsafeName": "creation_date", - "safeName": "creation_date" - }, - "screamingSnakeCase": { - "unsafeName": "CREATION_DATE", - "safeName": "CREATION_DATE" - }, - "pascalCase": { - "unsafeName": "CreationDate", - "safeName": "CreationDate" - } - }, - "wireValue": "creation_date" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "creation_date" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Creation date/time in UTC" - }, - { - "name": { - "name": { - "originalName": "originator", - "camelCase": { - "unsafeName": "originator", - "safeName": "originator" - }, - "snakeCase": { - "unsafeName": "originator", - "safeName": "originator" - }, - "screamingSnakeCase": { - "unsafeName": "ORIGINATOR", - "safeName": "ORIGINATOR" - }, - "pascalCase": { - "unsafeName": "Originator", - "safeName": "Originator" - } - }, - "wireValue": "originator" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.StringValue", - "camelCase": { - "unsafeName": "googleProtobufStringValue", - "safeName": "googleProtobufStringValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_string_value", - "safeName": "google_protobuf_string_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_STRING_VALUE", - "safeName": "GOOGLE_PROTOBUF_STRING_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufStringValue", - "safeName": "GoogleProtobufStringValue" - } - }, - "typeId": "google.protobuf.StringValue", - "default": null, - "inline": false, - "displayName": "originator" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Creating agency or operator" - }, - { - "name": { - "name": { - "originalName": "message_id", - "camelCase": { - "unsafeName": "messageId", - "safeName": "messageId" - }, - "snakeCase": { - "unsafeName": "message_id", - "safeName": "message_id" - }, - "screamingSnakeCase": { - "unsafeName": "MESSAGE_ID", - "safeName": "MESSAGE_ID" - }, - "pascalCase": { - "unsafeName": "MessageId", - "safeName": "MessageId" - } - }, - "wireValue": "message_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.StringValue", - "camelCase": { - "unsafeName": "googleProtobufStringValue", - "safeName": "googleProtobufStringValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_string_value", - "safeName": "google_protobuf_string_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_STRING_VALUE", - "safeName": "GOOGLE_PROTOBUF_STRING_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufStringValue", - "safeName": "GoogleProtobufStringValue" - } - }, - "typeId": "google.protobuf.StringValue", - "default": null, - "inline": false, - "displayName": "message_id" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "ID that uniquely identifies a message from a given originator." - }, - { - "name": { - "name": { - "originalName": "ref_frame", - "camelCase": { - "unsafeName": "refFrame", - "safeName": "refFrame" - }, - "snakeCase": { - "unsafeName": "ref_frame", - "safeName": "ref_frame" - }, - "screamingSnakeCase": { - "unsafeName": "REF_FRAME", - "safeName": "REF_FRAME" - }, - "pascalCase": { - "unsafeName": "RefFrame", - "safeName": "RefFrame" - } - }, - "wireValue": "ref_frame" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.EciReferenceFrame", - "camelCase": { - "unsafeName": "andurilTypeEciReferenceFrame", - "safeName": "andurilTypeEciReferenceFrame" - }, - "snakeCase": { - "unsafeName": "anduril_type_eci_reference_frame", - "safeName": "anduril_type_eci_reference_frame" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ECI_REFERENCE_FRAME", - "safeName": "ANDURIL_TYPE_ECI_REFERENCE_FRAME" - }, - "pascalCase": { - "unsafeName": "AndurilTypeEciReferenceFrame", - "safeName": "AndurilTypeEciReferenceFrame" - } - }, - "typeId": "anduril.type.EciReferenceFrame", - "default": null, - "inline": false, - "displayName": "ref_frame" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Reference frame, assumed to be Earth-centered" - }, - { - "name": { - "name": { - "originalName": "ref_frame_epoch", - "camelCase": { - "unsafeName": "refFrameEpoch", - "safeName": "refFrameEpoch" - }, - "snakeCase": { - "unsafeName": "ref_frame_epoch", - "safeName": "ref_frame_epoch" - }, - "screamingSnakeCase": { - "unsafeName": "REF_FRAME_EPOCH", - "safeName": "REF_FRAME_EPOCH" - }, - "pascalCase": { - "unsafeName": "RefFrameEpoch", - "safeName": "RefFrameEpoch" - } - }, - "wireValue": "ref_frame_epoch" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "ref_frame_epoch" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Reference frame epoch in UTC - mandatory only if not intrinsic to frame definition" - }, - { - "name": { - "name": { - "originalName": "mean_element_theory", - "camelCase": { - "unsafeName": "meanElementTheory", - "safeName": "meanElementTheory" - }, - "snakeCase": { - "unsafeName": "mean_element_theory", - "safeName": "mean_element_theory" - }, - "screamingSnakeCase": { - "unsafeName": "MEAN_ELEMENT_THEORY", - "safeName": "MEAN_ELEMENT_THEORY" - }, - "pascalCase": { - "unsafeName": "MeanElementTheory", - "safeName": "MeanElementTheory" - } - }, - "wireValue": "mean_element_theory" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.MeanElementTheory", - "camelCase": { - "unsafeName": "andurilTypeMeanElementTheory", - "safeName": "andurilTypeMeanElementTheory" - }, - "snakeCase": { - "unsafeName": "anduril_type_mean_element_theory", - "safeName": "anduril_type_mean_element_theory" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_MEAN_ELEMENT_THEORY", - "safeName": "ANDURIL_TYPE_MEAN_ELEMENT_THEORY" - }, - "pascalCase": { - "unsafeName": "AndurilTypeMeanElementTheory", - "safeName": "AndurilTypeMeanElementTheory" - } - }, - "typeId": "anduril.type.MeanElementTheory", - "default": null, - "inline": false, - "displayName": "mean_element_theory" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.MeanKeplerianElementsLine2_field8": { - "name": { - "typeId": "anduril.type.MeanKeplerianElementsLine2_field8", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.MeanKeplerianElementsLine2_field8", - "camelCase": { - "unsafeName": "andurilTypeMeanKeplerianElementsLine2Field8", - "safeName": "andurilTypeMeanKeplerianElementsLine2Field8" - }, - "snakeCase": { - "unsafeName": "anduril_type_mean_keplerian_elements_line_2_field_8", - "safeName": "anduril_type_mean_keplerian_elements_line_2_field_8" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS_LINE_2_FIELD_8", - "safeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS_LINE_2_FIELD_8" - }, - "pascalCase": { - "unsafeName": "AndurilTypeMeanKeplerianElementsLine2Field8", - "safeName": "AndurilTypeMeanKeplerianElementsLine2Field8" - } - }, - "displayName": "MeanKeplerianElementsLine2_field8" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - }, - "docs": null - }, - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.MeanKeplerianElements": { - "name": { - "typeId": "anduril.type.MeanKeplerianElements", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.MeanKeplerianElements", - "camelCase": { - "unsafeName": "andurilTypeMeanKeplerianElements", - "safeName": "andurilTypeMeanKeplerianElements" - }, - "snakeCase": { - "unsafeName": "anduril_type_mean_keplerian_elements", - "safeName": "anduril_type_mean_keplerian_elements" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS", - "safeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS" - }, - "pascalCase": { - "unsafeName": "AndurilTypeMeanKeplerianElements", - "safeName": "AndurilTypeMeanKeplerianElements" - } - }, - "displayName": "MeanKeplerianElements" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "epoch", - "camelCase": { - "unsafeName": "epoch", - "safeName": "epoch" - }, - "snakeCase": { - "unsafeName": "epoch", - "safeName": "epoch" - }, - "screamingSnakeCase": { - "unsafeName": "EPOCH", - "safeName": "EPOCH" - }, - "pascalCase": { - "unsafeName": "Epoch", - "safeName": "Epoch" - } - }, - "wireValue": "epoch" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "epoch" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "UTC time of validity" - }, - { - "name": { - "name": { - "originalName": "eccentricity", - "camelCase": { - "unsafeName": "eccentricity", - "safeName": "eccentricity" - }, - "snakeCase": { - "unsafeName": "eccentricity", - "safeName": "eccentricity" - }, - "screamingSnakeCase": { - "unsafeName": "ECCENTRICITY", - "safeName": "ECCENTRICITY" - }, - "pascalCase": { - "unsafeName": "Eccentricity", - "safeName": "Eccentricity" - } - }, - "wireValue": "eccentricity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "inclination_deg", - "camelCase": { - "unsafeName": "inclinationDeg", - "safeName": "inclinationDeg" - }, - "snakeCase": { - "unsafeName": "inclination_deg", - "safeName": "inclination_deg" - }, - "screamingSnakeCase": { - "unsafeName": "INCLINATION_DEG", - "safeName": "INCLINATION_DEG" - }, - "pascalCase": { - "unsafeName": "InclinationDeg", - "safeName": "InclinationDeg" - } - }, - "wireValue": "inclination_deg" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Angle of inclination in deg" - }, - { - "name": { - "name": { - "originalName": "ra_of_asc_node_deg", - "camelCase": { - "unsafeName": "raOfAscNodeDeg", - "safeName": "raOfAscNodeDeg" - }, - "snakeCase": { - "unsafeName": "ra_of_asc_node_deg", - "safeName": "ra_of_asc_node_deg" - }, - "screamingSnakeCase": { - "unsafeName": "RA_OF_ASC_NODE_DEG", - "safeName": "RA_OF_ASC_NODE_DEG" - }, - "pascalCase": { - "unsafeName": "RaOfAscNodeDeg", - "safeName": "RaOfAscNodeDeg" - } - }, - "wireValue": "ra_of_asc_node_deg" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Right ascension of the ascending node in deg" - }, - { - "name": { - "name": { - "originalName": "arg_of_pericenter_deg", - "camelCase": { - "unsafeName": "argOfPericenterDeg", - "safeName": "argOfPericenterDeg" - }, - "snakeCase": { - "unsafeName": "arg_of_pericenter_deg", - "safeName": "arg_of_pericenter_deg" - }, - "screamingSnakeCase": { - "unsafeName": "ARG_OF_PERICENTER_DEG", - "safeName": "ARG_OF_PERICENTER_DEG" - }, - "pascalCase": { - "unsafeName": "ArgOfPericenterDeg", - "safeName": "ArgOfPericenterDeg" - } - }, - "wireValue": "arg_of_pericenter_deg" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Argument of pericenter in deg" - }, - { - "name": { - "name": { - "originalName": "mean_anomaly_deg", - "camelCase": { - "unsafeName": "meanAnomalyDeg", - "safeName": "meanAnomalyDeg" - }, - "snakeCase": { - "unsafeName": "mean_anomaly_deg", - "safeName": "mean_anomaly_deg" - }, - "screamingSnakeCase": { - "unsafeName": "MEAN_ANOMALY_DEG", - "safeName": "MEAN_ANOMALY_DEG" - }, - "pascalCase": { - "unsafeName": "MeanAnomalyDeg", - "safeName": "MeanAnomalyDeg" - } - }, - "wireValue": "mean_anomaly_deg" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Mean anomaly in deg" - }, - { - "name": { - "name": { - "originalName": "gm", - "camelCase": { - "unsafeName": "gm", - "safeName": "gm" - }, - "snakeCase": { - "unsafeName": "gm", - "safeName": "gm" - }, - "screamingSnakeCase": { - "unsafeName": "GM", - "safeName": "GM" - }, - "pascalCase": { - "unsafeName": "Gm", - "safeName": "Gm" - } - }, - "wireValue": "gm" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "gm" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional: gravitational coefficient (Gravitational Constant x central mass) in kg^3 / s^2" - }, - { - "name": { - "name": { - "originalName": "line2_field8", - "camelCase": { - "unsafeName": "line2Field8", - "safeName": "line2Field8" - }, - "snakeCase": { - "unsafeName": "line_2_field_8", - "safeName": "line_2_field_8" - }, - "screamingSnakeCase": { - "unsafeName": "LINE_2_FIELD_8", - "safeName": "LINE_2_FIELD_8" - }, - "pascalCase": { - "unsafeName": "Line2Field8", - "safeName": "Line2Field8" - } - }, - "wireValue": "line2_field8" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.MeanKeplerianElementsLine2_field8", - "camelCase": { - "unsafeName": "andurilTypeMeanKeplerianElementsLine2Field8", - "safeName": "andurilTypeMeanKeplerianElementsLine2Field8" - }, - "snakeCase": { - "unsafeName": "anduril_type_mean_keplerian_elements_line_2_field_8", - "safeName": "anduril_type_mean_keplerian_elements_line_2_field_8" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS_LINE_2_FIELD_8", - "safeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS_LINE_2_FIELD_8" - }, - "pascalCase": { - "unsafeName": "AndurilTypeMeanKeplerianElementsLine2Field8", - "safeName": "AndurilTypeMeanKeplerianElementsLine2Field8" - } - }, - "typeId": "anduril.type.MeanKeplerianElementsLine2_field8", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.TleParametersLine1_field11": { - "name": { - "typeId": "anduril.type.TleParametersLine1_field11", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.TleParametersLine1_field11", - "camelCase": { - "unsafeName": "andurilTypeTleParametersLine1Field11", - "safeName": "andurilTypeTleParametersLine1Field11" - }, - "snakeCase": { - "unsafeName": "anduril_type_tle_parameters_line_1_field_11", - "safeName": "anduril_type_tle_parameters_line_1_field_11" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_11", - "safeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_11" - }, - "pascalCase": { - "unsafeName": "AndurilTypeTleParametersLine1Field11", - "safeName": "AndurilTypeTleParametersLine1Field11" - } - }, - "displayName": "TleParametersLine1_field11" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - }, - "docs": null - }, - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.TleParametersLine1_field10": { - "name": { - "typeId": "anduril.type.TleParametersLine1_field10", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.TleParametersLine1_field10", - "camelCase": { - "unsafeName": "andurilTypeTleParametersLine1Field10", - "safeName": "andurilTypeTleParametersLine1Field10" - }, - "snakeCase": { - "unsafeName": "anduril_type_tle_parameters_line_1_field_10", - "safeName": "anduril_type_tle_parameters_line_1_field_10" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_10", - "safeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_10" - }, - "pascalCase": { - "unsafeName": "AndurilTypeTleParametersLine1Field10", - "safeName": "AndurilTypeTleParametersLine1Field10" - } - }, - "displayName": "TleParametersLine1_field10" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - }, - "docs": null - }, - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.TleParameters": { - "name": { - "typeId": "anduril.type.TleParameters", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.TleParameters", - "camelCase": { - "unsafeName": "andurilTypeTleParameters", - "safeName": "andurilTypeTleParameters" - }, - "snakeCase": { - "unsafeName": "anduril_type_tle_parameters", - "safeName": "anduril_type_tle_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS", - "safeName": "ANDURIL_TYPE_TLE_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTypeTleParameters", - "safeName": "AndurilTypeTleParameters" - } - }, - "displayName": "TleParameters" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "ephemeris_type", - "camelCase": { - "unsafeName": "ephemerisType", - "safeName": "ephemerisType" - }, - "snakeCase": { - "unsafeName": "ephemeris_type", - "safeName": "ephemeris_type" - }, - "screamingSnakeCase": { - "unsafeName": "EPHEMERIS_TYPE", - "safeName": "EPHEMERIS_TYPE" - }, - "pascalCase": { - "unsafeName": "EphemerisType", - "safeName": "EphemerisType" - } - }, - "wireValue": "ephemeris_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UInt32Value", - "camelCase": { - "unsafeName": "googleProtobufUInt32Value", - "safeName": "googleProtobufUInt32Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_u_int_32_value", - "safeName": "google_protobuf_u_int_32_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", - "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUInt32Value", - "safeName": "GoogleProtobufUInt32Value" - } - }, - "typeId": "google.protobuf.UInt32Value", - "default": null, - "inline": false, - "displayName": "ephemeris_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Integer specifying TLE ephemeris type" - }, - { - "name": { - "name": { - "originalName": "classification_type", - "camelCase": { - "unsafeName": "classificationType", - "safeName": "classificationType" - }, - "snakeCase": { - "unsafeName": "classification_type", - "safeName": "classification_type" - }, - "screamingSnakeCase": { - "unsafeName": "CLASSIFICATION_TYPE", - "safeName": "CLASSIFICATION_TYPE" - }, - "pascalCase": { - "unsafeName": "ClassificationType", - "safeName": "ClassificationType" - } - }, - "wireValue": "classification_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.StringValue", - "camelCase": { - "unsafeName": "googleProtobufStringValue", - "safeName": "googleProtobufStringValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_string_value", - "safeName": "google_protobuf_string_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_STRING_VALUE", - "safeName": "GOOGLE_PROTOBUF_STRING_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufStringValue", - "safeName": "GoogleProtobufStringValue" - } - }, - "typeId": "google.protobuf.StringValue", - "default": null, - "inline": false, - "displayName": "classification_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "User-defined free-text message classification/caveats of this TLE" - }, - { - "name": { - "name": { - "originalName": "norad_cat_id", - "camelCase": { - "unsafeName": "noradCatId", - "safeName": "noradCatId" - }, - "snakeCase": { - "unsafeName": "norad_cat_id", - "safeName": "norad_cat_id" - }, - "screamingSnakeCase": { - "unsafeName": "NORAD_CAT_ID", - "safeName": "NORAD_CAT_ID" - }, - "pascalCase": { - "unsafeName": "NoradCatId", - "safeName": "NoradCatId" - } - }, - "wireValue": "norad_cat_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UInt32Value", - "camelCase": { - "unsafeName": "googleProtobufUInt32Value", - "safeName": "googleProtobufUInt32Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_u_int_32_value", - "safeName": "google_protobuf_u_int_32_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", - "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUInt32Value", - "safeName": "GoogleProtobufUInt32Value" - } - }, - "typeId": "google.protobuf.UInt32Value", - "default": null, - "inline": false, - "displayName": "norad_cat_id" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Norad catalog number: integer up to nine digits." - }, - { - "name": { - "name": { - "originalName": "element_set_no", - "camelCase": { - "unsafeName": "elementSetNo", - "safeName": "elementSetNo" - }, - "snakeCase": { - "unsafeName": "element_set_no", - "safeName": "element_set_no" - }, - "screamingSnakeCase": { - "unsafeName": "ELEMENT_SET_NO", - "safeName": "ELEMENT_SET_NO" - }, - "pascalCase": { - "unsafeName": "ElementSetNo", - "safeName": "ElementSetNo" - } - }, - "wireValue": "element_set_no" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UInt32Value", - "camelCase": { - "unsafeName": "googleProtobufUInt32Value", - "safeName": "googleProtobufUInt32Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_u_int_32_value", - "safeName": "google_protobuf_u_int_32_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", - "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUInt32Value", - "safeName": "GoogleProtobufUInt32Value" - } - }, - "typeId": "google.protobuf.UInt32Value", - "default": null, - "inline": false, - "displayName": "element_set_no" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "rev_at_epoch", - "camelCase": { - "unsafeName": "revAtEpoch", - "safeName": "revAtEpoch" - }, - "snakeCase": { - "unsafeName": "rev_at_epoch", - "safeName": "rev_at_epoch" - }, - "screamingSnakeCase": { - "unsafeName": "REV_AT_EPOCH", - "safeName": "REV_AT_EPOCH" - }, - "pascalCase": { - "unsafeName": "RevAtEpoch", - "safeName": "RevAtEpoch" - } - }, - "wireValue": "rev_at_epoch" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UInt32Value", - "camelCase": { - "unsafeName": "googleProtobufUInt32Value", - "safeName": "googleProtobufUInt32Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_u_int_32_value", - "safeName": "google_protobuf_u_int_32_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", - "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUInt32Value", - "safeName": "GoogleProtobufUInt32Value" - } - }, - "typeId": "google.protobuf.UInt32Value", - "default": null, - "inline": false, - "displayName": "rev_at_epoch" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional: revolution number" - }, - { - "name": { - "name": { - "originalName": "mean_motion_dot", - "camelCase": { - "unsafeName": "meanMotionDot", - "safeName": "meanMotionDot" - }, - "snakeCase": { - "unsafeName": "mean_motion_dot", - "safeName": "mean_motion_dot" - }, - "screamingSnakeCase": { - "unsafeName": "MEAN_MOTION_DOT", - "safeName": "MEAN_MOTION_DOT" - }, - "pascalCase": { - "unsafeName": "MeanMotionDot", - "safeName": "MeanMotionDot" - } - }, - "wireValue": "mean_motion_dot" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "mean_motion_dot" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "First time derivative of mean motion in rev / day^2" - }, - { - "name": { - "name": { - "originalName": "line1_field11", - "camelCase": { - "unsafeName": "line1Field11", - "safeName": "line1Field11" - }, - "snakeCase": { - "unsafeName": "line_1_field_11", - "safeName": "line_1_field_11" - }, - "screamingSnakeCase": { - "unsafeName": "LINE_1_FIELD_11", - "safeName": "LINE_1_FIELD_11" - }, - "pascalCase": { - "unsafeName": "Line1Field11", - "safeName": "Line1Field11" - } - }, - "wireValue": "line1_field11" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.TleParametersLine1_field11", - "camelCase": { - "unsafeName": "andurilTypeTleParametersLine1Field11", - "safeName": "andurilTypeTleParametersLine1Field11" - }, - "snakeCase": { - "unsafeName": "anduril_type_tle_parameters_line_1_field_11", - "safeName": "anduril_type_tle_parameters_line_1_field_11" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_11", - "safeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_11" - }, - "pascalCase": { - "unsafeName": "AndurilTypeTleParametersLine1Field11", - "safeName": "AndurilTypeTleParametersLine1Field11" - } - }, - "typeId": "anduril.type.TleParametersLine1_field11", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "line1_field10", - "camelCase": { - "unsafeName": "line1Field10", - "safeName": "line1Field10" - }, - "snakeCase": { - "unsafeName": "line_1_field_10", - "safeName": "line_1_field_10" - }, - "screamingSnakeCase": { - "unsafeName": "LINE_1_FIELD_10", - "safeName": "LINE_1_FIELD_10" - }, - "pascalCase": { - "unsafeName": "Line1Field10", - "safeName": "Line1Field10" - } - }, - "wireValue": "line1_field10" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.TleParametersLine1_field10", - "camelCase": { - "unsafeName": "andurilTypeTleParametersLine1Field10", - "safeName": "andurilTypeTleParametersLine1Field10" - }, - "snakeCase": { - "unsafeName": "anduril_type_tle_parameters_line_1_field_10", - "safeName": "anduril_type_tle_parameters_line_1_field_10" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_10", - "safeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_10" - }, - "pascalCase": { - "unsafeName": "AndurilTypeTleParametersLine1Field10", - "safeName": "AndurilTypeTleParametersLine1Field10" - } - }, - "typeId": "anduril.type.TleParametersLine1_field10", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Orbit": { - "name": { - "typeId": "anduril.entitymanager.v1.Orbit", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Orbit", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Orbit", - "safeName": "andurilEntitymanagerV1Orbit" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_orbit", - "safeName": "anduril_entitymanager_v_1_orbit" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ORBIT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ORBIT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Orbit", - "safeName": "AndurilEntitymanagerV1Orbit" - } - }, - "displayName": "Orbit" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "orbit_mean_elements", - "camelCase": { - "unsafeName": "orbitMeanElements", - "safeName": "orbitMeanElements" - }, - "snakeCase": { - "unsafeName": "orbit_mean_elements", - "safeName": "orbit_mean_elements" - }, - "screamingSnakeCase": { - "unsafeName": "ORBIT_MEAN_ELEMENTS", - "safeName": "ORBIT_MEAN_ELEMENTS" - }, - "pascalCase": { - "unsafeName": "OrbitMeanElements", - "safeName": "OrbitMeanElements" - } - }, - "wireValue": "orbit_mean_elements" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.OrbitMeanElements", - "camelCase": { - "unsafeName": "andurilTypeOrbitMeanElements", - "safeName": "andurilTypeOrbitMeanElements" - }, - "snakeCase": { - "unsafeName": "anduril_type_orbit_mean_elements", - "safeName": "anduril_type_orbit_mean_elements" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS", - "safeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS" - }, - "pascalCase": { - "unsafeName": "AndurilTypeOrbitMeanElements", - "safeName": "AndurilTypeOrbitMeanElements" - } - }, - "typeId": "anduril.type.OrbitMeanElements", - "default": null, - "inline": false, - "displayName": "orbit_mean_elements" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Orbit Mean Elements data, analogous to the Orbit Mean Elements Message in CCSDS 502.0-B-3" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.PayloadOperationalState": { - "name": { - "typeId": "anduril.entitymanager.v1.PayloadOperationalState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PayloadOperationalState", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PayloadOperationalState", - "safeName": "andurilEntitymanagerV1PayloadOperationalState" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_payload_operational_state", - "safeName": "anduril_entitymanager_v_1_payload_operational_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_OPERATIONAL_STATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_OPERATIONAL_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PayloadOperationalState", - "safeName": "AndurilEntitymanagerV1PayloadOperationalState" - } - }, - "displayName": "PayloadOperationalState" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "PAYLOAD_OPERATIONAL_STATE_INVALID", - "camelCase": { - "unsafeName": "payloadOperationalStateInvalid", - "safeName": "payloadOperationalStateInvalid" - }, - "snakeCase": { - "unsafeName": "payload_operational_state_invalid", - "safeName": "payload_operational_state_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOAD_OPERATIONAL_STATE_INVALID", - "safeName": "PAYLOAD_OPERATIONAL_STATE_INVALID" - }, - "pascalCase": { - "unsafeName": "PayloadOperationalStateInvalid", - "safeName": "PayloadOperationalStateInvalid" - } - }, - "wireValue": "PAYLOAD_OPERATIONAL_STATE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "PAYLOAD_OPERATIONAL_STATE_OFF", - "camelCase": { - "unsafeName": "payloadOperationalStateOff", - "safeName": "payloadOperationalStateOff" - }, - "snakeCase": { - "unsafeName": "payload_operational_state_off", - "safeName": "payload_operational_state_off" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOAD_OPERATIONAL_STATE_OFF", - "safeName": "PAYLOAD_OPERATIONAL_STATE_OFF" - }, - "pascalCase": { - "unsafeName": "PayloadOperationalStateOff", - "safeName": "PayloadOperationalStateOff" - } - }, - "wireValue": "PAYLOAD_OPERATIONAL_STATE_OFF" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "PAYLOAD_OPERATIONAL_STATE_NON_OPERATIONAL", - "camelCase": { - "unsafeName": "payloadOperationalStateNonOperational", - "safeName": "payloadOperationalStateNonOperational" - }, - "snakeCase": { - "unsafeName": "payload_operational_state_non_operational", - "safeName": "payload_operational_state_non_operational" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOAD_OPERATIONAL_STATE_NON_OPERATIONAL", - "safeName": "PAYLOAD_OPERATIONAL_STATE_NON_OPERATIONAL" - }, - "pascalCase": { - "unsafeName": "PayloadOperationalStateNonOperational", - "safeName": "PayloadOperationalStateNonOperational" - } - }, - "wireValue": "PAYLOAD_OPERATIONAL_STATE_NON_OPERATIONAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "PAYLOAD_OPERATIONAL_STATE_DEGRADED", - "camelCase": { - "unsafeName": "payloadOperationalStateDegraded", - "safeName": "payloadOperationalStateDegraded" - }, - "snakeCase": { - "unsafeName": "payload_operational_state_degraded", - "safeName": "payload_operational_state_degraded" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOAD_OPERATIONAL_STATE_DEGRADED", - "safeName": "PAYLOAD_OPERATIONAL_STATE_DEGRADED" - }, - "pascalCase": { - "unsafeName": "PayloadOperationalStateDegraded", - "safeName": "PayloadOperationalStateDegraded" - } - }, - "wireValue": "PAYLOAD_OPERATIONAL_STATE_DEGRADED" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "PAYLOAD_OPERATIONAL_STATE_OPERATIONAL", - "camelCase": { - "unsafeName": "payloadOperationalStateOperational", - "safeName": "payloadOperationalStateOperational" - }, - "snakeCase": { - "unsafeName": "payload_operational_state_operational", - "safeName": "payload_operational_state_operational" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOAD_OPERATIONAL_STATE_OPERATIONAL", - "safeName": "PAYLOAD_OPERATIONAL_STATE_OPERATIONAL" - }, - "pascalCase": { - "unsafeName": "PayloadOperationalStateOperational", - "safeName": "PayloadOperationalStateOperational" - } - }, - "wireValue": "PAYLOAD_OPERATIONAL_STATE_OPERATIONAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "PAYLOAD_OPERATIONAL_STATE_OUT_OF_SERVICE", - "camelCase": { - "unsafeName": "payloadOperationalStateOutOfService", - "safeName": "payloadOperationalStateOutOfService" - }, - "snakeCase": { - "unsafeName": "payload_operational_state_out_of_service", - "safeName": "payload_operational_state_out_of_service" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOAD_OPERATIONAL_STATE_OUT_OF_SERVICE", - "safeName": "PAYLOAD_OPERATIONAL_STATE_OUT_OF_SERVICE" - }, - "pascalCase": { - "unsafeName": "PayloadOperationalStateOutOfService", - "safeName": "PayloadOperationalStateOutOfService" - } - }, - "wireValue": "PAYLOAD_OPERATIONAL_STATE_OUT_OF_SERVICE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "PAYLOAD_OPERATIONAL_STATE_UNKNOWN", - "camelCase": { - "unsafeName": "payloadOperationalStateUnknown", - "safeName": "payloadOperationalStateUnknown" - }, - "snakeCase": { - "unsafeName": "payload_operational_state_unknown", - "safeName": "payload_operational_state_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOAD_OPERATIONAL_STATE_UNKNOWN", - "safeName": "PAYLOAD_OPERATIONAL_STATE_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "PayloadOperationalStateUnknown", - "safeName": "PayloadOperationalStateUnknown" - } - }, - "wireValue": "PAYLOAD_OPERATIONAL_STATE_UNKNOWN" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Describes the current operational state of a payload configuration." - }, - "anduril.entitymanager.v1.Payloads": { - "name": { - "typeId": "anduril.entitymanager.v1.Payloads", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Payloads", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Payloads", - "safeName": "andurilEntitymanagerV1Payloads" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_payloads", - "safeName": "anduril_entitymanager_v_1_payloads" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOADS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOADS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Payloads", - "safeName": "AndurilEntitymanagerV1Payloads" - } - }, - "displayName": "Payloads" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "payload_configurations", - "camelCase": { - "unsafeName": "payloadConfigurations", - "safeName": "payloadConfigurations" - }, - "snakeCase": { - "unsafeName": "payload_configurations", - "safeName": "payload_configurations" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOAD_CONFIGURATIONS", - "safeName": "PAYLOAD_CONFIGURATIONS" - }, - "pascalCase": { - "unsafeName": "PayloadConfigurations", - "safeName": "PayloadConfigurations" - } - }, - "wireValue": "payload_configurations" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Payload", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Payload", - "safeName": "andurilEntitymanagerV1Payload" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_payload", - "safeName": "anduril_entitymanager_v_1_payload" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Payload", - "safeName": "AndurilEntitymanagerV1Payload" - } - }, - "typeId": "anduril.entitymanager.v1.Payload", - "default": null, - "inline": false, - "displayName": "payload_configurations" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "List of payloads available for an entity." - }, - "anduril.entitymanager.v1.Payload": { - "name": { - "typeId": "anduril.entitymanager.v1.Payload", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Payload", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Payload", - "safeName": "andurilEntitymanagerV1Payload" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_payload", - "safeName": "anduril_entitymanager_v_1_payload" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Payload", - "safeName": "AndurilEntitymanagerV1Payload" - } - }, - "displayName": "Payload" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "config", - "camelCase": { - "unsafeName": "config", - "safeName": "config" - }, - "snakeCase": { - "unsafeName": "config", - "safeName": "config" - }, - "screamingSnakeCase": { - "unsafeName": "CONFIG", - "safeName": "CONFIG" - }, - "pascalCase": { - "unsafeName": "Config", - "safeName": "Config" - } - }, - "wireValue": "config" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PayloadConfiguration", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PayloadConfiguration", - "safeName": "andurilEntitymanagerV1PayloadConfiguration" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_payload_configuration", - "safeName": "anduril_entitymanager_v_1_payload_configuration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_CONFIGURATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_CONFIGURATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PayloadConfiguration", - "safeName": "AndurilEntitymanagerV1PayloadConfiguration" - } - }, - "typeId": "anduril.entitymanager.v1.PayloadConfiguration", - "default": null, - "inline": false, - "displayName": "config" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Individual payload configuration." - }, - "anduril.entitymanager.v1.PayloadConfiguration": { - "name": { - "typeId": "anduril.entitymanager.v1.PayloadConfiguration", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PayloadConfiguration", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PayloadConfiguration", - "safeName": "andurilEntitymanagerV1PayloadConfiguration" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_payload_configuration", - "safeName": "anduril_entitymanager_v_1_payload_configuration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_CONFIGURATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_CONFIGURATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PayloadConfiguration", - "safeName": "AndurilEntitymanagerV1PayloadConfiguration" - } - }, - "displayName": "PayloadConfiguration" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "capability_id", - "camelCase": { - "unsafeName": "capabilityId", - "safeName": "capabilityId" - }, - "snakeCase": { - "unsafeName": "capability_id", - "safeName": "capability_id" - }, - "screamingSnakeCase": { - "unsafeName": "CAPABILITY_ID", - "safeName": "CAPABILITY_ID" - }, - "pascalCase": { - "unsafeName": "CapabilityId", - "safeName": "CapabilityId" - } - }, - "wireValue": "capability_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Identifying ID for the capability.\\n This ID may be used multiple times to represent payloads that are the same capability but have different operational states" - }, - { - "name": { - "name": { - "originalName": "quantity", - "camelCase": { - "unsafeName": "quantity", - "safeName": "quantity" - }, - "snakeCase": { - "unsafeName": "quantity", - "safeName": "quantity" - }, - "screamingSnakeCase": { - "unsafeName": "QUANTITY", - "safeName": "QUANTITY" - }, - "pascalCase": { - "unsafeName": "Quantity", - "safeName": "Quantity" - } - }, - "wireValue": "quantity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The number of payloads currently available in the configuration." - }, - { - "name": { - "name": { - "originalName": "effective_environment", - "camelCase": { - "unsafeName": "effectiveEnvironment", - "safeName": "effectiveEnvironment" - }, - "snakeCase": { - "unsafeName": "effective_environment", - "safeName": "effective_environment" - }, - "screamingSnakeCase": { - "unsafeName": "EFFECTIVE_ENVIRONMENT", - "safeName": "EFFECTIVE_ENVIRONMENT" - }, - "pascalCase": { - "unsafeName": "EffectiveEnvironment", - "safeName": "EffectiveEnvironment" - } - }, - "wireValue": "effective_environment" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.ontology.v1.Environment", - "camelCase": { - "unsafeName": "andurilOntologyV1Environment", - "safeName": "andurilOntologyV1Environment" - }, - "snakeCase": { - "unsafeName": "anduril_ontology_v_1_environment", - "safeName": "anduril_ontology_v_1_environment" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT", - "safeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT" - }, - "pascalCase": { - "unsafeName": "AndurilOntologyV1Environment", - "safeName": "AndurilOntologyV1Environment" - } - }, - "typeId": "anduril.ontology.v1.Environment", - "default": null, - "inline": false, - "displayName": "effective_environment" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The target environments the configuration is effective against." - }, - { - "name": { - "name": { - "originalName": "payload_operational_state", - "camelCase": { - "unsafeName": "payloadOperationalState", - "safeName": "payloadOperationalState" - }, - "snakeCase": { - "unsafeName": "payload_operational_state", - "safeName": "payload_operational_state" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOAD_OPERATIONAL_STATE", - "safeName": "PAYLOAD_OPERATIONAL_STATE" - }, - "pascalCase": { - "unsafeName": "PayloadOperationalState", - "safeName": "PayloadOperationalState" - } - }, - "wireValue": "payload_operational_state" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PayloadOperationalState", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PayloadOperationalState", - "safeName": "andurilEntitymanagerV1PayloadOperationalState" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_payload_operational_state", - "safeName": "anduril_entitymanager_v_1_payload_operational_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_OPERATIONAL_STATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_OPERATIONAL_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PayloadOperationalState", - "safeName": "AndurilEntitymanagerV1PayloadOperationalState" - } - }, - "typeId": "anduril.entitymanager.v1.PayloadOperationalState", - "default": null, - "inline": false, - "displayName": "payload_operational_state" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The operational state of this payload." - }, - { - "name": { - "name": { - "originalName": "payload_description", - "camelCase": { - "unsafeName": "payloadDescription", - "safeName": "payloadDescription" - }, - "snakeCase": { - "unsafeName": "payload_description", - "safeName": "payload_description" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOAD_DESCRIPTION", - "safeName": "PAYLOAD_DESCRIPTION" - }, - "pascalCase": { - "unsafeName": "PayloadDescription", - "safeName": "PayloadDescription" - } - }, - "wireValue": "payload_description" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A human readable description of the payload" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.PowerStatus": { - "name": { - "typeId": "anduril.entitymanager.v1.PowerStatus", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerStatus", - "safeName": "andurilEntitymanagerV1PowerStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_status", - "safeName": "anduril_entitymanager_v_1_power_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerStatus", - "safeName": "AndurilEntitymanagerV1PowerStatus" - } - }, - "displayName": "PowerStatus" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "POWER_STATUS_INVALID", - "camelCase": { - "unsafeName": "powerStatusInvalid", - "safeName": "powerStatusInvalid" - }, - "snakeCase": { - "unsafeName": "power_status_invalid", - "safeName": "power_status_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATUS_INVALID", - "safeName": "POWER_STATUS_INVALID" - }, - "pascalCase": { - "unsafeName": "PowerStatusInvalid", - "safeName": "PowerStatusInvalid" - } - }, - "wireValue": "POWER_STATUS_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "POWER_STATUS_UNKNOWN", - "camelCase": { - "unsafeName": "powerStatusUnknown", - "safeName": "powerStatusUnknown" - }, - "snakeCase": { - "unsafeName": "power_status_unknown", - "safeName": "power_status_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATUS_UNKNOWN", - "safeName": "POWER_STATUS_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "PowerStatusUnknown", - "safeName": "PowerStatusUnknown" - } - }, - "wireValue": "POWER_STATUS_UNKNOWN" - }, - "availability": null, - "docs": "Indeterminate condition of whether the power system is present or absent." - }, - { - "name": { - "name": { - "originalName": "POWER_STATUS_NOT_PRESENT", - "camelCase": { - "unsafeName": "powerStatusNotPresent", - "safeName": "powerStatusNotPresent" - }, - "snakeCase": { - "unsafeName": "power_status_not_present", - "safeName": "power_status_not_present" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATUS_NOT_PRESENT", - "safeName": "POWER_STATUS_NOT_PRESENT" - }, - "pascalCase": { - "unsafeName": "PowerStatusNotPresent", - "safeName": "PowerStatusNotPresent" - } - }, - "wireValue": "POWER_STATUS_NOT_PRESENT" - }, - "availability": null, - "docs": "Power system is not configured/present. This is considered a normal/expected condition, as opposed to the\\n system is expected to be present but is missing." - }, - { - "name": { - "name": { - "originalName": "POWER_STATUS_OPERATING", - "camelCase": { - "unsafeName": "powerStatusOperating", - "safeName": "powerStatusOperating" - }, - "snakeCase": { - "unsafeName": "power_status_operating", - "safeName": "power_status_operating" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATUS_OPERATING", - "safeName": "POWER_STATUS_OPERATING" - }, - "pascalCase": { - "unsafeName": "PowerStatusOperating", - "safeName": "PowerStatusOperating" - } - }, - "wireValue": "POWER_STATUS_OPERATING" - }, - "availability": null, - "docs": "Power system is present and operating normally." - }, - { - "name": { - "name": { - "originalName": "POWER_STATUS_DISABLED", - "camelCase": { - "unsafeName": "powerStatusDisabled", - "safeName": "powerStatusDisabled" - }, - "snakeCase": { - "unsafeName": "power_status_disabled", - "safeName": "power_status_disabled" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATUS_DISABLED", - "safeName": "POWER_STATUS_DISABLED" - }, - "pascalCase": { - "unsafeName": "PowerStatusDisabled", - "safeName": "PowerStatusDisabled" - } - }, - "wireValue": "POWER_STATUS_DISABLED" - }, - "availability": null, - "docs": "Power system is present and is in an expected disabled state. For example, if the generator was shut off for\\n operational reasons." - }, - { - "name": { - "name": { - "originalName": "POWER_STATUS_ERROR", - "camelCase": { - "unsafeName": "powerStatusError", - "safeName": "powerStatusError" - }, - "snakeCase": { - "unsafeName": "power_status_error", - "safeName": "power_status_error" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATUS_ERROR", - "safeName": "POWER_STATUS_ERROR" - }, - "pascalCase": { - "unsafeName": "PowerStatusError", - "safeName": "PowerStatusError" - } - }, - "wireValue": "POWER_STATUS_ERROR" - }, - "availability": null, - "docs": "Power system is non-functional." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.PowerType": { - "name": { - "typeId": "anduril.entitymanager.v1.PowerType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerType", - "safeName": "andurilEntitymanagerV1PowerType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_type", - "safeName": "anduril_entitymanager_v_1_power_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerType", - "safeName": "AndurilEntitymanagerV1PowerType" - } - }, - "displayName": "PowerType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "POWER_TYPE_INVALID", - "camelCase": { - "unsafeName": "powerTypeInvalid", - "safeName": "powerTypeInvalid" - }, - "snakeCase": { - "unsafeName": "power_type_invalid", - "safeName": "power_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_TYPE_INVALID", - "safeName": "POWER_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "PowerTypeInvalid", - "safeName": "PowerTypeInvalid" - } - }, - "wireValue": "POWER_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "POWER_TYPE_UNKNOWN", - "camelCase": { - "unsafeName": "powerTypeUnknown", - "safeName": "powerTypeUnknown" - }, - "snakeCase": { - "unsafeName": "power_type_unknown", - "safeName": "power_type_unknown" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_TYPE_UNKNOWN", - "safeName": "POWER_TYPE_UNKNOWN" - }, - "pascalCase": { - "unsafeName": "PowerTypeUnknown", - "safeName": "PowerTypeUnknown" - } - }, - "wireValue": "POWER_TYPE_UNKNOWN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "POWER_TYPE_GAS", - "camelCase": { - "unsafeName": "powerTypeGas", - "safeName": "powerTypeGas" - }, - "snakeCase": { - "unsafeName": "power_type_gas", - "safeName": "power_type_gas" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_TYPE_GAS", - "safeName": "POWER_TYPE_GAS" - }, - "pascalCase": { - "unsafeName": "PowerTypeGas", - "safeName": "PowerTypeGas" - } - }, - "wireValue": "POWER_TYPE_GAS" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "POWER_TYPE_BATTERY", - "camelCase": { - "unsafeName": "powerTypeBattery", - "safeName": "powerTypeBattery" - }, - "snakeCase": { - "unsafeName": "power_type_battery", - "safeName": "power_type_battery" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_TYPE_BATTERY", - "safeName": "POWER_TYPE_BATTERY" - }, - "pascalCase": { - "unsafeName": "PowerTypeBattery", - "safeName": "PowerTypeBattery" - } - }, - "wireValue": "POWER_TYPE_BATTERY" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.PowerState.SourceIdToStateEntry": { - "name": { - "typeId": "PowerState.SourceIdToStateEntry", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SourceIdToStateEntry", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SourceIdToStateEntry", - "safeName": "andurilEntitymanagerV1SourceIdToStateEntry" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_source_id_to_state_entry", - "safeName": "anduril_entitymanager_v_1_source_id_to_state_entry" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SOURCE_ID_TO_STATE_ENTRY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SOURCE_ID_TO_STATE_ENTRY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SourceIdToStateEntry", - "safeName": "AndurilEntitymanagerV1SourceIdToStateEntry" - } - }, - "displayName": "SourceIdToStateEntry" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "key", - "camelCase": { - "unsafeName": "key", - "safeName": "key" - }, - "snakeCase": { - "unsafeName": "key", - "safeName": "key" - }, - "screamingSnakeCase": { - "unsafeName": "KEY", - "safeName": "KEY" - }, - "pascalCase": { - "unsafeName": "Key", - "safeName": "Key" - } - }, - "wireValue": "key" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerSource", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerSource", - "safeName": "andurilEntitymanagerV1PowerSource" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_source", - "safeName": "anduril_entitymanager_v_1_power_source" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_SOURCE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_SOURCE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerSource", - "safeName": "AndurilEntitymanagerV1PowerSource" - } - }, - "typeId": "anduril.entitymanager.v1.PowerSource", - "default": null, - "inline": false, - "displayName": "value" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.PowerState": { - "name": { - "typeId": "anduril.entitymanager.v1.PowerState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerState", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerState", - "safeName": "andurilEntitymanagerV1PowerState" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_state", - "safeName": "anduril_entitymanager_v_1_power_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerState", - "safeName": "AndurilEntitymanagerV1PowerState" - } - }, - "displayName": "PowerState" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "source_id_to_state", - "camelCase": { - "unsafeName": "sourceIdToState", - "safeName": "sourceIdToState" - }, - "snakeCase": { - "unsafeName": "source_id_to_state", - "safeName": "source_id_to_state" - }, - "screamingSnakeCase": { - "unsafeName": "SOURCE_ID_TO_STATE", - "safeName": "SOURCE_ID_TO_STATE" - }, - "pascalCase": { - "unsafeName": "SourceIdToState", - "safeName": "SourceIdToState" - } - }, - "wireValue": "source_id_to_state" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerState.SourceIdToStateEntry", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerStateSourceIdToStateEntry", - "safeName": "andurilEntitymanagerV1PowerStateSourceIdToStateEntry" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_state_source_id_to_state_entry", - "safeName": "anduril_entitymanager_v_1_power_state_source_id_to_state_entry" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE_SOURCE_ID_TO_STATE_ENTRY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE_SOURCE_ID_TO_STATE_ENTRY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerStateSourceIdToStateEntry", - "safeName": "AndurilEntitymanagerV1PowerStateSourceIdToStateEntry" - } - }, - "typeId": "anduril.entitymanager.v1.PowerState.SourceIdToStateEntry", - "default": null, - "inline": false, - "displayName": "source_id_to_state" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "This is a map where the key is a unique id of the power source and the value is additional information about the\\n power source." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents the state of power sources connected to this entity." - }, - "anduril.entitymanager.v1.PowerSource": { - "name": { - "typeId": "anduril.entitymanager.v1.PowerSource", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerSource", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerSource", - "safeName": "andurilEntitymanagerV1PowerSource" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_source", - "safeName": "anduril_entitymanager_v_1_power_source" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_SOURCE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_SOURCE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerSource", - "safeName": "AndurilEntitymanagerV1PowerSource" - } - }, - "displayName": "PowerSource" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "power_status", - "camelCase": { - "unsafeName": "powerStatus", - "safeName": "powerStatus" - }, - "snakeCase": { - "unsafeName": "power_status", - "safeName": "power_status" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATUS", - "safeName": "POWER_STATUS" - }, - "pascalCase": { - "unsafeName": "PowerStatus", - "safeName": "PowerStatus" - } - }, - "wireValue": "power_status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerStatus", - "safeName": "andurilEntitymanagerV1PowerStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_status", - "safeName": "anduril_entitymanager_v_1_power_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerStatus", - "safeName": "AndurilEntitymanagerV1PowerStatus" - } - }, - "typeId": "anduril.entitymanager.v1.PowerStatus", - "default": null, - "inline": false, - "displayName": "power_status" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Status of the power source." - }, - { - "name": { - "name": { - "originalName": "power_type", - "camelCase": { - "unsafeName": "powerType", - "safeName": "powerType" - }, - "snakeCase": { - "unsafeName": "power_type", - "safeName": "power_type" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_TYPE", - "safeName": "POWER_TYPE" - }, - "pascalCase": { - "unsafeName": "PowerType", - "safeName": "PowerType" - } - }, - "wireValue": "power_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerType", - "safeName": "andurilEntitymanagerV1PowerType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_type", - "safeName": "anduril_entitymanager_v_1_power_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerType", - "safeName": "AndurilEntitymanagerV1PowerType" - } - }, - "typeId": "anduril.entitymanager.v1.PowerType", - "default": null, - "inline": false, - "displayName": "power_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Used to determine the type of power source." - }, - { - "name": { - "name": { - "originalName": "power_level", - "camelCase": { - "unsafeName": "powerLevel", - "safeName": "powerLevel" - }, - "snakeCase": { - "unsafeName": "power_level", - "safeName": "power_level" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_LEVEL", - "safeName": "POWER_LEVEL" - }, - "pascalCase": { - "unsafeName": "PowerLevel", - "safeName": "PowerLevel" - } - }, - "wireValue": "power_level" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerLevel", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerLevel", - "safeName": "andurilEntitymanagerV1PowerLevel" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_level", - "safeName": "anduril_entitymanager_v_1_power_level" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_LEVEL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_LEVEL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerLevel", - "safeName": "AndurilEntitymanagerV1PowerLevel" - } - }, - "typeId": "anduril.entitymanager.v1.PowerLevel", - "default": null, - "inline": false, - "displayName": "power_level" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Power level of the system. If absent, the power level is assumed to be unknown." - }, - { - "name": { - "name": { - "originalName": "messages", - "camelCase": { - "unsafeName": "messages", - "safeName": "messages" - }, - "snakeCase": { - "unsafeName": "messages", - "safeName": "messages" - }, - "screamingSnakeCase": { - "unsafeName": "MESSAGES", - "safeName": "MESSAGES" - }, - "pascalCase": { - "unsafeName": "Messages", - "safeName": "Messages" - } - }, - "wireValue": "messages" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Set of human-readable messages with status of the power system. Typically this would be used in an error state\\n to provide additional error information. This can also be used for informational messages." - }, - { - "name": { - "name": { - "originalName": "offloadable", - "camelCase": { - "unsafeName": "offloadable", - "safeName": "offloadable" - }, - "snakeCase": { - "unsafeName": "offloadable", - "safeName": "offloadable" - }, - "screamingSnakeCase": { - "unsafeName": "OFFLOADABLE", - "safeName": "OFFLOADABLE" - }, - "pascalCase": { - "unsafeName": "Offloadable", - "safeName": "Offloadable" - } - }, - "wireValue": "offloadable" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.BoolValue", - "camelCase": { - "unsafeName": "googleProtobufBoolValue", - "safeName": "googleProtobufBoolValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_bool_value", - "safeName": "google_protobuf_bool_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", - "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufBoolValue", - "safeName": "GoogleProtobufBoolValue" - } - }, - "typeId": "google.protobuf.BoolValue", - "default": null, - "inline": false, - "displayName": "offloadable" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Whether the power source is offloadable. If the value is missing (as opposed to false) then the entity does not\\n report whether the power source is offloadable." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents the state of a single power source that is connected to this entity." - }, - "anduril.entitymanager.v1.PowerLevel": { - "name": { - "typeId": "anduril.entitymanager.v1.PowerLevel", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerLevel", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerLevel", - "safeName": "andurilEntitymanagerV1PowerLevel" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_level", - "safeName": "anduril_entitymanager_v_1_power_level" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_LEVEL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_LEVEL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerLevel", - "safeName": "AndurilEntitymanagerV1PowerLevel" - } - }, - "displayName": "PowerLevel" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "capacity", - "camelCase": { - "unsafeName": "capacity", - "safeName": "capacity" - }, - "snakeCase": { - "unsafeName": "capacity", - "safeName": "capacity" - }, - "screamingSnakeCase": { - "unsafeName": "CAPACITY", - "safeName": "CAPACITY" - }, - "pascalCase": { - "unsafeName": "Capacity", - "safeName": "Capacity" - } - }, - "wireValue": "capacity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Total power capacity of the system." - }, - { - "name": { - "name": { - "originalName": "remaining", - "camelCase": { - "unsafeName": "remaining", - "safeName": "remaining" - }, - "snakeCase": { - "unsafeName": "remaining", - "safeName": "remaining" - }, - "screamingSnakeCase": { - "unsafeName": "REMAINING", - "safeName": "REMAINING" - }, - "pascalCase": { - "unsafeName": "Remaining", - "safeName": "Remaining" - } - }, - "wireValue": "remaining" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Remaining power capacity of the system." - }, - { - "name": { - "name": { - "originalName": "percent_remaining", - "camelCase": { - "unsafeName": "percentRemaining", - "safeName": "percentRemaining" - }, - "snakeCase": { - "unsafeName": "percent_remaining", - "safeName": "percent_remaining" - }, - "screamingSnakeCase": { - "unsafeName": "PERCENT_REMAINING", - "safeName": "PERCENT_REMAINING" - }, - "pascalCase": { - "unsafeName": "PercentRemaining", - "safeName": "PercentRemaining" - } - }, - "wireValue": "percent_remaining" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Percent of power remaining." - }, - { - "name": { - "name": { - "originalName": "voltage", - "camelCase": { - "unsafeName": "voltage", - "safeName": "voltage" - }, - "snakeCase": { - "unsafeName": "voltage", - "safeName": "voltage" - }, - "screamingSnakeCase": { - "unsafeName": "VOLTAGE", - "safeName": "VOLTAGE" - }, - "pascalCase": { - "unsafeName": "Voltage", - "safeName": "Voltage" - } - }, - "wireValue": "voltage" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "voltage" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Voltage of the power source subsystem, as reported by the power source. If the source does not report this value\\n this field will be null." - }, - { - "name": { - "name": { - "originalName": "current_amps", - "camelCase": { - "unsafeName": "currentAmps", - "safeName": "currentAmps" - }, - "snakeCase": { - "unsafeName": "current_amps", - "safeName": "current_amps" - }, - "screamingSnakeCase": { - "unsafeName": "CURRENT_AMPS", - "safeName": "CURRENT_AMPS" - }, - "pascalCase": { - "unsafeName": "CurrentAmps", - "safeName": "CurrentAmps" - } - }, - "wireValue": "current_amps" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "current_amps" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Current in amps of the power source subsystem, as reported by the power source. If the source does not\\n report this value this field will be null." - }, - { - "name": { - "name": { - "originalName": "run_time_to_empty_mins", - "camelCase": { - "unsafeName": "runTimeToEmptyMins", - "safeName": "runTimeToEmptyMins" - }, - "snakeCase": { - "unsafeName": "run_time_to_empty_mins", - "safeName": "run_time_to_empty_mins" - }, - "screamingSnakeCase": { - "unsafeName": "RUN_TIME_TO_EMPTY_MINS", - "safeName": "RUN_TIME_TO_EMPTY_MINS" - }, - "pascalCase": { - "unsafeName": "RunTimeToEmptyMins", - "safeName": "RunTimeToEmptyMins" - } - }, - "wireValue": "run_time_to_empty_mins" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "run_time_to_empty_mins" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Estimated minutes until empty. Calculated with consumption at the moment, as reported by the power source. If the source does not\\n report this value this field will be null." - }, - { - "name": { - "name": { - "originalName": "consumption_rate_l_per_s", - "camelCase": { - "unsafeName": "consumptionRateLPerS", - "safeName": "consumptionRateLPerS" - }, - "snakeCase": { - "unsafeName": "consumption_rate_l_per_s", - "safeName": "consumption_rate_l_per_s" - }, - "screamingSnakeCase": { - "unsafeName": "CONSUMPTION_RATE_L_PER_S", - "safeName": "CONSUMPTION_RATE_L_PER_S" - }, - "pascalCase": { - "unsafeName": "ConsumptionRateLPerS", - "safeName": "ConsumptionRateLPerS" - } - }, - "wireValue": "consumption_rate_l_per_s" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "consumption_rate_l_per_s" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Fuel consumption rate in liters per second." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents the power level of a system." - }, - "anduril.entitymanager.v1.ScanType": { - "name": { - "typeId": "anduril.entitymanager.v1.ScanType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ScanType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ScanType", - "safeName": "andurilEntitymanagerV1ScanType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_scan_type", - "safeName": "anduril_entitymanager_v_1_scan_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ScanType", - "safeName": "AndurilEntitymanagerV1ScanType" - } - }, - "displayName": "ScanType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "SCAN_TYPE_INVALID", - "camelCase": { - "unsafeName": "scanTypeInvalid", - "safeName": "scanTypeInvalid" - }, - "snakeCase": { - "unsafeName": "scan_type_invalid", - "safeName": "scan_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_INVALID", - "safeName": "SCAN_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "ScanTypeInvalid", - "safeName": "ScanTypeInvalid" - } - }, - "wireValue": "SCAN_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_CIRCULAR", - "camelCase": { - "unsafeName": "scanTypeCircular", - "safeName": "scanTypeCircular" - }, - "snakeCase": { - "unsafeName": "scan_type_circular", - "safeName": "scan_type_circular" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_CIRCULAR", - "safeName": "SCAN_TYPE_CIRCULAR" - }, - "pascalCase": { - "unsafeName": "ScanTypeCircular", - "safeName": "ScanTypeCircular" - } - }, - "wireValue": "SCAN_TYPE_CIRCULAR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_BIDIRECTIONAL_HORIZONTAL_SECTOR", - "camelCase": { - "unsafeName": "scanTypeBidirectionalHorizontalSector", - "safeName": "scanTypeBidirectionalHorizontalSector" - }, - "snakeCase": { - "unsafeName": "scan_type_bidirectional_horizontal_sector", - "safeName": "scan_type_bidirectional_horizontal_sector" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_BIDIRECTIONAL_HORIZONTAL_SECTOR", - "safeName": "SCAN_TYPE_BIDIRECTIONAL_HORIZONTAL_SECTOR" - }, - "pascalCase": { - "unsafeName": "ScanTypeBidirectionalHorizontalSector", - "safeName": "ScanTypeBidirectionalHorizontalSector" - } - }, - "wireValue": "SCAN_TYPE_BIDIRECTIONAL_HORIZONTAL_SECTOR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_BIDIRECTIONAL_VERTICAL_SECTOR", - "camelCase": { - "unsafeName": "scanTypeBidirectionalVerticalSector", - "safeName": "scanTypeBidirectionalVerticalSector" - }, - "snakeCase": { - "unsafeName": "scan_type_bidirectional_vertical_sector", - "safeName": "scan_type_bidirectional_vertical_sector" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_BIDIRECTIONAL_VERTICAL_SECTOR", - "safeName": "SCAN_TYPE_BIDIRECTIONAL_VERTICAL_SECTOR" - }, - "pascalCase": { - "unsafeName": "ScanTypeBidirectionalVerticalSector", - "safeName": "ScanTypeBidirectionalVerticalSector" - } - }, - "wireValue": "SCAN_TYPE_BIDIRECTIONAL_VERTICAL_SECTOR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_NON_SCANNING", - "camelCase": { - "unsafeName": "scanTypeNonScanning", - "safeName": "scanTypeNonScanning" - }, - "snakeCase": { - "unsafeName": "scan_type_non_scanning", - "safeName": "scan_type_non_scanning" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_NON_SCANNING", - "safeName": "SCAN_TYPE_NON_SCANNING" - }, - "pascalCase": { - "unsafeName": "ScanTypeNonScanning", - "safeName": "ScanTypeNonScanning" - } - }, - "wireValue": "SCAN_TYPE_NON_SCANNING" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_IRREGULAR", - "camelCase": { - "unsafeName": "scanTypeIrregular", - "safeName": "scanTypeIrregular" - }, - "snakeCase": { - "unsafeName": "scan_type_irregular", - "safeName": "scan_type_irregular" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_IRREGULAR", - "safeName": "SCAN_TYPE_IRREGULAR" - }, - "pascalCase": { - "unsafeName": "ScanTypeIrregular", - "safeName": "ScanTypeIrregular" - } - }, - "wireValue": "SCAN_TYPE_IRREGULAR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_CONICAL", - "camelCase": { - "unsafeName": "scanTypeConical", - "safeName": "scanTypeConical" - }, - "snakeCase": { - "unsafeName": "scan_type_conical", - "safeName": "scan_type_conical" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_CONICAL", - "safeName": "SCAN_TYPE_CONICAL" - }, - "pascalCase": { - "unsafeName": "ScanTypeConical", - "safeName": "ScanTypeConical" - } - }, - "wireValue": "SCAN_TYPE_CONICAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_LOBE_SWITCHING", - "camelCase": { - "unsafeName": "scanTypeLobeSwitching", - "safeName": "scanTypeLobeSwitching" - }, - "snakeCase": { - "unsafeName": "scan_type_lobe_switching", - "safeName": "scan_type_lobe_switching" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_LOBE_SWITCHING", - "safeName": "SCAN_TYPE_LOBE_SWITCHING" - }, - "pascalCase": { - "unsafeName": "ScanTypeLobeSwitching", - "safeName": "ScanTypeLobeSwitching" - } - }, - "wireValue": "SCAN_TYPE_LOBE_SWITCHING" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_RASTER", - "camelCase": { - "unsafeName": "scanTypeRaster", - "safeName": "scanTypeRaster" - }, - "snakeCase": { - "unsafeName": "scan_type_raster", - "safeName": "scan_type_raster" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_RASTER", - "safeName": "SCAN_TYPE_RASTER" - }, - "pascalCase": { - "unsafeName": "ScanTypeRaster", - "safeName": "ScanTypeRaster" - } - }, - "wireValue": "SCAN_TYPE_RASTER" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_CIRCULAR_VERTICAL_SECTOR", - "camelCase": { - "unsafeName": "scanTypeCircularVerticalSector", - "safeName": "scanTypeCircularVerticalSector" - }, - "snakeCase": { - "unsafeName": "scan_type_circular_vertical_sector", - "safeName": "scan_type_circular_vertical_sector" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_CIRCULAR_VERTICAL_SECTOR", - "safeName": "SCAN_TYPE_CIRCULAR_VERTICAL_SECTOR" - }, - "pascalCase": { - "unsafeName": "ScanTypeCircularVerticalSector", - "safeName": "ScanTypeCircularVerticalSector" - } - }, - "wireValue": "SCAN_TYPE_CIRCULAR_VERTICAL_SECTOR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_CIRCULAR_CONICAL", - "camelCase": { - "unsafeName": "scanTypeCircularConical", - "safeName": "scanTypeCircularConical" - }, - "snakeCase": { - "unsafeName": "scan_type_circular_conical", - "safeName": "scan_type_circular_conical" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_CIRCULAR_CONICAL", - "safeName": "SCAN_TYPE_CIRCULAR_CONICAL" - }, - "pascalCase": { - "unsafeName": "ScanTypeCircularConical", - "safeName": "ScanTypeCircularConical" - } - }, - "wireValue": "SCAN_TYPE_CIRCULAR_CONICAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_SECTOR_CONICAL", - "camelCase": { - "unsafeName": "scanTypeSectorConical", - "safeName": "scanTypeSectorConical" - }, - "snakeCase": { - "unsafeName": "scan_type_sector_conical", - "safeName": "scan_type_sector_conical" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_SECTOR_CONICAL", - "safeName": "SCAN_TYPE_SECTOR_CONICAL" - }, - "pascalCase": { - "unsafeName": "ScanTypeSectorConical", - "safeName": "ScanTypeSectorConical" - } - }, - "wireValue": "SCAN_TYPE_SECTOR_CONICAL" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_AGILE_BEAM", - "camelCase": { - "unsafeName": "scanTypeAgileBeam", - "safeName": "scanTypeAgileBeam" - }, - "snakeCase": { - "unsafeName": "scan_type_agile_beam", - "safeName": "scan_type_agile_beam" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_AGILE_BEAM", - "safeName": "SCAN_TYPE_AGILE_BEAM" - }, - "pascalCase": { - "unsafeName": "ScanTypeAgileBeam", - "safeName": "ScanTypeAgileBeam" - } - }, - "wireValue": "SCAN_TYPE_AGILE_BEAM" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_UNIDIRECTIONAL_VERTICAL_SECTOR", - "camelCase": { - "unsafeName": "scanTypeUnidirectionalVerticalSector", - "safeName": "scanTypeUnidirectionalVerticalSector" - }, - "snakeCase": { - "unsafeName": "scan_type_unidirectional_vertical_sector", - "safeName": "scan_type_unidirectional_vertical_sector" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_UNIDIRECTIONAL_VERTICAL_SECTOR", - "safeName": "SCAN_TYPE_UNIDIRECTIONAL_VERTICAL_SECTOR" - }, - "pascalCase": { - "unsafeName": "ScanTypeUnidirectionalVerticalSector", - "safeName": "ScanTypeUnidirectionalVerticalSector" - } - }, - "wireValue": "SCAN_TYPE_UNIDIRECTIONAL_VERTICAL_SECTOR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_UNIDIRECTIONAL_HORIZONTAL_SECTOR", - "camelCase": { - "unsafeName": "scanTypeUnidirectionalHorizontalSector", - "safeName": "scanTypeUnidirectionalHorizontalSector" - }, - "snakeCase": { - "unsafeName": "scan_type_unidirectional_horizontal_sector", - "safeName": "scan_type_unidirectional_horizontal_sector" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_UNIDIRECTIONAL_HORIZONTAL_SECTOR", - "safeName": "SCAN_TYPE_UNIDIRECTIONAL_HORIZONTAL_SECTOR" - }, - "pascalCase": { - "unsafeName": "ScanTypeUnidirectionalHorizontalSector", - "safeName": "ScanTypeUnidirectionalHorizontalSector" - } - }, - "wireValue": "SCAN_TYPE_UNIDIRECTIONAL_HORIZONTAL_SECTOR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_UNIDIRECTIONAL_SECTOR", - "camelCase": { - "unsafeName": "scanTypeUnidirectionalSector", - "safeName": "scanTypeUnidirectionalSector" - }, - "snakeCase": { - "unsafeName": "scan_type_unidirectional_sector", - "safeName": "scan_type_unidirectional_sector" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_UNIDIRECTIONAL_SECTOR", - "safeName": "SCAN_TYPE_UNIDIRECTIONAL_SECTOR" - }, - "pascalCase": { - "unsafeName": "ScanTypeUnidirectionalSector", - "safeName": "ScanTypeUnidirectionalSector" - } - }, - "wireValue": "SCAN_TYPE_UNIDIRECTIONAL_SECTOR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCAN_TYPE_BIDIRECTIONAL_SECTOR", - "camelCase": { - "unsafeName": "scanTypeBidirectionalSector", - "safeName": "scanTypeBidirectionalSector" - }, - "snakeCase": { - "unsafeName": "scan_type_bidirectional_sector", - "safeName": "scan_type_bidirectional_sector" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE_BIDIRECTIONAL_SECTOR", - "safeName": "SCAN_TYPE_BIDIRECTIONAL_SECTOR" - }, - "pascalCase": { - "unsafeName": "ScanTypeBidirectionalSector", - "safeName": "ScanTypeBidirectionalSector" - } - }, - "wireValue": "SCAN_TYPE_BIDIRECTIONAL_SECTOR" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Enumerates the possible scan types" - }, - "anduril.entitymanager.v1.SignalFrequency_measurement": { - "name": { - "typeId": "anduril.entitymanager.v1.SignalFrequency_measurement", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SignalFrequency_measurement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SignalFrequencyMeasurement", - "safeName": "andurilEntitymanagerV1SignalFrequencyMeasurement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_signal_frequency_measurement", - "safeName": "anduril_entitymanager_v_1_signal_frequency_measurement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_FREQUENCY_MEASUREMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_FREQUENCY_MEASUREMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SignalFrequencyMeasurement", - "safeName": "AndurilEntitymanagerV1SignalFrequencyMeasurement" - } - }, - "displayName": "SignalFrequency_measurement" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Frequency", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Frequency", - "safeName": "andurilEntitymanagerV1Frequency" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_frequency", - "safeName": "anduril_entitymanager_v_1_frequency" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Frequency", - "safeName": "AndurilEntitymanagerV1Frequency" - } - }, - "typeId": "anduril.entitymanager.v1.Frequency", - "default": null, - "inline": false, - "displayName": "frequency_center" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.FrequencyRange", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1FrequencyRange", - "safeName": "andurilEntitymanagerV1FrequencyRange" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_frequency_range", - "safeName": "anduril_entitymanager_v_1_frequency_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1FrequencyRange", - "safeName": "AndurilEntitymanagerV1FrequencyRange" - } - }, - "typeId": "anduril.entitymanager.v1.FrequencyRange", - "default": null, - "inline": false, - "displayName": "frequency_range" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.SignalReport": { - "name": { - "typeId": "anduril.entitymanager.v1.SignalReport", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SignalReport", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SignalReport", - "safeName": "andurilEntitymanagerV1SignalReport" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_signal_report", - "safeName": "anduril_entitymanager_v_1_signal_report" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_REPORT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_REPORT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SignalReport", - "safeName": "AndurilEntitymanagerV1SignalReport" - } - }, - "displayName": "SignalReport" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.LineOfBearing", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1LineOfBearing", - "safeName": "andurilEntitymanagerV1LineOfBearing" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_line_of_bearing", - "safeName": "anduril_entitymanager_v_1_line_of_bearing" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1LineOfBearing", - "safeName": "AndurilEntitymanagerV1LineOfBearing" - } - }, - "typeId": "anduril.entitymanager.v1.LineOfBearing", - "default": null, - "inline": false, - "displayName": "line_of_bearing" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Fixed", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Fixed", - "safeName": "andurilEntitymanagerV1Fixed" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_fixed", - "safeName": "anduril_entitymanager_v_1_fixed" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIXED", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIXED" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Fixed", - "safeName": "AndurilEntitymanagerV1Fixed" - } - }, - "typeId": "anduril.entitymanager.v1.Fixed", - "default": null, - "inline": false, - "displayName": "fixed" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Signal": { - "name": { - "typeId": "anduril.entitymanager.v1.Signal", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Signal", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Signal", - "safeName": "andurilEntitymanagerV1Signal" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_signal", - "safeName": "anduril_entitymanager_v_1_signal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Signal", - "safeName": "AndurilEntitymanagerV1Signal" - } - }, - "displayName": "Signal" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "bandwidth_hz", - "camelCase": { - "unsafeName": "bandwidthHz", - "safeName": "bandwidthHz" - }, - "snakeCase": { - "unsafeName": "bandwidth_hz", - "safeName": "bandwidth_hz" - }, - "screamingSnakeCase": { - "unsafeName": "BANDWIDTH_HZ", - "safeName": "BANDWIDTH_HZ" - }, - "pascalCase": { - "unsafeName": "BandwidthHz", - "safeName": "BandwidthHz" - } - }, - "wireValue": "bandwidth_hz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "bandwidth_hz" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the bandwidth of a signal (Hz)." - }, - { - "name": { - "name": { - "originalName": "signal_to_noise_ratio", - "camelCase": { - "unsafeName": "signalToNoiseRatio", - "safeName": "signalToNoiseRatio" - }, - "snakeCase": { - "unsafeName": "signal_to_noise_ratio", - "safeName": "signal_to_noise_ratio" - }, - "screamingSnakeCase": { - "unsafeName": "SIGNAL_TO_NOISE_RATIO", - "safeName": "SIGNAL_TO_NOISE_RATIO" - }, - "pascalCase": { - "unsafeName": "SignalToNoiseRatio", - "safeName": "SignalToNoiseRatio" - } - }, - "wireValue": "signal_to_noise_ratio" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "signal_to_noise_ratio" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the signal to noise (SNR) of this signal." - }, - { - "name": { - "name": { - "originalName": "emitter_notations", - "camelCase": { - "unsafeName": "emitterNotations", - "safeName": "emitterNotations" - }, - "snakeCase": { - "unsafeName": "emitter_notations", - "safeName": "emitter_notations" - }, - "screamingSnakeCase": { - "unsafeName": "EMITTER_NOTATIONS", - "safeName": "EMITTER_NOTATIONS" - }, - "pascalCase": { - "unsafeName": "EmitterNotations", - "safeName": "EmitterNotations" - } - }, - "wireValue": "emitter_notations" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.EmitterNotation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1EmitterNotation", - "safeName": "andurilEntitymanagerV1EmitterNotation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_emitter_notation", - "safeName": "anduril_entitymanager_v_1_emitter_notation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_EMITTER_NOTATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_EMITTER_NOTATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1EmitterNotation", - "safeName": "AndurilEntitymanagerV1EmitterNotation" - } - }, - "typeId": "anduril.entitymanager.v1.EmitterNotation", - "default": null, - "inline": false, - "displayName": "emitter_notations" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Emitter notations associated with this entity." - }, - { - "name": { - "name": { - "originalName": "pulse_width_s", - "camelCase": { - "unsafeName": "pulseWidthS", - "safeName": "pulseWidthS" - }, - "snakeCase": { - "unsafeName": "pulse_width_s", - "safeName": "pulse_width_s" - }, - "screamingSnakeCase": { - "unsafeName": "PULSE_WIDTH_S", - "safeName": "PULSE_WIDTH_S" - }, - "pascalCase": { - "unsafeName": "PulseWidthS", - "safeName": "PulseWidthS" - } - }, - "wireValue": "pulse_width_s" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "pulse_width_s" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "length in time of a single pulse" - }, - { - "name": { - "name": { - "originalName": "pulse_repetition_interval", - "camelCase": { - "unsafeName": "pulseRepetitionInterval", - "safeName": "pulseRepetitionInterval" - }, - "snakeCase": { - "unsafeName": "pulse_repetition_interval", - "safeName": "pulse_repetition_interval" - }, - "screamingSnakeCase": { - "unsafeName": "PULSE_REPETITION_INTERVAL", - "safeName": "PULSE_REPETITION_INTERVAL" - }, - "pascalCase": { - "unsafeName": "PulseRepetitionInterval", - "safeName": "PulseRepetitionInterval" - } - }, - "wireValue": "pulse_repetition_interval" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PulseRepetitionInterval", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PulseRepetitionInterval", - "safeName": "andurilEntitymanagerV1PulseRepetitionInterval" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_pulse_repetition_interval", - "safeName": "anduril_entitymanager_v_1_pulse_repetition_interval" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PULSE_REPETITION_INTERVAL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PULSE_REPETITION_INTERVAL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PulseRepetitionInterval", - "safeName": "AndurilEntitymanagerV1PulseRepetitionInterval" - } - }, - "typeId": "anduril.entitymanager.v1.PulseRepetitionInterval", - "default": null, - "inline": false, - "displayName": "pulse_repetition_interval" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "length in time between the start of two pulses" - }, - { - "name": { - "name": { - "originalName": "scan_characteristics", - "camelCase": { - "unsafeName": "scanCharacteristics", - "safeName": "scanCharacteristics" - }, - "snakeCase": { - "unsafeName": "scan_characteristics", - "safeName": "scan_characteristics" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_CHARACTERISTICS", - "safeName": "SCAN_CHARACTERISTICS" - }, - "pascalCase": { - "unsafeName": "ScanCharacteristics", - "safeName": "ScanCharacteristics" - } - }, - "wireValue": "scan_characteristics" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ScanCharacteristics", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ScanCharacteristics", - "safeName": "andurilEntitymanagerV1ScanCharacteristics" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_scan_characteristics", - "safeName": "anduril_entitymanager_v_1_scan_characteristics" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_CHARACTERISTICS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_CHARACTERISTICS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ScanCharacteristics", - "safeName": "AndurilEntitymanagerV1ScanCharacteristics" - } - }, - "typeId": "anduril.entitymanager.v1.ScanCharacteristics", - "default": null, - "inline": false, - "displayName": "scan_characteristics" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "describes how a signal is observing the environment" - }, - { - "name": { - "name": { - "originalName": "frequency_measurement", - "camelCase": { - "unsafeName": "frequencyMeasurement", - "safeName": "frequencyMeasurement" - }, - "snakeCase": { - "unsafeName": "frequency_measurement", - "safeName": "frequency_measurement" - }, - "screamingSnakeCase": { - "unsafeName": "FREQUENCY_MEASUREMENT", - "safeName": "FREQUENCY_MEASUREMENT" - }, - "pascalCase": { - "unsafeName": "FrequencyMeasurement", - "safeName": "FrequencyMeasurement" - } - }, - "wireValue": "frequency_measurement" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SignalFrequency_measurement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SignalFrequencyMeasurement", - "safeName": "andurilEntitymanagerV1SignalFrequencyMeasurement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_signal_frequency_measurement", - "safeName": "anduril_entitymanager_v_1_signal_frequency_measurement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_FREQUENCY_MEASUREMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_FREQUENCY_MEASUREMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SignalFrequencyMeasurement", - "safeName": "AndurilEntitymanagerV1SignalFrequencyMeasurement" - } - }, - "typeId": "anduril.entitymanager.v1.SignalFrequency_measurement", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "report", - "camelCase": { - "unsafeName": "report", - "safeName": "report" - }, - "snakeCase": { - "unsafeName": "report", - "safeName": "report" - }, - "screamingSnakeCase": { - "unsafeName": "REPORT", - "safeName": "REPORT" - }, - "pascalCase": { - "unsafeName": "Report", - "safeName": "Report" - } - }, - "wireValue": "report" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SignalReport", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SignalReport", - "safeName": "andurilEntitymanagerV1SignalReport" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_signal_report", - "safeName": "anduril_entitymanager_v_1_signal_report" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_REPORT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_REPORT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SignalReport", - "safeName": "AndurilEntitymanagerV1SignalReport" - } - }, - "typeId": "anduril.entitymanager.v1.SignalReport", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A component that describes an entity's signal characteristics." - }, - "anduril.entitymanager.v1.EmitterNotation": { - "name": { - "typeId": "anduril.entitymanager.v1.EmitterNotation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.EmitterNotation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1EmitterNotation", - "safeName": "andurilEntitymanagerV1EmitterNotation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_emitter_notation", - "safeName": "anduril_entitymanager_v_1_emitter_notation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_EMITTER_NOTATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_EMITTER_NOTATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1EmitterNotation", - "safeName": "AndurilEntitymanagerV1EmitterNotation" - } - }, - "displayName": "EmitterNotation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "emitter_notation", - "camelCase": { - "unsafeName": "emitterNotation", - "safeName": "emitterNotation" - }, - "snakeCase": { - "unsafeName": "emitter_notation", - "safeName": "emitter_notation" - }, - "screamingSnakeCase": { - "unsafeName": "EMITTER_NOTATION", - "safeName": "EMITTER_NOTATION" - }, - "pascalCase": { - "unsafeName": "EmitterNotation", - "safeName": "EmitterNotation" - } - }, - "wireValue": "emitter_notation" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "confidence", - "camelCase": { - "unsafeName": "confidence", - "safeName": "confidence" - }, - "snakeCase": { - "unsafeName": "confidence", - "safeName": "confidence" - }, - "screamingSnakeCase": { - "unsafeName": "CONFIDENCE", - "safeName": "CONFIDENCE" - }, - "pascalCase": { - "unsafeName": "Confidence", - "safeName": "Confidence" - } - }, - "wireValue": "confidence" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "confidence" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "confidence as a percentage that the emitter notation in this component is accurate" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A representation of a single emitter notation." - }, - "anduril.entitymanager.v1.Measurement": { - "name": { - "typeId": "anduril.entitymanager.v1.Measurement", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Measurement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Measurement", - "safeName": "andurilEntitymanagerV1Measurement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_measurement", - "safeName": "anduril_entitymanager_v_1_measurement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Measurement", - "safeName": "AndurilEntitymanagerV1Measurement" - } - }, - "displayName": "Measurement" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "value" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The value of the measurement." - }, - { - "name": { - "name": { - "originalName": "sigma", - "camelCase": { - "unsafeName": "sigma", - "safeName": "sigma" - }, - "snakeCase": { - "unsafeName": "sigma", - "safeName": "sigma" - }, - "screamingSnakeCase": { - "unsafeName": "SIGMA", - "safeName": "SIGMA" - }, - "pascalCase": { - "unsafeName": "Sigma", - "safeName": "Sigma" - } - }, - "wireValue": "sigma" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "sigma" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Estimated one standard deviation in same unit as the value." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A component that describes some measured value with error." - }, - "anduril.entitymanager.v1.Frequency": { - "name": { - "typeId": "anduril.entitymanager.v1.Frequency", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Frequency", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Frequency", - "safeName": "andurilEntitymanagerV1Frequency" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_frequency", - "safeName": "anduril_entitymanager_v_1_frequency" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Frequency", - "safeName": "AndurilEntitymanagerV1Frequency" - } - }, - "displayName": "Frequency" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "frequency_hz", - "camelCase": { - "unsafeName": "frequencyHz", - "safeName": "frequencyHz" - }, - "snakeCase": { - "unsafeName": "frequency_hz", - "safeName": "frequency_hz" - }, - "screamingSnakeCase": { - "unsafeName": "FREQUENCY_HZ", - "safeName": "FREQUENCY_HZ" - }, - "pascalCase": { - "unsafeName": "FrequencyHz", - "safeName": "FrequencyHz" - } - }, - "wireValue": "frequency_hz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Measurement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Measurement", - "safeName": "andurilEntitymanagerV1Measurement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_measurement", - "safeName": "anduril_entitymanager_v_1_measurement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Measurement", - "safeName": "AndurilEntitymanagerV1Measurement" - } - }, - "typeId": "anduril.entitymanager.v1.Measurement", - "default": null, - "inline": false, - "displayName": "frequency_hz" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates a frequency of a signal (Hz) with its standard deviation." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A component for describing frequency." - }, - "anduril.entitymanager.v1.FrequencyRange": { - "name": { - "typeId": "anduril.entitymanager.v1.FrequencyRange", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.FrequencyRange", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1FrequencyRange", - "safeName": "andurilEntitymanagerV1FrequencyRange" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_frequency_range", - "safeName": "anduril_entitymanager_v_1_frequency_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1FrequencyRange", - "safeName": "AndurilEntitymanagerV1FrequencyRange" - } - }, - "displayName": "FrequencyRange" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "minimum_frequency_hz", - "camelCase": { - "unsafeName": "minimumFrequencyHz", - "safeName": "minimumFrequencyHz" - }, - "snakeCase": { - "unsafeName": "minimum_frequency_hz", - "safeName": "minimum_frequency_hz" - }, - "screamingSnakeCase": { - "unsafeName": "MINIMUM_FREQUENCY_HZ", - "safeName": "MINIMUM_FREQUENCY_HZ" - }, - "pascalCase": { - "unsafeName": "MinimumFrequencyHz", - "safeName": "MinimumFrequencyHz" - } - }, - "wireValue": "minimum_frequency_hz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Frequency", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Frequency", - "safeName": "andurilEntitymanagerV1Frequency" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_frequency", - "safeName": "anduril_entitymanager_v_1_frequency" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Frequency", - "safeName": "AndurilEntitymanagerV1Frequency" - } - }, - "typeId": "anduril.entitymanager.v1.Frequency", - "default": null, - "inline": false, - "displayName": "minimum_frequency_hz" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the lowest measured frequency of a signal (Hz)." - }, - { - "name": { - "name": { - "originalName": "maximum_frequency_hz", - "camelCase": { - "unsafeName": "maximumFrequencyHz", - "safeName": "maximumFrequencyHz" - }, - "snakeCase": { - "unsafeName": "maximum_frequency_hz", - "safeName": "maximum_frequency_hz" - }, - "screamingSnakeCase": { - "unsafeName": "MAXIMUM_FREQUENCY_HZ", - "safeName": "MAXIMUM_FREQUENCY_HZ" - }, - "pascalCase": { - "unsafeName": "MaximumFrequencyHz", - "safeName": "MaximumFrequencyHz" - } - }, - "wireValue": "maximum_frequency_hz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Frequency", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Frequency", - "safeName": "andurilEntitymanagerV1Frequency" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_frequency", - "safeName": "anduril_entitymanager_v_1_frequency" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Frequency", - "safeName": "AndurilEntitymanagerV1Frequency" - } - }, - "typeId": "anduril.entitymanager.v1.Frequency", - "default": null, - "inline": false, - "displayName": "maximum_frequency_hz" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the maximum measured frequency of a signal (Hz)." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A component to represent a frequency range." - }, - "anduril.entitymanager.v1.LineOfBearingDetection_range": { - "name": { - "typeId": "anduril.entitymanager.v1.LineOfBearingDetection_range", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.LineOfBearingDetection_range", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1LineOfBearingDetectionRange", - "safeName": "andurilEntitymanagerV1LineOfBearingDetectionRange" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_line_of_bearing_detection_range", - "safeName": "anduril_entitymanager_v_1_line_of_bearing_detection_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING_DETECTION_RANGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING_DETECTION_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1LineOfBearingDetectionRange", - "safeName": "AndurilEntitymanagerV1LineOfBearingDetectionRange" - } - }, - "displayName": "LineOfBearingDetection_range" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Measurement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Measurement", - "safeName": "andurilEntitymanagerV1Measurement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_measurement", - "safeName": "anduril_entitymanager_v_1_measurement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Measurement", - "safeName": "AndurilEntitymanagerV1Measurement" - } - }, - "typeId": "anduril.entitymanager.v1.Measurement", - "default": null, - "inline": false, - "displayName": "range_estimate_m" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Measurement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Measurement", - "safeName": "andurilEntitymanagerV1Measurement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_measurement", - "safeName": "anduril_entitymanager_v_1_measurement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Measurement", - "safeName": "AndurilEntitymanagerV1Measurement" - } - }, - "typeId": "anduril.entitymanager.v1.Measurement", - "default": null, - "inline": false, - "displayName": "max_range_m" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.LineOfBearing": { - "name": { - "typeId": "anduril.entitymanager.v1.LineOfBearing", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.LineOfBearing", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1LineOfBearing", - "safeName": "andurilEntitymanagerV1LineOfBearing" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_line_of_bearing", - "safeName": "anduril_entitymanager_v_1_line_of_bearing" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1LineOfBearing", - "safeName": "AndurilEntitymanagerV1LineOfBearing" - } - }, - "displayName": "LineOfBearing" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "angle_of_arrival", - "camelCase": { - "unsafeName": "angleOfArrival", - "safeName": "angleOfArrival" - }, - "snakeCase": { - "unsafeName": "angle_of_arrival", - "safeName": "angle_of_arrival" - }, - "screamingSnakeCase": { - "unsafeName": "ANGLE_OF_ARRIVAL", - "safeName": "ANGLE_OF_ARRIVAL" - }, - "pascalCase": { - "unsafeName": "AngleOfArrival", - "safeName": "AngleOfArrival" - } - }, - "wireValue": "angle_of_arrival" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AngleOfArrival", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AngleOfArrival", - "safeName": "andurilEntitymanagerV1AngleOfArrival" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_angle_of_arrival", - "safeName": "anduril_entitymanager_v_1_angle_of_arrival" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ANGLE_OF_ARRIVAL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ANGLE_OF_ARRIVAL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AngleOfArrival", - "safeName": "AndurilEntitymanagerV1AngleOfArrival" - } - }, - "typeId": "anduril.entitymanager.v1.AngleOfArrival", - "default": null, - "inline": false, - "displayName": "angle_of_arrival" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The direction pointing from this entity to the detection" - }, - { - "name": { - "name": { - "originalName": "detection_range", - "camelCase": { - "unsafeName": "detectionRange", - "safeName": "detectionRange" - }, - "snakeCase": { - "unsafeName": "detection_range", - "safeName": "detection_range" - }, - "screamingSnakeCase": { - "unsafeName": "DETECTION_RANGE", - "safeName": "DETECTION_RANGE" - }, - "pascalCase": { - "unsafeName": "DetectionRange", - "safeName": "DetectionRange" - } - }, - "wireValue": "detection_range" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.LineOfBearingDetection_range", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1LineOfBearingDetectionRange", - "safeName": "andurilEntitymanagerV1LineOfBearingDetectionRange" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_line_of_bearing_detection_range", - "safeName": "anduril_entitymanager_v_1_line_of_bearing_detection_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING_DETECTION_RANGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING_DETECTION_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1LineOfBearingDetectionRange", - "safeName": "AndurilEntitymanagerV1LineOfBearingDetectionRange" - } - }, - "typeId": "anduril.entitymanager.v1.LineOfBearingDetection_range", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A line of bearing of a signal." - }, - "anduril.entitymanager.v1.AngleOfArrival": { - "name": { - "typeId": "anduril.entitymanager.v1.AngleOfArrival", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AngleOfArrival", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AngleOfArrival", - "safeName": "andurilEntitymanagerV1AngleOfArrival" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_angle_of_arrival", - "safeName": "anduril_entitymanager_v_1_angle_of_arrival" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ANGLE_OF_ARRIVAL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ANGLE_OF_ARRIVAL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AngleOfArrival", - "safeName": "AndurilEntitymanagerV1AngleOfArrival" - } - }, - "displayName": "AngleOfArrival" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "relative_pose", - "camelCase": { - "unsafeName": "relativePose", - "safeName": "relativePose" - }, - "snakeCase": { - "unsafeName": "relative_pose", - "safeName": "relative_pose" - }, - "screamingSnakeCase": { - "unsafeName": "RELATIVE_POSE", - "safeName": "RELATIVE_POSE" - }, - "pascalCase": { - "unsafeName": "RelativePose", - "safeName": "RelativePose" - } - }, - "wireValue": "relative_pose" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Pose", - "camelCase": { - "unsafeName": "andurilTypePose", - "safeName": "andurilTypePose" - }, - "snakeCase": { - "unsafeName": "anduril_type_pose", - "safeName": "anduril_type_pose" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_POSE", - "safeName": "ANDURIL_TYPE_POSE" - }, - "pascalCase": { - "unsafeName": "AndurilTypePose", - "safeName": "AndurilTypePose" - } - }, - "typeId": "anduril.type.Pose", - "default": null, - "inline": false, - "displayName": "relative_pose" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Origin (LLA) and attitude (relative to ENU) of a ray pointing towards the detection. The attitude represents a\\n forward-left-up (FLU) frame where the x-axis (1, 0, 0) is pointing towards the target." - }, - { - "name": { - "name": { - "originalName": "bearing_elevation_covariance_rad2", - "camelCase": { - "unsafeName": "bearingElevationCovarianceRad2", - "safeName": "bearingElevationCovarianceRad2" - }, - "snakeCase": { - "unsafeName": "bearing_elevation_covariance_rad_2", - "safeName": "bearing_elevation_covariance_rad_2" - }, - "screamingSnakeCase": { - "unsafeName": "BEARING_ELEVATION_COVARIANCE_RAD_2", - "safeName": "BEARING_ELEVATION_COVARIANCE_RAD_2" - }, - "pascalCase": { - "unsafeName": "BearingElevationCovarianceRad2", - "safeName": "BearingElevationCovarianceRad2" - } - }, - "wireValue": "bearing_elevation_covariance_rad2" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.TMat2", - "camelCase": { - "unsafeName": "andurilTypeTMat2", - "safeName": "andurilTypeTMat2" - }, - "snakeCase": { - "unsafeName": "anduril_type_t_mat_2", - "safeName": "anduril_type_t_mat_2" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_T_MAT_2", - "safeName": "ANDURIL_TYPE_T_MAT_2" - }, - "pascalCase": { - "unsafeName": "AndurilTypeTMat2", - "safeName": "AndurilTypeTMat2" - } - }, - "typeId": "anduril.type.TMat2", - "default": null, - "inline": false, - "displayName": "bearing_elevation_covariance_rad2" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Bearing/elevation covariance matrix where bearing is defined in radians CCW+ about the z-axis from the x-axis of FLU frame\\n and elevation is positive down from the FL/XY plane.\\n mxx = bearing variance in rad^2\\n mxy = bearing/elevation covariance in rad^2\\n myy = elevation variance in rad^2" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The direction from which the signal is received" - }, - "anduril.entitymanager.v1.Fixed": { - "name": { - "typeId": "anduril.entitymanager.v1.Fixed", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Fixed", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Fixed", - "safeName": "andurilEntitymanagerV1Fixed" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_fixed", - "safeName": "anduril_entitymanager_v_1_fixed" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIXED", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIXED" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Fixed", - "safeName": "AndurilEntitymanagerV1Fixed" - } - }, - "displayName": "Fixed" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A fix of a signal. No extra fields but it is expected that location should be populated when using this report." - }, - "anduril.entitymanager.v1.PulseRepetitionInterval": { - "name": { - "typeId": "anduril.entitymanager.v1.PulseRepetitionInterval", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PulseRepetitionInterval", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PulseRepetitionInterval", - "safeName": "andurilEntitymanagerV1PulseRepetitionInterval" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_pulse_repetition_interval", - "safeName": "anduril_entitymanager_v_1_pulse_repetition_interval" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PULSE_REPETITION_INTERVAL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PULSE_REPETITION_INTERVAL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PulseRepetitionInterval", - "safeName": "AndurilEntitymanagerV1PulseRepetitionInterval" - } - }, - "displayName": "PulseRepetitionInterval" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "pulse_repetition_interval_s", - "camelCase": { - "unsafeName": "pulseRepetitionIntervalS", - "safeName": "pulseRepetitionIntervalS" - }, - "snakeCase": { - "unsafeName": "pulse_repetition_interval_s", - "safeName": "pulse_repetition_interval_s" - }, - "screamingSnakeCase": { - "unsafeName": "PULSE_REPETITION_INTERVAL_S", - "safeName": "PULSE_REPETITION_INTERVAL_S" - }, - "pascalCase": { - "unsafeName": "PulseRepetitionIntervalS", - "safeName": "PulseRepetitionIntervalS" - } - }, - "wireValue": "pulse_repetition_interval_s" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Measurement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Measurement", - "safeName": "andurilEntitymanagerV1Measurement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_measurement", - "safeName": "anduril_entitymanager_v_1_measurement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Measurement", - "safeName": "AndurilEntitymanagerV1Measurement" - } - }, - "typeId": "anduril.entitymanager.v1.Measurement", - "default": null, - "inline": false, - "displayName": "pulse_repetition_interval_s" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A component that describe the length in time between two pulses" - }, - "anduril.entitymanager.v1.ScanCharacteristics": { - "name": { - "typeId": "anduril.entitymanager.v1.ScanCharacteristics", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ScanCharacteristics", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ScanCharacteristics", - "safeName": "andurilEntitymanagerV1ScanCharacteristics" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_scan_characteristics", - "safeName": "anduril_entitymanager_v_1_scan_characteristics" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_CHARACTERISTICS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_CHARACTERISTICS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ScanCharacteristics", - "safeName": "AndurilEntitymanagerV1ScanCharacteristics" - } - }, - "displayName": "ScanCharacteristics" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "scan_type", - "camelCase": { - "unsafeName": "scanType", - "safeName": "scanType" - }, - "snakeCase": { - "unsafeName": "scan_type", - "safeName": "scan_type" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_TYPE", - "safeName": "SCAN_TYPE" - }, - "pascalCase": { - "unsafeName": "ScanType", - "safeName": "ScanType" - } - }, - "wireValue": "scan_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ScanType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ScanType", - "safeName": "andurilEntitymanagerV1ScanType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_scan_type", - "safeName": "anduril_entitymanager_v_1_scan_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ScanType", - "safeName": "AndurilEntitymanagerV1ScanType" - } - }, - "typeId": "anduril.entitymanager.v1.ScanType", - "default": null, - "inline": false, - "displayName": "scan_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "scan_period_s", - "camelCase": { - "unsafeName": "scanPeriodS", - "safeName": "scanPeriodS" - }, - "snakeCase": { - "unsafeName": "scan_period_s", - "safeName": "scan_period_s" - }, - "screamingSnakeCase": { - "unsafeName": "SCAN_PERIOD_S", - "safeName": "SCAN_PERIOD_S" - }, - "pascalCase": { - "unsafeName": "ScanPeriodS", - "safeName": "ScanPeriodS" - } - }, - "wireValue": "scan_period_s" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "scan_period_s" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A component that describes the scanning characteristics of a signal" - }, - "anduril.entitymanager.v1.OperationalState": { - "name": { - "typeId": "anduril.entitymanager.v1.OperationalState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OperationalState", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OperationalState", - "safeName": "andurilEntitymanagerV1OperationalState" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_operational_state", - "safeName": "anduril_entitymanager_v_1_operational_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OPERATIONAL_STATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OPERATIONAL_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OperationalState", - "safeName": "AndurilEntitymanagerV1OperationalState" - } - }, - "displayName": "OperationalState" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "OPERATIONAL_STATE_INVALID", - "camelCase": { - "unsafeName": "operationalStateInvalid", - "safeName": "operationalStateInvalid" - }, - "snakeCase": { - "unsafeName": "operational_state_invalid", - "safeName": "operational_state_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "OPERATIONAL_STATE_INVALID", - "safeName": "OPERATIONAL_STATE_INVALID" - }, - "pascalCase": { - "unsafeName": "OperationalStateInvalid", - "safeName": "OperationalStateInvalid" - } - }, - "wireValue": "OPERATIONAL_STATE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "OPERATIONAL_STATE_OFF", - "camelCase": { - "unsafeName": "operationalStateOff", - "safeName": "operationalStateOff" - }, - "snakeCase": { - "unsafeName": "operational_state_off", - "safeName": "operational_state_off" - }, - "screamingSnakeCase": { - "unsafeName": "OPERATIONAL_STATE_OFF", - "safeName": "OPERATIONAL_STATE_OFF" - }, - "pascalCase": { - "unsafeName": "OperationalStateOff", - "safeName": "OperationalStateOff" - } - }, - "wireValue": "OPERATIONAL_STATE_OFF" - }, - "availability": null, - "docs": "sensor exists but is deliberately turned off" - }, - { - "name": { - "name": { - "originalName": "OPERATIONAL_STATE_NON_OPERATIONAL", - "camelCase": { - "unsafeName": "operationalStateNonOperational", - "safeName": "operationalStateNonOperational" - }, - "snakeCase": { - "unsafeName": "operational_state_non_operational", - "safeName": "operational_state_non_operational" - }, - "screamingSnakeCase": { - "unsafeName": "OPERATIONAL_STATE_NON_OPERATIONAL", - "safeName": "OPERATIONAL_STATE_NON_OPERATIONAL" - }, - "pascalCase": { - "unsafeName": "OperationalStateNonOperational", - "safeName": "OperationalStateNonOperational" - } - }, - "wireValue": "OPERATIONAL_STATE_NON_OPERATIONAL" - }, - "availability": null, - "docs": "sensor is not operational but some reason other than being \\"Off\\" (e.g., equipment malfunction)" - }, - { - "name": { - "name": { - "originalName": "OPERATIONAL_STATE_DEGRADED", - "camelCase": { - "unsafeName": "operationalStateDegraded", - "safeName": "operationalStateDegraded" - }, - "snakeCase": { - "unsafeName": "operational_state_degraded", - "safeName": "operational_state_degraded" - }, - "screamingSnakeCase": { - "unsafeName": "OPERATIONAL_STATE_DEGRADED", - "safeName": "OPERATIONAL_STATE_DEGRADED" - }, - "pascalCase": { - "unsafeName": "OperationalStateDegraded", - "safeName": "OperationalStateDegraded" - } - }, - "wireValue": "OPERATIONAL_STATE_DEGRADED" - }, - "availability": null, - "docs": "sensor is receiving information but in some reduced status (e.g., off calibration)" - }, - { - "name": { - "name": { - "originalName": "OPERATIONAL_STATE_OPERATIONAL", - "camelCase": { - "unsafeName": "operationalStateOperational", - "safeName": "operationalStateOperational" - }, - "snakeCase": { - "unsafeName": "operational_state_operational", - "safeName": "operational_state_operational" - }, - "screamingSnakeCase": { - "unsafeName": "OPERATIONAL_STATE_OPERATIONAL", - "safeName": "OPERATIONAL_STATE_OPERATIONAL" - }, - "pascalCase": { - "unsafeName": "OperationalStateOperational", - "safeName": "OperationalStateOperational" - } - }, - "wireValue": "OPERATIONAL_STATE_OPERATIONAL" - }, - "availability": null, - "docs": "fully functional" - }, - { - "name": { - "name": { - "originalName": "OPERATIONAL_STATE_DENIED", - "camelCase": { - "unsafeName": "operationalStateDenied", - "safeName": "operationalStateDenied" - }, - "snakeCase": { - "unsafeName": "operational_state_denied", - "safeName": "operational_state_denied" - }, - "screamingSnakeCase": { - "unsafeName": "OPERATIONAL_STATE_DENIED", - "safeName": "OPERATIONAL_STATE_DENIED" - }, - "pascalCase": { - "unsafeName": "OperationalStateDenied", - "safeName": "OperationalStateDenied" - } - }, - "wireValue": "OPERATIONAL_STATE_DENIED" - }, - "availability": null, - "docs": "sensor is being actively denied" - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Describes the current operational state of a system." - }, - "anduril.entitymanager.v1.SensorMode": { - "name": { - "typeId": "anduril.entitymanager.v1.SensorMode", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SensorMode", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SensorMode", - "safeName": "andurilEntitymanagerV1SensorMode" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_sensor_mode", - "safeName": "anduril_entitymanager_v_1_sensor_mode" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_MODE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_MODE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SensorMode", - "safeName": "AndurilEntitymanagerV1SensorMode" - } - }, - "displayName": "SensorMode" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "SENSOR_MODE_INVALID", - "camelCase": { - "unsafeName": "sensorModeInvalid", - "safeName": "sensorModeInvalid" - }, - "snakeCase": { - "unsafeName": "sensor_mode_invalid", - "safeName": "sensor_mode_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_MODE_INVALID", - "safeName": "SENSOR_MODE_INVALID" - }, - "pascalCase": { - "unsafeName": "SensorModeInvalid", - "safeName": "SensorModeInvalid" - } - }, - "wireValue": "SENSOR_MODE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_MODE_SEARCH", - "camelCase": { - "unsafeName": "sensorModeSearch", - "safeName": "sensorModeSearch" - }, - "snakeCase": { - "unsafeName": "sensor_mode_search", - "safeName": "sensor_mode_search" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_MODE_SEARCH", - "safeName": "SENSOR_MODE_SEARCH" - }, - "pascalCase": { - "unsafeName": "SensorModeSearch", - "safeName": "SensorModeSearch" - } - }, - "wireValue": "SENSOR_MODE_SEARCH" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_MODE_TRACK", - "camelCase": { - "unsafeName": "sensorModeTrack", - "safeName": "sensorModeTrack" - }, - "snakeCase": { - "unsafeName": "sensor_mode_track", - "safeName": "sensor_mode_track" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_MODE_TRACK", - "safeName": "SENSOR_MODE_TRACK" - }, - "pascalCase": { - "unsafeName": "SensorModeTrack", - "safeName": "SensorModeTrack" - } - }, - "wireValue": "SENSOR_MODE_TRACK" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_MODE_WEAPON_SUPPORT", - "camelCase": { - "unsafeName": "sensorModeWeaponSupport", - "safeName": "sensorModeWeaponSupport" - }, - "snakeCase": { - "unsafeName": "sensor_mode_weapon_support", - "safeName": "sensor_mode_weapon_support" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_MODE_WEAPON_SUPPORT", - "safeName": "SENSOR_MODE_WEAPON_SUPPORT" - }, - "pascalCase": { - "unsafeName": "SensorModeWeaponSupport", - "safeName": "SensorModeWeaponSupport" - } - }, - "wireValue": "SENSOR_MODE_WEAPON_SUPPORT" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_MODE_AUTO", - "camelCase": { - "unsafeName": "sensorModeAuto", - "safeName": "sensorModeAuto" - }, - "snakeCase": { - "unsafeName": "sensor_mode_auto", - "safeName": "sensor_mode_auto" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_MODE_AUTO", - "safeName": "SENSOR_MODE_AUTO" - }, - "pascalCase": { - "unsafeName": "SensorModeAuto", - "safeName": "SensorModeAuto" - } - }, - "wireValue": "SENSOR_MODE_AUTO" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_MODE_MUTE", - "camelCase": { - "unsafeName": "sensorModeMute", - "safeName": "sensorModeMute" - }, - "snakeCase": { - "unsafeName": "sensor_mode_mute", - "safeName": "sensor_mode_mute" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_MODE_MUTE", - "safeName": "SENSOR_MODE_MUTE" - }, - "pascalCase": { - "unsafeName": "SensorModeMute", - "safeName": "SensorModeMute" - } - }, - "wireValue": "SENSOR_MODE_MUTE" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Enumerates the possible sensor modes which were active for this sensor field of view." - }, - "anduril.entitymanager.v1.SensorType": { - "name": { - "typeId": "anduril.entitymanager.v1.SensorType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SensorType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SensorType", - "safeName": "andurilEntitymanagerV1SensorType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_sensor_type", - "safeName": "anduril_entitymanager_v_1_sensor_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SensorType", - "safeName": "AndurilEntitymanagerV1SensorType" - } - }, - "displayName": "SensorType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "SENSOR_TYPE_INVALID", - "camelCase": { - "unsafeName": "sensorTypeInvalid", - "safeName": "sensorTypeInvalid" - }, - "snakeCase": { - "unsafeName": "sensor_type_invalid", - "safeName": "sensor_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_TYPE_INVALID", - "safeName": "SENSOR_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "SensorTypeInvalid", - "safeName": "SensorTypeInvalid" - } - }, - "wireValue": "SENSOR_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_TYPE_RADAR", - "camelCase": { - "unsafeName": "sensorTypeRadar", - "safeName": "sensorTypeRadar" - }, - "snakeCase": { - "unsafeName": "sensor_type_radar", - "safeName": "sensor_type_radar" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_TYPE_RADAR", - "safeName": "SENSOR_TYPE_RADAR" - }, - "pascalCase": { - "unsafeName": "SensorTypeRadar", - "safeName": "SensorTypeRadar" - } - }, - "wireValue": "SENSOR_TYPE_RADAR" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_TYPE_CAMERA", - "camelCase": { - "unsafeName": "sensorTypeCamera", - "safeName": "sensorTypeCamera" - }, - "snakeCase": { - "unsafeName": "sensor_type_camera", - "safeName": "sensor_type_camera" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_TYPE_CAMERA", - "safeName": "SENSOR_TYPE_CAMERA" - }, - "pascalCase": { - "unsafeName": "SensorTypeCamera", - "safeName": "SensorTypeCamera" - } - }, - "wireValue": "SENSOR_TYPE_CAMERA" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_TYPE_TRANSPONDER", - "camelCase": { - "unsafeName": "sensorTypeTransponder", - "safeName": "sensorTypeTransponder" - }, - "snakeCase": { - "unsafeName": "sensor_type_transponder", - "safeName": "sensor_type_transponder" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_TYPE_TRANSPONDER", - "safeName": "SENSOR_TYPE_TRANSPONDER" - }, - "pascalCase": { - "unsafeName": "SensorTypeTransponder", - "safeName": "SensorTypeTransponder" - } - }, - "wireValue": "SENSOR_TYPE_TRANSPONDER" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_TYPE_RF", - "camelCase": { - "unsafeName": "sensorTypeRf", - "safeName": "sensorTypeRf" - }, - "snakeCase": { - "unsafeName": "sensor_type_rf", - "safeName": "sensor_type_rf" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_TYPE_RF", - "safeName": "SENSOR_TYPE_RF" - }, - "pascalCase": { - "unsafeName": "SensorTypeRf", - "safeName": "SensorTypeRf" - } - }, - "wireValue": "SENSOR_TYPE_RF" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_TYPE_GPS", - "camelCase": { - "unsafeName": "sensorTypeGps", - "safeName": "sensorTypeGps" - }, - "snakeCase": { - "unsafeName": "sensor_type_gps", - "safeName": "sensor_type_gps" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_TYPE_GPS", - "safeName": "SENSOR_TYPE_GPS" - }, - "pascalCase": { - "unsafeName": "SensorTypeGps", - "safeName": "SensorTypeGps" - } - }, - "wireValue": "SENSOR_TYPE_GPS" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_TYPE_PTU_POS", - "camelCase": { - "unsafeName": "sensorTypePtuPos", - "safeName": "sensorTypePtuPos" - }, - "snakeCase": { - "unsafeName": "sensor_type_ptu_pos", - "safeName": "sensor_type_ptu_pos" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_TYPE_PTU_POS", - "safeName": "SENSOR_TYPE_PTU_POS" - }, - "pascalCase": { - "unsafeName": "SensorTypePtuPos", - "safeName": "SensorTypePtuPos" - } - }, - "wireValue": "SENSOR_TYPE_PTU_POS" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_TYPE_PERIMETER", - "camelCase": { - "unsafeName": "sensorTypePerimeter", - "safeName": "sensorTypePerimeter" - }, - "snakeCase": { - "unsafeName": "sensor_type_perimeter", - "safeName": "sensor_type_perimeter" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_TYPE_PERIMETER", - "safeName": "SENSOR_TYPE_PERIMETER" - }, - "pascalCase": { - "unsafeName": "SensorTypePerimeter", - "safeName": "SensorTypePerimeter" - } - }, - "wireValue": "SENSOR_TYPE_PERIMETER" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SENSOR_TYPE_SONAR", - "camelCase": { - "unsafeName": "sensorTypeSonar", - "safeName": "sensorTypeSonar" - }, - "snakeCase": { - "unsafeName": "sensor_type_sonar", - "safeName": "sensor_type_sonar" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_TYPE_SONAR", - "safeName": "SENSOR_TYPE_SONAR" - }, - "pascalCase": { - "unsafeName": "SensorTypeSonar", - "safeName": "SensorTypeSonar" - } - }, - "wireValue": "SENSOR_TYPE_SONAR" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Sensors": { - "name": { - "typeId": "anduril.entitymanager.v1.Sensors", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Sensors", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Sensors", - "safeName": "andurilEntitymanagerV1Sensors" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_sensors", - "safeName": "anduril_entitymanager_v_1_sensors" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Sensors", - "safeName": "AndurilEntitymanagerV1Sensors" - } - }, - "displayName": "Sensors" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "sensors", - "camelCase": { - "unsafeName": "sensors", - "safeName": "sensors" - }, - "snakeCase": { - "unsafeName": "sensors", - "safeName": "sensors" - }, - "screamingSnakeCase": { - "unsafeName": "SENSORS", - "safeName": "SENSORS" - }, - "pascalCase": { - "unsafeName": "Sensors", - "safeName": "Sensors" - } - }, - "wireValue": "sensors" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Sensor", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Sensor", - "safeName": "andurilEntitymanagerV1Sensor" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_sensor", - "safeName": "anduril_entitymanager_v_1_sensor" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Sensor", - "safeName": "AndurilEntitymanagerV1Sensor" - } - }, - "typeId": "anduril.entitymanager.v1.Sensor", - "default": null, - "inline": false, - "displayName": "sensors" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "List of sensors available for an entity." - }, - "anduril.entitymanager.v1.Sensor": { - "name": { - "typeId": "anduril.entitymanager.v1.Sensor", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Sensor", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Sensor", - "safeName": "andurilEntitymanagerV1Sensor" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_sensor", - "safeName": "anduril_entitymanager_v_1_sensor" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Sensor", - "safeName": "AndurilEntitymanagerV1Sensor" - } - }, - "displayName": "Sensor" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "sensor_id", - "camelCase": { - "unsafeName": "sensorId", - "safeName": "sensorId" - }, - "snakeCase": { - "unsafeName": "sensor_id", - "safeName": "sensor_id" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_ID", - "safeName": "SENSOR_ID" - }, - "pascalCase": { - "unsafeName": "SensorId", - "safeName": "SensorId" - } - }, - "wireValue": "sensor_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "This generally is used to indicate a specific type at a more detailed granularity. E.g. COMInt or LWIR" - }, - { - "name": { - "name": { - "originalName": "operational_state", - "camelCase": { - "unsafeName": "operationalState", - "safeName": "operationalState" - }, - "snakeCase": { - "unsafeName": "operational_state", - "safeName": "operational_state" - }, - "screamingSnakeCase": { - "unsafeName": "OPERATIONAL_STATE", - "safeName": "OPERATIONAL_STATE" - }, - "pascalCase": { - "unsafeName": "OperationalState", - "safeName": "OperationalState" - } - }, - "wireValue": "operational_state" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OperationalState", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OperationalState", - "safeName": "andurilEntitymanagerV1OperationalState" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_operational_state", - "safeName": "anduril_entitymanager_v_1_operational_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OPERATIONAL_STATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OPERATIONAL_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OperationalState", - "safeName": "AndurilEntitymanagerV1OperationalState" - } - }, - "typeId": "anduril.entitymanager.v1.OperationalState", - "default": null, - "inline": false, - "displayName": "operational_state" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "sensor_type", - "camelCase": { - "unsafeName": "sensorType", - "safeName": "sensorType" - }, - "snakeCase": { - "unsafeName": "sensor_type", - "safeName": "sensor_type" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_TYPE", - "safeName": "SENSOR_TYPE" - }, - "pascalCase": { - "unsafeName": "SensorType", - "safeName": "SensorType" - } - }, - "wireValue": "sensor_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SensorType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SensorType", - "safeName": "andurilEntitymanagerV1SensorType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_sensor_type", - "safeName": "anduril_entitymanager_v_1_sensor_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SensorType", - "safeName": "AndurilEntitymanagerV1SensorType" - } - }, - "typeId": "anduril.entitymanager.v1.SensorType", - "default": null, - "inline": false, - "displayName": "sensor_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The type of sensor" - }, - { - "name": { - "name": { - "originalName": "sensor_description", - "camelCase": { - "unsafeName": "sensorDescription", - "safeName": "sensorDescription" - }, - "snakeCase": { - "unsafeName": "sensor_description", - "safeName": "sensor_description" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_DESCRIPTION", - "safeName": "SENSOR_DESCRIPTION" - }, - "pascalCase": { - "unsafeName": "SensorDescription", - "safeName": "SensorDescription" - } - }, - "wireValue": "sensor_description" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A human readable description of the sensor" - }, - { - "name": { - "name": { - "originalName": "rf_configuraton", - "camelCase": { - "unsafeName": "rfConfiguraton", - "safeName": "rfConfiguraton" - }, - "snakeCase": { - "unsafeName": "rf_configuraton", - "safeName": "rf_configuraton" - }, - "screamingSnakeCase": { - "unsafeName": "RF_CONFIGURATON", - "safeName": "RF_CONFIGURATON" - }, - "pascalCase": { - "unsafeName": "RfConfiguraton", - "safeName": "RfConfiguraton" - } - }, - "wireValue": "rf_configuraton" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RFConfiguration", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RfConfiguration", - "safeName": "andurilEntitymanagerV1RfConfiguration" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_rf_configuration", - "safeName": "anduril_entitymanager_v_1_rf_configuration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RF_CONFIGURATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RF_CONFIGURATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RfConfiguration", - "safeName": "AndurilEntitymanagerV1RfConfiguration" - } - }, - "typeId": "anduril.entitymanager.v1.RFConfiguration", - "default": null, - "inline": false, - "displayName": "rf_configuraton" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "RF configuration details of the sensor" - }, - { - "name": { - "name": { - "originalName": "last_detection_timestamp", - "camelCase": { - "unsafeName": "lastDetectionTimestamp", - "safeName": "lastDetectionTimestamp" - }, - "snakeCase": { - "unsafeName": "last_detection_timestamp", - "safeName": "last_detection_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "LAST_DETECTION_TIMESTAMP", - "safeName": "LAST_DETECTION_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "LastDetectionTimestamp", - "safeName": "LastDetectionTimestamp" - } - }, - "wireValue": "last_detection_timestamp" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "last_detection_timestamp" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Time of the latest detection from the sensor" - }, - { - "name": { - "name": { - "originalName": "fields_of_view", - "camelCase": { - "unsafeName": "fieldsOfView", - "safeName": "fieldsOfView" - }, - "snakeCase": { - "unsafeName": "fields_of_view", - "safeName": "fields_of_view" - }, - "screamingSnakeCase": { - "unsafeName": "FIELDS_OF_VIEW", - "safeName": "FIELDS_OF_VIEW" - }, - "pascalCase": { - "unsafeName": "FieldsOfView", - "safeName": "FieldsOfView" - } - }, - "wireValue": "fields_of_view" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.FieldOfView", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1FieldOfView", - "safeName": "andurilEntitymanagerV1FieldOfView" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_field_of_view", - "safeName": "anduril_entitymanager_v_1_field_of_view" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_OF_VIEW", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_OF_VIEW" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1FieldOfView", - "safeName": "AndurilEntitymanagerV1FieldOfView" - } - }, - "typeId": "anduril.entitymanager.v1.FieldOfView", - "default": null, - "inline": false, - "displayName": "fields_of_view" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Multiple fields of view for a single sensor component" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Individual sensor configuration." - }, - "anduril.entitymanager.v1.FieldOfView": { - "name": { - "typeId": "anduril.entitymanager.v1.FieldOfView", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.FieldOfView", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1FieldOfView", - "safeName": "andurilEntitymanagerV1FieldOfView" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_field_of_view", - "safeName": "anduril_entitymanager_v_1_field_of_view" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_OF_VIEW", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_OF_VIEW" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1FieldOfView", - "safeName": "AndurilEntitymanagerV1FieldOfView" - } - }, - "displayName": "FieldOfView" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "fov_id", - "camelCase": { - "unsafeName": "fovId", - "safeName": "fovId" - }, - "snakeCase": { - "unsafeName": "fov_id", - "safeName": "fov_id" - }, - "screamingSnakeCase": { - "unsafeName": "FOV_ID", - "safeName": "FOV_ID" - }, - "pascalCase": { - "unsafeName": "FovId", - "safeName": "FovId" - } - }, - "wireValue": "fov_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Id for one instance of a FieldOfView, persisted across multiple updates to provide continuity during\\n smoothing. This is relevant for sensors where the dwell schedule is on the order of\\n milliseconds, making multiple FOVs a requirement for proper display of search beams." - }, - { - "name": { - "name": { - "originalName": "mount_id", - "camelCase": { - "unsafeName": "mountId", - "safeName": "mountId" - }, - "snakeCase": { - "unsafeName": "mount_id", - "safeName": "mount_id" - }, - "screamingSnakeCase": { - "unsafeName": "MOUNT_ID", - "safeName": "MOUNT_ID" - }, - "pascalCase": { - "unsafeName": "MountId", - "safeName": "MountId" - } - }, - "wireValue": "mount_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Id of the mount the sensor is on." - }, - { - "name": { - "name": { - "originalName": "projected_frustum", - "camelCase": { - "unsafeName": "projectedFrustum", - "safeName": "projectedFrustum" - }, - "snakeCase": { - "unsafeName": "projected_frustum", - "safeName": "projected_frustum" - }, - "screamingSnakeCase": { - "unsafeName": "PROJECTED_FRUSTUM", - "safeName": "PROJECTED_FRUSTUM" - }, - "pascalCase": { - "unsafeName": "ProjectedFrustum", - "safeName": "ProjectedFrustum" - } - }, - "wireValue": "projected_frustum" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ProjectedFrustum", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ProjectedFrustum", - "safeName": "andurilEntitymanagerV1ProjectedFrustum" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_projected_frustum", - "safeName": "anduril_entitymanager_v_1_projected_frustum" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROJECTED_FRUSTUM", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROJECTED_FRUSTUM" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ProjectedFrustum", - "safeName": "AndurilEntitymanagerV1ProjectedFrustum" - } - }, - "typeId": "anduril.entitymanager.v1.ProjectedFrustum", - "default": null, - "inline": false, - "displayName": "projected_frustum" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The field of view the sensor projected onto the ground." - }, - { - "name": { - "name": { - "originalName": "projected_center_ray", - "camelCase": { - "unsafeName": "projectedCenterRay", - "safeName": "projectedCenterRay" - }, - "snakeCase": { - "unsafeName": "projected_center_ray", - "safeName": "projected_center_ray" - }, - "screamingSnakeCase": { - "unsafeName": "PROJECTED_CENTER_RAY", - "safeName": "PROJECTED_CENTER_RAY" - }, - "pascalCase": { - "unsafeName": "ProjectedCenterRay", - "safeName": "ProjectedCenterRay" - } - }, - "wireValue": "projected_center_ray" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "projected_center_ray" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Center ray of the frustum projected onto the ground." - }, - { - "name": { - "name": { - "originalName": "center_ray_pose", - "camelCase": { - "unsafeName": "centerRayPose", - "safeName": "centerRayPose" - }, - "snakeCase": { - "unsafeName": "center_ray_pose", - "safeName": "center_ray_pose" - }, - "screamingSnakeCase": { - "unsafeName": "CENTER_RAY_POSE", - "safeName": "CENTER_RAY_POSE" - }, - "pascalCase": { - "unsafeName": "CenterRayPose", - "safeName": "CenterRayPose" - } - }, - "wireValue": "center_ray_pose" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Pose", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Pose", - "safeName": "andurilEntitymanagerV1Pose" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_pose", - "safeName": "anduril_entitymanager_v_1_pose" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Pose", - "safeName": "AndurilEntitymanagerV1Pose" - } - }, - "typeId": "anduril.entitymanager.v1.Pose", - "default": null, - "inline": false, - "displayName": "center_ray_pose" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The origin and direction of the center ray for this sensor relative to the ENU frame. A ray which is aligned with\\n the positive X axis in the sensor frame will be transformed into the ray along the sensor direction in the ENU\\n frame when transformed by the quaternion contained in this pose." - }, - { - "name": { - "name": { - "originalName": "horizontal_fov", - "camelCase": { - "unsafeName": "horizontalFov", - "safeName": "horizontalFov" - }, - "snakeCase": { - "unsafeName": "horizontal_fov", - "safeName": "horizontal_fov" - }, - "screamingSnakeCase": { - "unsafeName": "HORIZONTAL_FOV", - "safeName": "HORIZONTAL_FOV" - }, - "pascalCase": { - "unsafeName": "HorizontalFov", - "safeName": "HorizontalFov" - } - }, - "wireValue": "horizontal_fov" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Horizontal field of view in radians." - }, - { - "name": { - "name": { - "originalName": "vertical_fov", - "camelCase": { - "unsafeName": "verticalFov", - "safeName": "verticalFov" - }, - "snakeCase": { - "unsafeName": "vertical_fov", - "safeName": "vertical_fov" - }, - "screamingSnakeCase": { - "unsafeName": "VERTICAL_FOV", - "safeName": "VERTICAL_FOV" - }, - "pascalCase": { - "unsafeName": "VerticalFov", - "safeName": "VerticalFov" - } - }, - "wireValue": "vertical_fov" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Vertical field of view in radians." - }, - { - "name": { - "name": { - "originalName": "range", - "camelCase": { - "unsafeName": "range", - "safeName": "range" - }, - "snakeCase": { - "unsafeName": "range", - "safeName": "range" - }, - "screamingSnakeCase": { - "unsafeName": "RANGE", - "safeName": "RANGE" - }, - "pascalCase": { - "unsafeName": "Range", - "safeName": "Range" - } - }, - "wireValue": "range" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FloatValue", - "camelCase": { - "unsafeName": "googleProtobufFloatValue", - "safeName": "googleProtobufFloatValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_float_value", - "safeName": "google_protobuf_float_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", - "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFloatValue", - "safeName": "GoogleProtobufFloatValue" - } - }, - "typeId": "google.protobuf.FloatValue", - "default": null, - "inline": false, - "displayName": "range" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Sensor range in meters." - }, - { - "name": { - "name": { - "originalName": "mode", - "camelCase": { - "unsafeName": "mode", - "safeName": "mode" - }, - "snakeCase": { - "unsafeName": "mode", - "safeName": "mode" - }, - "screamingSnakeCase": { - "unsafeName": "MODE", - "safeName": "MODE" - }, - "pascalCase": { - "unsafeName": "Mode", - "safeName": "Mode" - } - }, - "wireValue": "mode" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SensorMode", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SensorMode", - "safeName": "andurilEntitymanagerV1SensorMode" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_sensor_mode", - "safeName": "anduril_entitymanager_v_1_sensor_mode" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_MODE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_MODE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SensorMode", - "safeName": "AndurilEntitymanagerV1SensorMode" - } - }, - "typeId": "anduril.entitymanager.v1.SensorMode", - "default": null, - "inline": false, - "displayName": "mode" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The mode that this sensor is currently in, used to display for context in the UI. Some sensors can emit multiple\\n sensor field of views with different modes, for example a radar can simultaneously search broadly and perform\\n tighter bounded tracking." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Sensor Field Of View closely resembling fov.proto SensorFieldOfView." - }, - "anduril.entitymanager.v1.ProjectedFrustum": { - "name": { - "typeId": "anduril.entitymanager.v1.ProjectedFrustum", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ProjectedFrustum", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ProjectedFrustum", - "safeName": "andurilEntitymanagerV1ProjectedFrustum" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_projected_frustum", - "safeName": "anduril_entitymanager_v_1_projected_frustum" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROJECTED_FRUSTUM", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROJECTED_FRUSTUM" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ProjectedFrustum", - "safeName": "AndurilEntitymanagerV1ProjectedFrustum" - } - }, - "displayName": "ProjectedFrustum" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "upper_left", - "camelCase": { - "unsafeName": "upperLeft", - "safeName": "upperLeft" - }, - "snakeCase": { - "unsafeName": "upper_left", - "safeName": "upper_left" - }, - "screamingSnakeCase": { - "unsafeName": "UPPER_LEFT", - "safeName": "UPPER_LEFT" - }, - "pascalCase": { - "unsafeName": "UpperLeft", - "safeName": "UpperLeft" - } - }, - "wireValue": "upper_left" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "upper_left" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Upper left point of the frustum." - }, - { - "name": { - "name": { - "originalName": "upper_right", - "camelCase": { - "unsafeName": "upperRight", - "safeName": "upperRight" - }, - "snakeCase": { - "unsafeName": "upper_right", - "safeName": "upper_right" - }, - "screamingSnakeCase": { - "unsafeName": "UPPER_RIGHT", - "safeName": "UPPER_RIGHT" - }, - "pascalCase": { - "unsafeName": "UpperRight", - "safeName": "UpperRight" - } - }, - "wireValue": "upper_right" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "upper_right" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Upper right point of the frustum." - }, - { - "name": { - "name": { - "originalName": "bottom_right", - "camelCase": { - "unsafeName": "bottomRight", - "safeName": "bottomRight" - }, - "snakeCase": { - "unsafeName": "bottom_right", - "safeName": "bottom_right" - }, - "screamingSnakeCase": { - "unsafeName": "BOTTOM_RIGHT", - "safeName": "BOTTOM_RIGHT" - }, - "pascalCase": { - "unsafeName": "BottomRight", - "safeName": "BottomRight" - } - }, - "wireValue": "bottom_right" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "bottom_right" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Bottom right point of the frustum." - }, - { - "name": { - "name": { - "originalName": "bottom_left", - "camelCase": { - "unsafeName": "bottomLeft", - "safeName": "bottomLeft" - }, - "snakeCase": { - "unsafeName": "bottom_left", - "safeName": "bottom_left" - }, - "screamingSnakeCase": { - "unsafeName": "BOTTOM_LEFT", - "safeName": "BOTTOM_LEFT" - }, - "pascalCase": { - "unsafeName": "BottomLeft", - "safeName": "BottomLeft" - } - }, - "wireValue": "bottom_left" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "bottom_left" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Bottom left point of the frustum." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents a frustum in which which all four corner points project onto the ground. All points in this message\\n are optional, if the projection to the ground fails then they will not be populated." - }, - "anduril.entitymanager.v1.RFConfiguration": { - "name": { - "typeId": "anduril.entitymanager.v1.RFConfiguration", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RFConfiguration", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RfConfiguration", - "safeName": "andurilEntitymanagerV1RfConfiguration" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_rf_configuration", - "safeName": "anduril_entitymanager_v_1_rf_configuration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RF_CONFIGURATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RF_CONFIGURATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RfConfiguration", - "safeName": "AndurilEntitymanagerV1RfConfiguration" - } - }, - "displayName": "RFConfiguration" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "frequency_range_hz", - "camelCase": { - "unsafeName": "frequencyRangeHz", - "safeName": "frequencyRangeHz" - }, - "snakeCase": { - "unsafeName": "frequency_range_hz", - "safeName": "frequency_range_hz" - }, - "screamingSnakeCase": { - "unsafeName": "FREQUENCY_RANGE_HZ", - "safeName": "FREQUENCY_RANGE_HZ" - }, - "pascalCase": { - "unsafeName": "FrequencyRangeHz", - "safeName": "FrequencyRangeHz" - } - }, - "wireValue": "frequency_range_hz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.FrequencyRange", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1FrequencyRange", - "safeName": "andurilEntitymanagerV1FrequencyRange" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_frequency_range", - "safeName": "anduril_entitymanager_v_1_frequency_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1FrequencyRange", - "safeName": "AndurilEntitymanagerV1FrequencyRange" - } - }, - "typeId": "anduril.entitymanager.v1.FrequencyRange", - "default": null, - "inline": false, - "displayName": "frequency_range_hz" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Frequency ranges that are available for this sensor." - }, - { - "name": { - "name": { - "originalName": "bandwidth_range_hz", - "camelCase": { - "unsafeName": "bandwidthRangeHz", - "safeName": "bandwidthRangeHz" - }, - "snakeCase": { - "unsafeName": "bandwidth_range_hz", - "safeName": "bandwidth_range_hz" - }, - "screamingSnakeCase": { - "unsafeName": "BANDWIDTH_RANGE_HZ", - "safeName": "BANDWIDTH_RANGE_HZ" - }, - "pascalCase": { - "unsafeName": "BandwidthRangeHz", - "safeName": "BandwidthRangeHz" - } - }, - "wireValue": "bandwidth_range_hz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.BandwidthRange", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1BandwidthRange", - "safeName": "andurilEntitymanagerV1BandwidthRange" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_bandwidth_range", - "safeName": "anduril_entitymanager_v_1_bandwidth_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH_RANGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1BandwidthRange", - "safeName": "AndurilEntitymanagerV1BandwidthRange" - } - }, - "typeId": "anduril.entitymanager.v1.BandwidthRange", - "default": null, - "inline": false, - "displayName": "bandwidth_range_hz" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Bandwidth ranges that are available for this sensor." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents RF configurations supported on this sensor." - }, - "anduril.entitymanager.v1.BandwidthRange": { - "name": { - "typeId": "anduril.entitymanager.v1.BandwidthRange", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.BandwidthRange", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1BandwidthRange", - "safeName": "andurilEntitymanagerV1BandwidthRange" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_bandwidth_range", - "safeName": "anduril_entitymanager_v_1_bandwidth_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH_RANGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1BandwidthRange", - "safeName": "AndurilEntitymanagerV1BandwidthRange" - } - }, - "displayName": "BandwidthRange" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "minimum_bandwidth", - "camelCase": { - "unsafeName": "minimumBandwidth", - "safeName": "minimumBandwidth" - }, - "snakeCase": { - "unsafeName": "minimum_bandwidth", - "safeName": "minimum_bandwidth" - }, - "screamingSnakeCase": { - "unsafeName": "MINIMUM_BANDWIDTH", - "safeName": "MINIMUM_BANDWIDTH" - }, - "pascalCase": { - "unsafeName": "MinimumBandwidth", - "safeName": "MinimumBandwidth" - } - }, - "wireValue": "minimum_bandwidth" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Bandwidth", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Bandwidth", - "safeName": "andurilEntitymanagerV1Bandwidth" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_bandwidth", - "safeName": "anduril_entitymanager_v_1_bandwidth" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Bandwidth", - "safeName": "AndurilEntitymanagerV1Bandwidth" - } - }, - "typeId": "anduril.entitymanager.v1.Bandwidth", - "default": null, - "inline": false, - "displayName": "minimum_bandwidth" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "maximum_bandwidth", - "camelCase": { - "unsafeName": "maximumBandwidth", - "safeName": "maximumBandwidth" - }, - "snakeCase": { - "unsafeName": "maximum_bandwidth", - "safeName": "maximum_bandwidth" - }, - "screamingSnakeCase": { - "unsafeName": "MAXIMUM_BANDWIDTH", - "safeName": "MAXIMUM_BANDWIDTH" - }, - "pascalCase": { - "unsafeName": "MaximumBandwidth", - "safeName": "MaximumBandwidth" - } - }, - "wireValue": "maximum_bandwidth" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Bandwidth", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Bandwidth", - "safeName": "andurilEntitymanagerV1Bandwidth" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_bandwidth", - "safeName": "anduril_entitymanager_v_1_bandwidth" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Bandwidth", - "safeName": "AndurilEntitymanagerV1Bandwidth" - } - }, - "typeId": "anduril.entitymanager.v1.Bandwidth", - "default": null, - "inline": false, - "displayName": "maximum_bandwidth" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A component that describes the min and max bandwidths of a sensor" - }, - "anduril.entitymanager.v1.Bandwidth": { - "name": { - "typeId": "anduril.entitymanager.v1.Bandwidth", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Bandwidth", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Bandwidth", - "safeName": "andurilEntitymanagerV1Bandwidth" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_bandwidth", - "safeName": "anduril_entitymanager_v_1_bandwidth" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Bandwidth", - "safeName": "AndurilEntitymanagerV1Bandwidth" - } - }, - "displayName": "Bandwidth" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "bandwidth_hz", - "camelCase": { - "unsafeName": "bandwidthHz", - "safeName": "bandwidthHz" - }, - "snakeCase": { - "unsafeName": "bandwidth_hz", - "safeName": "bandwidth_hz" - }, - "screamingSnakeCase": { - "unsafeName": "BANDWIDTH_HZ", - "safeName": "BANDWIDTH_HZ" - }, - "pascalCase": { - "unsafeName": "BandwidthHz", - "safeName": "BandwidthHz" - } - }, - "wireValue": "bandwidth_hz" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "bandwidth_hz" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Describes the bandwidth of a signal" - }, - "anduril.entitymanager.v1.Relationships": { - "name": { - "typeId": "anduril.entitymanager.v1.Relationships", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Relationships", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Relationships", - "safeName": "andurilEntitymanagerV1Relationships" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_relationships", - "safeName": "anduril_entitymanager_v_1_relationships" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIPS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIPS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Relationships", - "safeName": "AndurilEntitymanagerV1Relationships" - } - }, - "displayName": "Relationships" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "relationships", - "camelCase": { - "unsafeName": "relationships", - "safeName": "relationships" - }, - "snakeCase": { - "unsafeName": "relationships", - "safeName": "relationships" - }, - "screamingSnakeCase": { - "unsafeName": "RELATIONSHIPS", - "safeName": "RELATIONSHIPS" - }, - "pascalCase": { - "unsafeName": "Relationships", - "safeName": "Relationships" - } - }, - "wireValue": "relationships" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Relationship", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Relationship", - "safeName": "andurilEntitymanagerV1Relationship" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_relationship", - "safeName": "anduril_entitymanager_v_1_relationship" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Relationship", - "safeName": "AndurilEntitymanagerV1Relationship" - } - }, - "typeId": "anduril.entitymanager.v1.Relationship", - "default": null, - "inline": false, - "displayName": "relationships" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The relationships between this entity and other entities in the common operational picture." - }, - "anduril.entitymanager.v1.Relationship": { - "name": { - "typeId": "anduril.entitymanager.v1.Relationship", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Relationship", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Relationship", - "safeName": "andurilEntitymanagerV1Relationship" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_relationship", - "safeName": "anduril_entitymanager_v_1_relationship" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Relationship", - "safeName": "AndurilEntitymanagerV1Relationship" - } - }, - "displayName": "Relationship" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "related_entity_id", - "camelCase": { - "unsafeName": "relatedEntityId", - "safeName": "relatedEntityId" - }, - "snakeCase": { - "unsafeName": "related_entity_id", - "safeName": "related_entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "RELATED_ENTITY_ID", - "safeName": "RELATED_ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "RelatedEntityId", - "safeName": "RelatedEntityId" - } - }, - "wireValue": "related_entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The entity ID to which this entity is related." - }, - { - "name": { - "name": { - "originalName": "relationship_id", - "camelCase": { - "unsafeName": "relationshipId", - "safeName": "relationshipId" - }, - "snakeCase": { - "unsafeName": "relationship_id", - "safeName": "relationship_id" - }, - "screamingSnakeCase": { - "unsafeName": "RELATIONSHIP_ID", - "safeName": "RELATIONSHIP_ID" - }, - "pascalCase": { - "unsafeName": "RelationshipId", - "safeName": "RelationshipId" - } - }, - "wireValue": "relationship_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A unique identifier for this relationship. Allows removing or updating relationships." - }, - { - "name": { - "name": { - "originalName": "relationship_type", - "camelCase": { - "unsafeName": "relationshipType", - "safeName": "relationshipType" - }, - "snakeCase": { - "unsafeName": "relationship_type", - "safeName": "relationship_type" - }, - "screamingSnakeCase": { - "unsafeName": "RELATIONSHIP_TYPE", - "safeName": "RELATIONSHIP_TYPE" - }, - "pascalCase": { - "unsafeName": "RelationshipType", - "safeName": "RelationshipType" - } - }, - "wireValue": "relationship_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RelationshipType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RelationshipType", - "safeName": "andurilEntitymanagerV1RelationshipType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_relationship_type", - "safeName": "anduril_entitymanager_v_1_relationship_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RelationshipType", - "safeName": "AndurilEntitymanagerV1RelationshipType" - } - }, - "typeId": "anduril.entitymanager.v1.RelationshipType", - "default": null, - "inline": false, - "displayName": "relationship_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The relationship type" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The relationship component indicates a relationship to another entity." - }, - "anduril.entitymanager.v1.RelationshipTypeType": { - "name": { - "typeId": "anduril.entitymanager.v1.RelationshipTypeType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RelationshipTypeType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RelationshipTypeType", - "safeName": "andurilEntitymanagerV1RelationshipTypeType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_relationship_type_type", - "safeName": "anduril_entitymanager_v_1_relationship_type_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RelationshipTypeType", - "safeName": "AndurilEntitymanagerV1RelationshipTypeType" - } - }, - "displayName": "RelationshipTypeType" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TrackedBy", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TrackedBy", - "safeName": "andurilEntitymanagerV1TrackedBy" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_tracked_by", - "safeName": "anduril_entitymanager_v_1_tracked_by" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED_BY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED_BY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TrackedBy", - "safeName": "AndurilEntitymanagerV1TrackedBy" - } - }, - "typeId": "anduril.entitymanager.v1.TrackedBy", - "default": null, - "inline": false, - "displayName": "tracked_by" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GroupChild", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GroupChild", - "safeName": "andurilEntitymanagerV1GroupChild" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_group_child", - "safeName": "anduril_entitymanager_v_1_group_child" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_CHILD", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_CHILD" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GroupChild", - "safeName": "AndurilEntitymanagerV1GroupChild" - } - }, - "typeId": "anduril.entitymanager.v1.GroupChild", - "default": null, - "inline": false, - "displayName": "group_child" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GroupParent", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GroupParent", - "safeName": "andurilEntitymanagerV1GroupParent" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_group_parent", - "safeName": "anduril_entitymanager_v_1_group_parent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_PARENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_PARENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GroupParent", - "safeName": "AndurilEntitymanagerV1GroupParent" - } - }, - "typeId": "anduril.entitymanager.v1.GroupParent", - "default": null, - "inline": false, - "displayName": "group_parent" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.MergedFrom", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1MergedFrom", - "safeName": "andurilEntitymanagerV1MergedFrom" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_merged_from", - "safeName": "anduril_entitymanager_v_1_merged_from" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MERGED_FROM", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MERGED_FROM" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1MergedFrom", - "safeName": "AndurilEntitymanagerV1MergedFrom" - } - }, - "typeId": "anduril.entitymanager.v1.MergedFrom", - "default": null, - "inline": false, - "displayName": "merged_from" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ActiveTarget", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ActiveTarget", - "safeName": "andurilEntitymanagerV1ActiveTarget" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_active_target", - "safeName": "anduril_entitymanager_v_1_active_target" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ACTIVE_TARGET", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ACTIVE_TARGET" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ActiveTarget", - "safeName": "AndurilEntitymanagerV1ActiveTarget" - } - }, - "typeId": "anduril.entitymanager.v1.ActiveTarget", - "default": null, - "inline": false, - "displayName": "active_target" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.RelationshipType": { - "name": { - "typeId": "anduril.entitymanager.v1.RelationshipType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RelationshipType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RelationshipType", - "safeName": "andurilEntitymanagerV1RelationshipType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_relationship_type", - "safeName": "anduril_entitymanager_v_1_relationship_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RelationshipType", - "safeName": "AndurilEntitymanagerV1RelationshipType" - } - }, - "displayName": "RelationshipType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "type", - "camelCase": { - "unsafeName": "type", - "safeName": "type" - }, - "snakeCase": { - "unsafeName": "type", - "safeName": "type" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE", - "safeName": "TYPE" - }, - "pascalCase": { - "unsafeName": "Type", - "safeName": "Type" - } - }, - "wireValue": "type" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RelationshipTypeType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RelationshipTypeType", - "safeName": "andurilEntitymanagerV1RelationshipTypeType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_relationship_type_type", - "safeName": "anduril_entitymanager_v_1_relationship_type_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RelationshipTypeType", - "safeName": "AndurilEntitymanagerV1RelationshipTypeType" - } - }, - "typeId": "anduril.entitymanager.v1.RelationshipTypeType", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Determines the type of relationship between this entity and another." - }, - "anduril.entitymanager.v1.TrackedBy": { - "name": { - "typeId": "anduril.entitymanager.v1.TrackedBy", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TrackedBy", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TrackedBy", - "safeName": "andurilEntitymanagerV1TrackedBy" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_tracked_by", - "safeName": "anduril_entitymanager_v_1_tracked_by" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED_BY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED_BY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TrackedBy", - "safeName": "AndurilEntitymanagerV1TrackedBy" - } - }, - "displayName": "TrackedBy" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "actively_tracking_sensors", - "camelCase": { - "unsafeName": "activelyTrackingSensors", - "safeName": "activelyTrackingSensors" - }, - "snakeCase": { - "unsafeName": "actively_tracking_sensors", - "safeName": "actively_tracking_sensors" - }, - "screamingSnakeCase": { - "unsafeName": "ACTIVELY_TRACKING_SENSORS", - "safeName": "ACTIVELY_TRACKING_SENSORS" - }, - "pascalCase": { - "unsafeName": "ActivelyTrackingSensors", - "safeName": "ActivelyTrackingSensors" - } - }, - "wireValue": "actively_tracking_sensors" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Sensors", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Sensors", - "safeName": "andurilEntitymanagerV1Sensors" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_sensors", - "safeName": "anduril_entitymanager_v_1_sensors" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Sensors", - "safeName": "AndurilEntitymanagerV1Sensors" - } - }, - "typeId": "anduril.entitymanager.v1.Sensors", - "default": null, - "inline": false, - "displayName": "actively_tracking_sensors" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Sensor details of the tracking entity's sensors that were active and tracking the tracked entity. This may be\\n a subset of the total sensors available on the tracking entity." - }, - { - "name": { - "name": { - "originalName": "last_measurement_timestamp", - "camelCase": { - "unsafeName": "lastMeasurementTimestamp", - "safeName": "lastMeasurementTimestamp" - }, - "snakeCase": { - "unsafeName": "last_measurement_timestamp", - "safeName": "last_measurement_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "LAST_MEASUREMENT_TIMESTAMP", - "safeName": "LAST_MEASUREMENT_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "LastMeasurementTimestamp", - "safeName": "LastMeasurementTimestamp" - } - }, - "wireValue": "last_measurement_timestamp" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "last_measurement_timestamp" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Latest time that any sensor in actively_tracking_sensors detected the tracked entity." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Describes the relationship between the entity being tracked (\\"tracked entity\\") and the entity that is\\n performing the tracking (\\"tracking entity\\")." - }, - "anduril.entitymanager.v1.GroupChild": { - "name": { - "typeId": "anduril.entitymanager.v1.GroupChild", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GroupChild", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GroupChild", - "safeName": "andurilEntitymanagerV1GroupChild" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_group_child", - "safeName": "anduril_entitymanager_v_1_group_child" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_CHILD", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_CHILD" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GroupChild", - "safeName": "AndurilEntitymanagerV1GroupChild" - } - }, - "displayName": "GroupChild" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A GroupChild relationship is a uni-directional relationship indicating that (1) this entity\\n represents an Entity Group and (2) the related entity is a child member of this group. The presence of this\\n relationship alone determines that the type of group is an Entity Group." - }, - "anduril.entitymanager.v1.GroupParent": { - "name": { - "typeId": "anduril.entitymanager.v1.GroupParent", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GroupParent", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GroupParent", - "safeName": "andurilEntitymanagerV1GroupParent" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_group_parent", - "safeName": "anduril_entitymanager_v_1_group_parent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_PARENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_PARENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GroupParent", - "safeName": "AndurilEntitymanagerV1GroupParent" - } - }, - "displayName": "GroupParent" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A GroupParent relationship is a uni-directional relationship indicating that this entity is a member of\\n the Entity Group represented by the related entity. The presence of this relationship alone determines that\\n the type of group that this entity is a member of is an Entity Group." - }, - "anduril.entitymanager.v1.MergedFrom": { - "name": { - "typeId": "anduril.entitymanager.v1.MergedFrom", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.MergedFrom", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1MergedFrom", - "safeName": "andurilEntitymanagerV1MergedFrom" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_merged_from", - "safeName": "anduril_entitymanager_v_1_merged_from" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MERGED_FROM", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MERGED_FROM" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1MergedFrom", - "safeName": "AndurilEntitymanagerV1MergedFrom" - } - }, - "displayName": "MergedFrom" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A MergedFrom relationship is a uni-directional relationship indicating that this entity is a merged entity whose\\n data has at least partially been merged from the related entity." - }, - "anduril.entitymanager.v1.ActiveTarget": { - "name": { - "typeId": "anduril.entitymanager.v1.ActiveTarget", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ActiveTarget", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ActiveTarget", - "safeName": "andurilEntitymanagerV1ActiveTarget" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_active_target", - "safeName": "anduril_entitymanager_v_1_active_target" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ACTIVE_TARGET", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ACTIVE_TARGET" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ActiveTarget", - "safeName": "AndurilEntitymanagerV1ActiveTarget" - } - }, - "displayName": "ActiveTarget" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A target relationship is the inverse of TrackedBy; a one-way relation\\n from sensor to target, indicating track(s) currently prioritized by a robot." - }, - "anduril.entitymanager.v1.RouteDetails": { - "name": { - "typeId": "anduril.entitymanager.v1.RouteDetails", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RouteDetails", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RouteDetails", - "safeName": "andurilEntitymanagerV1RouteDetails" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_route_details", - "safeName": "anduril_entitymanager_v_1_route_details" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ROUTE_DETAILS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ROUTE_DETAILS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RouteDetails", - "safeName": "AndurilEntitymanagerV1RouteDetails" - } - }, - "displayName": "RouteDetails" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "destination_name", - "camelCase": { - "unsafeName": "destinationName", - "safeName": "destinationName" - }, - "snakeCase": { - "unsafeName": "destination_name", - "safeName": "destination_name" - }, - "screamingSnakeCase": { - "unsafeName": "DESTINATION_NAME", - "safeName": "DESTINATION_NAME" - }, - "pascalCase": { - "unsafeName": "DestinationName", - "safeName": "DestinationName" - } - }, - "wireValue": "destination_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Free form text giving the name of the entity's destination" - }, - { - "name": { - "name": { - "originalName": "estimated_arrival_time", - "camelCase": { - "unsafeName": "estimatedArrivalTime", - "safeName": "estimatedArrivalTime" - }, - "snakeCase": { - "unsafeName": "estimated_arrival_time", - "safeName": "estimated_arrival_time" - }, - "screamingSnakeCase": { - "unsafeName": "ESTIMATED_ARRIVAL_TIME", - "safeName": "ESTIMATED_ARRIVAL_TIME" - }, - "pascalCase": { - "unsafeName": "EstimatedArrivalTime", - "safeName": "EstimatedArrivalTime" - } - }, - "wireValue": "estimated_arrival_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "estimated_arrival_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Estimated time of arrival at destination" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.ScheduleType": { - "name": { - "typeId": "anduril.entitymanager.v1.ScheduleType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ScheduleType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ScheduleType", - "safeName": "andurilEntitymanagerV1ScheduleType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_schedule_type", - "safeName": "anduril_entitymanager_v_1_schedule_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ScheduleType", - "safeName": "AndurilEntitymanagerV1ScheduleType" - } - }, - "displayName": "ScheduleType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "SCHEDULE_TYPE_INVALID", - "camelCase": { - "unsafeName": "scheduleTypeInvalid", - "safeName": "scheduleTypeInvalid" - }, - "snakeCase": { - "unsafeName": "schedule_type_invalid", - "safeName": "schedule_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "SCHEDULE_TYPE_INVALID", - "safeName": "SCHEDULE_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "ScheduleTypeInvalid", - "safeName": "ScheduleTypeInvalid" - } - }, - "wireValue": "SCHEDULE_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCHEDULE_TYPE_ZONE_ENABLED", - "camelCase": { - "unsafeName": "scheduleTypeZoneEnabled", - "safeName": "scheduleTypeZoneEnabled" - }, - "snakeCase": { - "unsafeName": "schedule_type_zone_enabled", - "safeName": "schedule_type_zone_enabled" - }, - "screamingSnakeCase": { - "unsafeName": "SCHEDULE_TYPE_ZONE_ENABLED", - "safeName": "SCHEDULE_TYPE_ZONE_ENABLED" - }, - "pascalCase": { - "unsafeName": "ScheduleTypeZoneEnabled", - "safeName": "ScheduleTypeZoneEnabled" - } - }, - "wireValue": "SCHEDULE_TYPE_ZONE_ENABLED" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SCHEDULE_TYPE_ZONE_TEMP_ENABLED", - "camelCase": { - "unsafeName": "scheduleTypeZoneTempEnabled", - "safeName": "scheduleTypeZoneTempEnabled" - }, - "snakeCase": { - "unsafeName": "schedule_type_zone_temp_enabled", - "safeName": "schedule_type_zone_temp_enabled" - }, - "screamingSnakeCase": { - "unsafeName": "SCHEDULE_TYPE_ZONE_TEMP_ENABLED", - "safeName": "SCHEDULE_TYPE_ZONE_TEMP_ENABLED" - }, - "pascalCase": { - "unsafeName": "ScheduleTypeZoneTempEnabled", - "safeName": "ScheduleTypeZoneTempEnabled" - } - }, - "wireValue": "SCHEDULE_TYPE_ZONE_TEMP_ENABLED" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The type of Schedule." - }, - "anduril.entitymanager.v1.Schedules": { - "name": { - "typeId": "anduril.entitymanager.v1.Schedules", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Schedules", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Schedules", - "safeName": "andurilEntitymanagerV1Schedules" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_schedules", - "safeName": "anduril_entitymanager_v_1_schedules" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Schedules", - "safeName": "AndurilEntitymanagerV1Schedules" - } - }, - "displayName": "Schedules" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "schedules", - "camelCase": { - "unsafeName": "schedules", - "safeName": "schedules" - }, - "snakeCase": { - "unsafeName": "schedules", - "safeName": "schedules" - }, - "screamingSnakeCase": { - "unsafeName": "SCHEDULES", - "safeName": "SCHEDULES" - }, - "pascalCase": { - "unsafeName": "Schedules", - "safeName": "Schedules" - } - }, - "wireValue": "schedules" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Schedule", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Schedule", - "safeName": "andurilEntitymanagerV1Schedule" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_schedule", - "safeName": "anduril_entitymanager_v_1_schedule" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Schedule", - "safeName": "AndurilEntitymanagerV1Schedule" - } - }, - "typeId": "anduril.entitymanager.v1.Schedule", - "default": null, - "inline": false, - "displayName": "schedules" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Schedules associated with this entity" - }, - "anduril.entitymanager.v1.Schedule": { - "name": { - "typeId": "anduril.entitymanager.v1.Schedule", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Schedule", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Schedule", - "safeName": "andurilEntitymanagerV1Schedule" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_schedule", - "safeName": "anduril_entitymanager_v_1_schedule" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Schedule", - "safeName": "AndurilEntitymanagerV1Schedule" - } - }, - "displayName": "Schedule" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "windows", - "camelCase": { - "unsafeName": "windows", - "safeName": "windows" - }, - "snakeCase": { - "unsafeName": "windows", - "safeName": "windows" - }, - "screamingSnakeCase": { - "unsafeName": "WINDOWS", - "safeName": "WINDOWS" - }, - "pascalCase": { - "unsafeName": "Windows", - "safeName": "Windows" - } - }, - "wireValue": "windows" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CronWindow", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CronWindow", - "safeName": "andurilEntitymanagerV1CronWindow" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_cron_window", - "safeName": "anduril_entitymanager_v_1_cron_window" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CRON_WINDOW", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CRON_WINDOW" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CronWindow", - "safeName": "AndurilEntitymanagerV1CronWindow" - } - }, - "typeId": "anduril.entitymanager.v1.CronWindow", - "default": null, - "inline": false, - "displayName": "windows" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "expression that represents this schedule's \\"ON\\" state" - }, - { - "name": { - "name": { - "originalName": "schedule_id", - "camelCase": { - "unsafeName": "scheduleId", - "safeName": "scheduleId" - }, - "snakeCase": { - "unsafeName": "schedule_id", - "safeName": "schedule_id" - }, - "screamingSnakeCase": { - "unsafeName": "SCHEDULE_ID", - "safeName": "SCHEDULE_ID" - }, - "pascalCase": { - "unsafeName": "ScheduleId", - "safeName": "ScheduleId" - } - }, - "wireValue": "schedule_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A unique identifier for this schedule." - }, - { - "name": { - "name": { - "originalName": "schedule_type", - "camelCase": { - "unsafeName": "scheduleType", - "safeName": "scheduleType" - }, - "snakeCase": { - "unsafeName": "schedule_type", - "safeName": "schedule_type" - }, - "screamingSnakeCase": { - "unsafeName": "SCHEDULE_TYPE", - "safeName": "SCHEDULE_TYPE" - }, - "pascalCase": { - "unsafeName": "ScheduleType", - "safeName": "ScheduleType" - } - }, - "wireValue": "schedule_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ScheduleType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ScheduleType", - "safeName": "andurilEntitymanagerV1ScheduleType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_schedule_type", - "safeName": "anduril_entitymanager_v_1_schedule_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ScheduleType", - "safeName": "AndurilEntitymanagerV1ScheduleType" - } - }, - "typeId": "anduril.entitymanager.v1.ScheduleType", - "default": null, - "inline": false, - "displayName": "schedule_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The schedule type" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A Schedule associated with this entity" - }, - "anduril.entitymanager.v1.CronWindow": { - "name": { - "typeId": "anduril.entitymanager.v1.CronWindow", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CronWindow", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CronWindow", - "safeName": "andurilEntitymanagerV1CronWindow" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_cron_window", - "safeName": "anduril_entitymanager_v_1_cron_window" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CRON_WINDOW", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CRON_WINDOW" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CronWindow", - "safeName": "AndurilEntitymanagerV1CronWindow" - } - }, - "displayName": "CronWindow" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "cron_expression", - "camelCase": { - "unsafeName": "cronExpression", - "safeName": "cronExpression" - }, - "snakeCase": { - "unsafeName": "cron_expression", - "safeName": "cron_expression" - }, - "screamingSnakeCase": { - "unsafeName": "CRON_EXPRESSION", - "safeName": "CRON_EXPRESSION" - }, - "pascalCase": { - "unsafeName": "CronExpression", - "safeName": "CronExpression" - } - }, - "wireValue": "cron_expression" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "in UTC, describes when and at what cadence this window starts, in the quartz flavor of cron\\n\\n examples:\\n This schedule is begins at 7:00:00am UTC everyday between Monday and Friday\\n 0 0 7 ? * MON-FRI *\\n This schedule begins every 5 minutes starting at 12:00:00pm UTC until 8:00:00pm UTC everyday\\n 0 0/5 12-20 * * ? *\\n This schedule begins at 12:00:00pm UTC on March 2nd 2023\\n 0 0 12 2 3 ? 2023" - }, - { - "name": { - "name": { - "originalName": "duration_millis", - "camelCase": { - "unsafeName": "durationMillis", - "safeName": "durationMillis" - }, - "snakeCase": { - "unsafeName": "duration_millis", - "safeName": "duration_millis" - }, - "screamingSnakeCase": { - "unsafeName": "DURATION_MILLIS", - "safeName": "DURATION_MILLIS" - }, - "pascalCase": { - "unsafeName": "DurationMillis", - "safeName": "DurationMillis" - } - }, - "wireValue": "duration_millis" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT_64", - "v2": { - "type": "uint64" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "describes the duration" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Supplies": { - "name": { - "typeId": "anduril.entitymanager.v1.Supplies", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Supplies", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Supplies", - "safeName": "andurilEntitymanagerV1Supplies" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_supplies", - "safeName": "anduril_entitymanager_v_1_supplies" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SUPPLIES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SUPPLIES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Supplies", - "safeName": "AndurilEntitymanagerV1Supplies" - } - }, - "displayName": "Supplies" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "fuel", - "camelCase": { - "unsafeName": "fuel", - "safeName": "fuel" - }, - "snakeCase": { - "unsafeName": "fuel", - "safeName": "fuel" - }, - "screamingSnakeCase": { - "unsafeName": "FUEL", - "safeName": "FUEL" - }, - "pascalCase": { - "unsafeName": "Fuel", - "safeName": "Fuel" - } - }, - "wireValue": "fuel" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Fuel", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Fuel", - "safeName": "andurilEntitymanagerV1Fuel" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_fuel", - "safeName": "anduril_entitymanager_v_1_fuel" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FUEL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FUEL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Fuel", - "safeName": "AndurilEntitymanagerV1Fuel" - } - }, - "typeId": "anduril.entitymanager.v1.Fuel", - "default": null, - "inline": false, - "displayName": "fuel" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents the state of supplies associated with an entity (available but not in condition to use immediately)" - }, - "anduril.entitymanager.v1.Fuel": { - "name": { - "typeId": "anduril.entitymanager.v1.Fuel", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Fuel", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Fuel", - "safeName": "andurilEntitymanagerV1Fuel" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_fuel", - "safeName": "anduril_entitymanager_v_1_fuel" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FUEL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_FUEL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Fuel", - "safeName": "AndurilEntitymanagerV1Fuel" - } - }, - "displayName": "Fuel" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "fuel_id", - "camelCase": { - "unsafeName": "fuelId", - "safeName": "fuelId" - }, - "snakeCase": { - "unsafeName": "fuel_id", - "safeName": "fuel_id" - }, - "screamingSnakeCase": { - "unsafeName": "FUEL_ID", - "safeName": "FUEL_ID" - }, - "pascalCase": { - "unsafeName": "FuelId", - "safeName": "FuelId" - } - }, - "wireValue": "fuel_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "unique fuel identifier" - }, - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "long form name of the fuel source." - }, - { - "name": { - "name": { - "originalName": "reported_date", - "camelCase": { - "unsafeName": "reportedDate", - "safeName": "reportedDate" - }, - "snakeCase": { - "unsafeName": "reported_date", - "safeName": "reported_date" - }, - "screamingSnakeCase": { - "unsafeName": "REPORTED_DATE", - "safeName": "REPORTED_DATE" - }, - "pascalCase": { - "unsafeName": "ReportedDate", - "safeName": "ReportedDate" - } - }, - "wireValue": "reported_date" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "reported_date" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "timestamp the information was reported" - }, - { - "name": { - "name": { - "originalName": "amount_gallons", - "camelCase": { - "unsafeName": "amountGallons", - "safeName": "amountGallons" - }, - "snakeCase": { - "unsafeName": "amount_gallons", - "safeName": "amount_gallons" - }, - "screamingSnakeCase": { - "unsafeName": "AMOUNT_GALLONS", - "safeName": "AMOUNT_GALLONS" - }, - "pascalCase": { - "unsafeName": "AmountGallons", - "safeName": "AmountGallons" - } - }, - "wireValue": "amount_gallons" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "amount of gallons on hand" - }, - { - "name": { - "name": { - "originalName": "max_authorized_capacity_gallons", - "camelCase": { - "unsafeName": "maxAuthorizedCapacityGallons", - "safeName": "maxAuthorizedCapacityGallons" - }, - "snakeCase": { - "unsafeName": "max_authorized_capacity_gallons", - "safeName": "max_authorized_capacity_gallons" - }, - "screamingSnakeCase": { - "unsafeName": "MAX_AUTHORIZED_CAPACITY_GALLONS", - "safeName": "MAX_AUTHORIZED_CAPACITY_GALLONS" - }, - "pascalCase": { - "unsafeName": "MaxAuthorizedCapacityGallons", - "safeName": "MaxAuthorizedCapacityGallons" - } - }, - "wireValue": "max_authorized_capacity_gallons" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "how much the asset is allowed to have available (in gallons)" - }, - { - "name": { - "name": { - "originalName": "operational_requirement_gallons", - "camelCase": { - "unsafeName": "operationalRequirementGallons", - "safeName": "operationalRequirementGallons" - }, - "snakeCase": { - "unsafeName": "operational_requirement_gallons", - "safeName": "operational_requirement_gallons" - }, - "screamingSnakeCase": { - "unsafeName": "OPERATIONAL_REQUIREMENT_GALLONS", - "safeName": "OPERATIONAL_REQUIREMENT_GALLONS" - }, - "pascalCase": { - "unsafeName": "OperationalRequirementGallons", - "safeName": "OperationalRequirementGallons" - } - }, - "wireValue": "operational_requirement_gallons" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "minimum required for operations (in gallons)" - }, - { - "name": { - "name": { - "originalName": "data_classification", - "camelCase": { - "unsafeName": "dataClassification", - "safeName": "dataClassification" - }, - "snakeCase": { - "unsafeName": "data_classification", - "safeName": "data_classification" - }, - "screamingSnakeCase": { - "unsafeName": "DATA_CLASSIFICATION", - "safeName": "DATA_CLASSIFICATION" - }, - "pascalCase": { - "unsafeName": "DataClassification", - "safeName": "DataClassification" - } - }, - "wireValue": "data_classification" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Classification", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Classification", - "safeName": "andurilEntitymanagerV1Classification" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_classification", - "safeName": "anduril_entitymanager_v_1_classification" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Classification", - "safeName": "AndurilEntitymanagerV1Classification" - } - }, - "typeId": "anduril.entitymanager.v1.Classification", - "default": null, - "inline": false, - "displayName": "data_classification" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "fuel in a single asset may have different levels of classification\\n use case: fuel for a SECRET asset while diesel fuel may be UNCLASSIFIED" - }, - { - "name": { - "name": { - "originalName": "data_source", - "camelCase": { - "unsafeName": "dataSource", - "safeName": "dataSource" - }, - "snakeCase": { - "unsafeName": "data_source", - "safeName": "data_source" - }, - "screamingSnakeCase": { - "unsafeName": "DATA_SOURCE", - "safeName": "DATA_SOURCE" - }, - "pascalCase": { - "unsafeName": "DataSource", - "safeName": "DataSource" - } - }, - "wireValue": "data_source" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "source of information" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Fuel describes an entity's repository of fuels stores including current amount, operational requirements, and maximum authorized capacity" - }, - "anduril.entitymanager.v1.TargetPriority": { - "name": { - "typeId": "anduril.entitymanager.v1.TargetPriority", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TargetPriority", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TargetPriority", - "safeName": "andurilEntitymanagerV1TargetPriority" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_target_priority", - "safeName": "anduril_entitymanager_v_1_target_priority" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TARGET_PRIORITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TARGET_PRIORITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TargetPriority", - "safeName": "AndurilEntitymanagerV1TargetPriority" - } - }, - "displayName": "TargetPriority" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "high_value_target", - "camelCase": { - "unsafeName": "highValueTarget", - "safeName": "highValueTarget" - }, - "snakeCase": { - "unsafeName": "high_value_target", - "safeName": "high_value_target" - }, - "screamingSnakeCase": { - "unsafeName": "HIGH_VALUE_TARGET", - "safeName": "HIGH_VALUE_TARGET" - }, - "pascalCase": { - "unsafeName": "HighValueTarget", - "safeName": "HighValueTarget" - } - }, - "wireValue": "high_value_target" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.HighValueTarget", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1HighValueTarget", - "safeName": "andurilEntitymanagerV1HighValueTarget" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_high_value_target", - "safeName": "anduril_entitymanager_v_1_high_value_target" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1HighValueTarget", - "safeName": "AndurilEntitymanagerV1HighValueTarget" - } - }, - "typeId": "anduril.entitymanager.v1.HighValueTarget", - "default": null, - "inline": false, - "displayName": "high_value_target" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Describes the target priority in relation to high value target lists." - }, - { - "name": { - "name": { - "originalName": "threat", - "camelCase": { - "unsafeName": "threat", - "safeName": "threat" - }, - "snakeCase": { - "unsafeName": "threat", - "safeName": "threat" - }, - "screamingSnakeCase": { - "unsafeName": "THREAT", - "safeName": "THREAT" - }, - "pascalCase": { - "unsafeName": "Threat", - "safeName": "Threat" - } - }, - "wireValue": "threat" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Threat", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Threat", - "safeName": "andurilEntitymanagerV1Threat" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_threat", - "safeName": "anduril_entitymanager_v_1_threat" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_THREAT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_THREAT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Threat", - "safeName": "AndurilEntitymanagerV1Threat" - } - }, - "typeId": "anduril.entitymanager.v1.Threat", - "default": null, - "inline": false, - "displayName": "threat" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Describes whether the entity should be treated as a threat" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The target prioritization associated with an entity." - }, - "anduril.entitymanager.v1.HighValueTarget": { - "name": { - "typeId": "anduril.entitymanager.v1.HighValueTarget", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.HighValueTarget", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1HighValueTarget", - "safeName": "andurilEntitymanagerV1HighValueTarget" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_high_value_target", - "safeName": "anduril_entitymanager_v_1_high_value_target" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1HighValueTarget", - "safeName": "AndurilEntitymanagerV1HighValueTarget" - } - }, - "displayName": "HighValueTarget" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "is_high_value_target", - "camelCase": { - "unsafeName": "isHighValueTarget", - "safeName": "isHighValueTarget" - }, - "snakeCase": { - "unsafeName": "is_high_value_target", - "safeName": "is_high_value_target" - }, - "screamingSnakeCase": { - "unsafeName": "IS_HIGH_VALUE_TARGET", - "safeName": "IS_HIGH_VALUE_TARGET" - }, - "pascalCase": { - "unsafeName": "IsHighValueTarget", - "safeName": "IsHighValueTarget" - } - }, - "wireValue": "is_high_value_target" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates whether the target matches any description from a high value target list." - }, - { - "name": { - "name": { - "originalName": "target_priority", - "camelCase": { - "unsafeName": "targetPriority", - "safeName": "targetPriority" - }, - "snakeCase": { - "unsafeName": "target_priority", - "safeName": "target_priority" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_PRIORITY", - "safeName": "TARGET_PRIORITY" - }, - "pascalCase": { - "unsafeName": "TargetPriority", - "safeName": "TargetPriority" - } - }, - "wireValue": "target_priority" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The priority associated with the target. If the target's description appears on multiple high value target lists,\\n the priority will be a reflection of the highest priority of all of those list's target description.\\n\\n A lower value indicates the target is of a higher priority, with 1 being the highest possible priority. A value of\\n 0 indicates there is no priority associated with this target." - }, - { - "name": { - "name": { - "originalName": "target_matches", - "camelCase": { - "unsafeName": "targetMatches", - "safeName": "targetMatches" - }, - "snakeCase": { - "unsafeName": "target_matches", - "safeName": "target_matches" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_MATCHES", - "safeName": "TARGET_MATCHES" - }, - "pascalCase": { - "unsafeName": "TargetMatches", - "safeName": "TargetMatches" - } - }, - "wireValue": "target_matches" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.HighValueTargetMatch", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1HighValueTargetMatch", - "safeName": "andurilEntitymanagerV1HighValueTargetMatch" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_high_value_target_match", - "safeName": "anduril_entitymanager_v_1_high_value_target_match" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET_MATCH", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET_MATCH" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1HighValueTargetMatch", - "safeName": "AndurilEntitymanagerV1HighValueTargetMatch" - } - }, - "typeId": "anduril.entitymanager.v1.HighValueTargetMatch", - "default": null, - "inline": false, - "displayName": "target_matches" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "All of the high value target descriptions that the target matches against." - }, - { - "name": { - "name": { - "originalName": "is_high_payoff_target", - "camelCase": { - "unsafeName": "isHighPayoffTarget", - "safeName": "isHighPayoffTarget" - }, - "snakeCase": { - "unsafeName": "is_high_payoff_target", - "safeName": "is_high_payoff_target" - }, - "screamingSnakeCase": { - "unsafeName": "IS_HIGH_PAYOFF_TARGET", - "safeName": "IS_HIGH_PAYOFF_TARGET" - }, - "pascalCase": { - "unsafeName": "IsHighPayoffTarget", - "safeName": "IsHighPayoffTarget" - } - }, - "wireValue": "is_high_payoff_target" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates whether the target is a 'High Payoff Target'. Targets can be one or both of high value and high payoff." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Describes whether something is a high value target or not." - }, - "anduril.entitymanager.v1.HighValueTargetMatch": { - "name": { - "typeId": "anduril.entitymanager.v1.HighValueTargetMatch", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.HighValueTargetMatch", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1HighValueTargetMatch", - "safeName": "andurilEntitymanagerV1HighValueTargetMatch" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_high_value_target_match", - "safeName": "anduril_entitymanager_v_1_high_value_target_match" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET_MATCH", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET_MATCH" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1HighValueTargetMatch", - "safeName": "AndurilEntitymanagerV1HighValueTargetMatch" - } - }, - "displayName": "HighValueTargetMatch" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "high_value_target_list_id", - "camelCase": { - "unsafeName": "highValueTargetListId", - "safeName": "highValueTargetListId" - }, - "snakeCase": { - "unsafeName": "high_value_target_list_id", - "safeName": "high_value_target_list_id" - }, - "screamingSnakeCase": { - "unsafeName": "HIGH_VALUE_TARGET_LIST_ID", - "safeName": "HIGH_VALUE_TARGET_LIST_ID" - }, - "pascalCase": { - "unsafeName": "HighValueTargetListId", - "safeName": "HighValueTargetListId" - } - }, - "wireValue": "high_value_target_list_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The ID of the high value target list that matches the target description." - }, - { - "name": { - "name": { - "originalName": "high_value_target_description_id", - "camelCase": { - "unsafeName": "highValueTargetDescriptionId", - "safeName": "highValueTargetDescriptionId" - }, - "snakeCase": { - "unsafeName": "high_value_target_description_id", - "safeName": "high_value_target_description_id" - }, - "screamingSnakeCase": { - "unsafeName": "HIGH_VALUE_TARGET_DESCRIPTION_ID", - "safeName": "HIGH_VALUE_TARGET_DESCRIPTION_ID" - }, - "pascalCase": { - "unsafeName": "HighValueTargetDescriptionId", - "safeName": "HighValueTargetDescriptionId" - } - }, - "wireValue": "high_value_target_description_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The ID of the specific high value target description within a high value target list that was matched against.\\n The ID is considered to be a globally unique identifier across all high value target IDs." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Threat": { - "name": { - "typeId": "anduril.entitymanager.v1.Threat", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Threat", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Threat", - "safeName": "andurilEntitymanagerV1Threat" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_threat", - "safeName": "anduril_entitymanager_v_1_threat" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_THREAT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_THREAT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Threat", - "safeName": "AndurilEntitymanagerV1Threat" - } - }, - "displayName": "Threat" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "is_threat", - "camelCase": { - "unsafeName": "isThreat", - "safeName": "isThreat" - }, - "snakeCase": { - "unsafeName": "is_threat", - "safeName": "is_threat" - }, - "screamingSnakeCase": { - "unsafeName": "IS_THREAT", - "safeName": "IS_THREAT" - }, - "pascalCase": { - "unsafeName": "IsThreat", - "safeName": "IsThreat" - } - }, - "wireValue": "is_threat" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates that the entity has been determined to be a threat." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Describes whether an entity is a threat or not." - }, - "anduril.entitymanager.v1.InterrogationResponse": { - "name": { - "typeId": "anduril.entitymanager.v1.InterrogationResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.InterrogationResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1InterrogationResponse", - "safeName": "andurilEntitymanagerV1InterrogationResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_interrogation_response", - "safeName": "anduril_entitymanager_v_1_interrogation_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1InterrogationResponse", - "safeName": "AndurilEntitymanagerV1InterrogationResponse" - } - }, - "displayName": "InterrogationResponse" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "INTERROGATION_RESPONSE_INVALID", - "camelCase": { - "unsafeName": "interrogationResponseInvalid", - "safeName": "interrogationResponseInvalid" - }, - "snakeCase": { - "unsafeName": "interrogation_response_invalid", - "safeName": "interrogation_response_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "INTERROGATION_RESPONSE_INVALID", - "safeName": "INTERROGATION_RESPONSE_INVALID" - }, - "pascalCase": { - "unsafeName": "InterrogationResponseInvalid", - "safeName": "InterrogationResponseInvalid" - } - }, - "wireValue": "INTERROGATION_RESPONSE_INVALID" - }, - "availability": null, - "docs": "Note that INTERROGATION_INVALID indicates that the target has not been interrogated." - }, - { - "name": { - "name": { - "originalName": "INTERROGATION_RESPONSE_CORRECT", - "camelCase": { - "unsafeName": "interrogationResponseCorrect", - "safeName": "interrogationResponseCorrect" - }, - "snakeCase": { - "unsafeName": "interrogation_response_correct", - "safeName": "interrogation_response_correct" - }, - "screamingSnakeCase": { - "unsafeName": "INTERROGATION_RESPONSE_CORRECT", - "safeName": "INTERROGATION_RESPONSE_CORRECT" - }, - "pascalCase": { - "unsafeName": "InterrogationResponseCorrect", - "safeName": "InterrogationResponseCorrect" - } - }, - "wireValue": "INTERROGATION_RESPONSE_CORRECT" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "INTERROGATION_RESPONSE_INCORRECT", - "camelCase": { - "unsafeName": "interrogationResponseIncorrect", - "safeName": "interrogationResponseIncorrect" - }, - "snakeCase": { - "unsafeName": "interrogation_response_incorrect", - "safeName": "interrogation_response_incorrect" - }, - "screamingSnakeCase": { - "unsafeName": "INTERROGATION_RESPONSE_INCORRECT", - "safeName": "INTERROGATION_RESPONSE_INCORRECT" - }, - "pascalCase": { - "unsafeName": "InterrogationResponseIncorrect", - "safeName": "InterrogationResponseIncorrect" - } - }, - "wireValue": "INTERROGATION_RESPONSE_INCORRECT" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "INTERROGATION_RESPONSE_NO_RESPONSE", - "camelCase": { - "unsafeName": "interrogationResponseNoResponse", - "safeName": "interrogationResponseNoResponse" - }, - "snakeCase": { - "unsafeName": "interrogation_response_no_response", - "safeName": "interrogation_response_no_response" - }, - "screamingSnakeCase": { - "unsafeName": "INTERROGATION_RESPONSE_NO_RESPONSE", - "safeName": "INTERROGATION_RESPONSE_NO_RESPONSE" - }, - "pascalCase": { - "unsafeName": "InterrogationResponseNoResponse", - "safeName": "InterrogationResponseNoResponse" - } - }, - "wireValue": "INTERROGATION_RESPONSE_NO_RESPONSE" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the interrogation status of a target." - }, - "anduril.entitymanager.v1.TransponderCodes": { - "name": { - "typeId": "anduril.entitymanager.v1.TransponderCodes", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TransponderCodes", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TransponderCodes", - "safeName": "andurilEntitymanagerV1TransponderCodes" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_transponder_codes", - "safeName": "anduril_entitymanager_v_1_transponder_codes" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRANSPONDER_CODES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRANSPONDER_CODES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TransponderCodes", - "safeName": "AndurilEntitymanagerV1TransponderCodes" - } - }, - "displayName": "TransponderCodes" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "mode1", - "camelCase": { - "unsafeName": "mode1", - "safeName": "mode1" - }, - "snakeCase": { - "unsafeName": "mode_1", - "safeName": "mode_1" - }, - "screamingSnakeCase": { - "unsafeName": "MODE_1", - "safeName": "MODE_1" - }, - "pascalCase": { - "unsafeName": "Mode1", - "safeName": "Mode1" - } - }, - "wireValue": "mode1" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The mode 1 code assigned to military assets." - }, - { - "name": { - "name": { - "originalName": "mode2", - "camelCase": { - "unsafeName": "mode2", - "safeName": "mode2" - }, - "snakeCase": { - "unsafeName": "mode_2", - "safeName": "mode_2" - }, - "screamingSnakeCase": { - "unsafeName": "MODE_2", - "safeName": "MODE_2" - }, - "pascalCase": { - "unsafeName": "Mode2", - "safeName": "Mode2" - } - }, - "wireValue": "mode2" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Mode 2 code assigned to military assets." - }, - { - "name": { - "name": { - "originalName": "mode3", - "camelCase": { - "unsafeName": "mode3", - "safeName": "mode3" - }, - "snakeCase": { - "unsafeName": "mode_3", - "safeName": "mode_3" - }, - "screamingSnakeCase": { - "unsafeName": "MODE_3", - "safeName": "MODE_3" - }, - "pascalCase": { - "unsafeName": "Mode3", - "safeName": "Mode3" - } - }, - "wireValue": "mode3" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Mode 3 code assigned by ATC to the asset." - }, - { - "name": { - "name": { - "originalName": "mode4_interrogation_response", - "camelCase": { - "unsafeName": "mode4InterrogationResponse", - "safeName": "mode4InterrogationResponse" - }, - "snakeCase": { - "unsafeName": "mode_4_interrogation_response", - "safeName": "mode_4_interrogation_response" - }, - "screamingSnakeCase": { - "unsafeName": "MODE_4_INTERROGATION_RESPONSE", - "safeName": "MODE_4_INTERROGATION_RESPONSE" - }, - "pascalCase": { - "unsafeName": "Mode4InterrogationResponse", - "safeName": "Mode4InterrogationResponse" - } - }, - "wireValue": "mode4_interrogation_response" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.InterrogationResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1InterrogationResponse", - "safeName": "andurilEntitymanagerV1InterrogationResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_interrogation_response", - "safeName": "anduril_entitymanager_v_1_interrogation_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1InterrogationResponse", - "safeName": "AndurilEntitymanagerV1InterrogationResponse" - } - }, - "typeId": "anduril.entitymanager.v1.InterrogationResponse", - "default": null, - "inline": false, - "displayName": "mode4_interrogation_response" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The validity of the response from the Mode 4 interrogation." - }, - { - "name": { - "name": { - "originalName": "mode5", - "camelCase": { - "unsafeName": "mode5", - "safeName": "mode5" - }, - "snakeCase": { - "unsafeName": "mode_5", - "safeName": "mode_5" - }, - "screamingSnakeCase": { - "unsafeName": "MODE_5", - "safeName": "MODE_5" - }, - "pascalCase": { - "unsafeName": "Mode5", - "safeName": "Mode5" - } - }, - "wireValue": "mode5" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Mode5", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Mode5", - "safeName": "andurilEntitymanagerV1Mode5" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_mode_5", - "safeName": "anduril_entitymanager_v_1_mode_5" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_5", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_5" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Mode5", - "safeName": "AndurilEntitymanagerV1Mode5" - } - }, - "typeId": "anduril.entitymanager.v1.Mode5", - "default": null, - "inline": false, - "displayName": "mode5" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Mode 5 transponder codes." - }, - { - "name": { - "name": { - "originalName": "mode_s", - "camelCase": { - "unsafeName": "modeS", - "safeName": "modeS" - }, - "snakeCase": { - "unsafeName": "mode_s", - "safeName": "mode_s" - }, - "screamingSnakeCase": { - "unsafeName": "MODE_S", - "safeName": "MODE_S" - }, - "pascalCase": { - "unsafeName": "ModeS", - "safeName": "ModeS" - } - }, - "wireValue": "mode_s" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ModeS", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ModeS", - "safeName": "andurilEntitymanagerV1ModeS" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_mode_s", - "safeName": "anduril_entitymanager_v_1_mode_s" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_S", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_S" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ModeS", - "safeName": "AndurilEntitymanagerV1ModeS" - } - }, - "typeId": "anduril.entitymanager.v1.ModeS", - "default": null, - "inline": false, - "displayName": "mode_s" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Mode S transponder codes." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A message describing any transponder codes associated with Mode 1, 2, 3, 4, 5, S interrogations." - }, - "anduril.entitymanager.v1.Mode5": { - "name": { - "typeId": "anduril.entitymanager.v1.Mode5", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Mode5", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Mode5", - "safeName": "andurilEntitymanagerV1Mode5" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_mode_5", - "safeName": "anduril_entitymanager_v_1_mode_5" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_5", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_5" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Mode5", - "safeName": "AndurilEntitymanagerV1Mode5" - } - }, - "displayName": "Mode5" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "mode5_interrogation_response", - "camelCase": { - "unsafeName": "mode5InterrogationResponse", - "safeName": "mode5InterrogationResponse" - }, - "snakeCase": { - "unsafeName": "mode_5_interrogation_response", - "safeName": "mode_5_interrogation_response" - }, - "screamingSnakeCase": { - "unsafeName": "MODE_5_INTERROGATION_RESPONSE", - "safeName": "MODE_5_INTERROGATION_RESPONSE" - }, - "pascalCase": { - "unsafeName": "Mode5InterrogationResponse", - "safeName": "Mode5InterrogationResponse" - } - }, - "wireValue": "mode5_interrogation_response" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.InterrogationResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1InterrogationResponse", - "safeName": "andurilEntitymanagerV1InterrogationResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_interrogation_response", - "safeName": "anduril_entitymanager_v_1_interrogation_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1InterrogationResponse", - "safeName": "AndurilEntitymanagerV1InterrogationResponse" - } - }, - "typeId": "anduril.entitymanager.v1.InterrogationResponse", - "default": null, - "inline": false, - "displayName": "mode5_interrogation_response" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The validity of the response from the Mode 5 interrogation." - }, - { - "name": { - "name": { - "originalName": "mode5", - "camelCase": { - "unsafeName": "mode5", - "safeName": "mode5" - }, - "snakeCase": { - "unsafeName": "mode_5", - "safeName": "mode_5" - }, - "screamingSnakeCase": { - "unsafeName": "MODE_5", - "safeName": "MODE_5" - }, - "pascalCase": { - "unsafeName": "Mode5", - "safeName": "Mode5" - } - }, - "wireValue": "mode5" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Mode 5 code assigned to military assets." - }, - { - "name": { - "name": { - "originalName": "mode5_platform_id", - "camelCase": { - "unsafeName": "mode5PlatformId", - "safeName": "mode5PlatformId" - }, - "snakeCase": { - "unsafeName": "mode_5_platform_id", - "safeName": "mode_5_platform_id" - }, - "screamingSnakeCase": { - "unsafeName": "MODE_5_PLATFORM_ID", - "safeName": "MODE_5_PLATFORM_ID" - }, - "pascalCase": { - "unsafeName": "Mode5PlatformId", - "safeName": "Mode5PlatformId" - } - }, - "wireValue": "mode5_platform_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Mode 5 platform identification code." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Describes the Mode 5 transponder interrogation status and codes." - }, - "anduril.entitymanager.v1.ModeS": { - "name": { - "typeId": "anduril.entitymanager.v1.ModeS", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ModeS", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ModeS", - "safeName": "andurilEntitymanagerV1ModeS" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_mode_s", - "safeName": "anduril_entitymanager_v_1_mode_s" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_S", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_S" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ModeS", - "safeName": "AndurilEntitymanagerV1ModeS" - } - }, - "displayName": "ModeS" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "id", - "camelCase": { - "unsafeName": "id", - "safeName": "id" - }, - "snakeCase": { - "unsafeName": "id", - "safeName": "id" - }, - "screamingSnakeCase": { - "unsafeName": "ID", - "safeName": "ID" - }, - "pascalCase": { - "unsafeName": "Id", - "safeName": "Id" - } - }, - "wireValue": "id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Mode S identifier which comprises of 8 alphanumeric characters." - }, - { - "name": { - "name": { - "originalName": "address", - "camelCase": { - "unsafeName": "address", - "safeName": "address" - }, - "snakeCase": { - "unsafeName": "address", - "safeName": "address" - }, - "screamingSnakeCase": { - "unsafeName": "ADDRESS", - "safeName": "ADDRESS" - }, - "pascalCase": { - "unsafeName": "Address", - "safeName": "Address" - } - }, - "wireValue": "address" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Mode S ICAO aircraft address. Expected values are between 1 and 16777214 decimal. The Mode S address is\\n considered unique." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Describes the Mode S codes." - }, - "anduril.tasks.v2.TaskCatalog": { - "name": { - "typeId": "anduril.tasks.v2.TaskCatalog", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.TaskCatalog", - "camelCase": { - "unsafeName": "andurilTasksV2TaskCatalog", - "safeName": "andurilTasksV2TaskCatalog" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_task_catalog", - "safeName": "anduril_tasks_v_2_task_catalog" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_TASK_CATALOG", - "safeName": "ANDURIL_TASKS_V_2_TASK_CATALOG" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2TaskCatalog", - "safeName": "AndurilTasksV2TaskCatalog" - } - }, - "displayName": "TaskCatalog" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task_definitions", - "camelCase": { - "unsafeName": "taskDefinitions", - "safeName": "taskDefinitions" - }, - "snakeCase": { - "unsafeName": "task_definitions", - "safeName": "task_definitions" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_DEFINITIONS", - "safeName": "TASK_DEFINITIONS" - }, - "pascalCase": { - "unsafeName": "TaskDefinitions", - "safeName": "TaskDefinitions" - } - }, - "wireValue": "task_definitions" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.TaskDefinition", - "camelCase": { - "unsafeName": "andurilTasksV2TaskDefinition", - "safeName": "andurilTasksV2TaskDefinition" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_task_definition", - "safeName": "anduril_tasks_v_2_task_definition" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_TASK_DEFINITION", - "safeName": "ANDURIL_TASKS_V_2_TASK_DEFINITION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2TaskDefinition", - "safeName": "AndurilTasksV2TaskDefinition" - } - }, - "typeId": "anduril.tasks.v2.TaskDefinition", - "default": null, - "inline": false, - "displayName": "task_definitions" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Catalog of supported tasks." - }, - "anduril.tasks.v2.TaskDefinition": { - "name": { - "typeId": "anduril.tasks.v2.TaskDefinition", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.TaskDefinition", - "camelCase": { - "unsafeName": "andurilTasksV2TaskDefinition", - "safeName": "andurilTasksV2TaskDefinition" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_task_definition", - "safeName": "anduril_tasks_v_2_task_definition" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_TASK_DEFINITION", - "safeName": "ANDURIL_TASKS_V_2_TASK_DEFINITION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2TaskDefinition", - "safeName": "AndurilTasksV2TaskDefinition" - } - }, - "displayName": "TaskDefinition" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task_specification_url", - "camelCase": { - "unsafeName": "taskSpecificationUrl", - "safeName": "taskSpecificationUrl" - }, - "snakeCase": { - "unsafeName": "task_specification_url", - "safeName": "task_specification_url" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_SPECIFICATION_URL", - "safeName": "TASK_SPECIFICATION_URL" - }, - "pascalCase": { - "unsafeName": "TaskSpecificationUrl", - "safeName": "TaskSpecificationUrl" - } - }, - "wireValue": "task_specification_url" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Url path must be prefixed with \`type.googleapis.com/\`." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Defines a supported task by the task specification URL of its \\"Any\\" type." - }, - "anduril.type.Color": { - "name": { - "typeId": "anduril.type.Color", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Color", - "camelCase": { - "unsafeName": "andurilTypeColor", - "safeName": "andurilTypeColor" - }, - "snakeCase": { - "unsafeName": "anduril_type_color", - "safeName": "anduril_type_color" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_COLOR", - "safeName": "ANDURIL_TYPE_COLOR" - }, - "pascalCase": { - "unsafeName": "AndurilTypeColor", - "safeName": "AndurilTypeColor" - } - }, - "displayName": "Color" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "red", - "camelCase": { - "unsafeName": "red", - "safeName": "red" - }, - "snakeCase": { - "unsafeName": "red", - "safeName": "red" - }, - "screamingSnakeCase": { - "unsafeName": "RED", - "safeName": "RED" - }, - "pascalCase": { - "unsafeName": "Red", - "safeName": "Red" - } - }, - "wireValue": "red" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The amount of red in the color as a value in the interval [0, 1]." - }, - { - "name": { - "name": { - "originalName": "green", - "camelCase": { - "unsafeName": "green", - "safeName": "green" - }, - "snakeCase": { - "unsafeName": "green", - "safeName": "green" - }, - "screamingSnakeCase": { - "unsafeName": "GREEN", - "safeName": "GREEN" - }, - "pascalCase": { - "unsafeName": "Green", - "safeName": "Green" - } - }, - "wireValue": "green" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The amount of green in the color as a value in the interval [0, 1]." - }, - { - "name": { - "name": { - "originalName": "blue", - "camelCase": { - "unsafeName": "blue", - "safeName": "blue" - }, - "snakeCase": { - "unsafeName": "blue", - "safeName": "blue" - }, - "screamingSnakeCase": { - "unsafeName": "BLUE", - "safeName": "BLUE" - }, - "pascalCase": { - "unsafeName": "Blue", - "safeName": "Blue" - } - }, - "wireValue": "blue" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The amount of blue in the color as a value in the interval [0, 1]." - }, - { - "name": { - "name": { - "originalName": "alpha", - "camelCase": { - "unsafeName": "alpha", - "safeName": "alpha" - }, - "snakeCase": { - "unsafeName": "alpha", - "safeName": "alpha" - }, - "screamingSnakeCase": { - "unsafeName": "ALPHA", - "safeName": "ALPHA" - }, - "pascalCase": { - "unsafeName": "Alpha", - "safeName": "Alpha" - } - }, - "wireValue": "alpha" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FloatValue", - "camelCase": { - "unsafeName": "googleProtobufFloatValue", - "safeName": "googleProtobufFloatValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_float_value", - "safeName": "google_protobuf_float_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", - "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFloatValue", - "safeName": "GoogleProtobufFloatValue" - } - }, - "typeId": "google.protobuf.FloatValue", - "default": null, - "inline": false, - "displayName": "alpha" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The fraction of this color that should be applied to the pixel. That is,\\n the final pixel color is defined by the equation:\\n\\n \`pixel color = alpha * (this color) + (1.0 - alpha) * (background color)\`\\n\\n This means that a value of 1.0 corresponds to a solid color, whereas\\n a value of 0.0 corresponds to a completely transparent color. This\\n uses a wrapper message rather than a simple float scalar so that it is\\n possible to distinguish between a default value and the value being unset.\\n If omitted, this color object is rendered as a solid color\\n (as if the alpha value had been explicitly given a value of 1.0)." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.CorrelationType": { - "name": { - "typeId": "anduril.entitymanager.v1.CorrelationType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationType", - "safeName": "andurilEntitymanagerV1CorrelationType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_type", - "safeName": "anduril_entitymanager_v_1_correlation_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationType", - "safeName": "AndurilEntitymanagerV1CorrelationType" - } - }, - "displayName": "CorrelationType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "CORRELATION_TYPE_INVALID", - "camelCase": { - "unsafeName": "correlationTypeInvalid", - "safeName": "correlationTypeInvalid" - }, - "snakeCase": { - "unsafeName": "correlation_type_invalid", - "safeName": "correlation_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "CORRELATION_TYPE_INVALID", - "safeName": "CORRELATION_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "CorrelationTypeInvalid", - "safeName": "CorrelationTypeInvalid" - } - }, - "wireValue": "CORRELATION_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CORRELATION_TYPE_MANUAL", - "camelCase": { - "unsafeName": "correlationTypeManual", - "safeName": "correlationTypeManual" - }, - "snakeCase": { - "unsafeName": "correlation_type_manual", - "safeName": "correlation_type_manual" - }, - "screamingSnakeCase": { - "unsafeName": "CORRELATION_TYPE_MANUAL", - "safeName": "CORRELATION_TYPE_MANUAL" - }, - "pascalCase": { - "unsafeName": "CorrelationTypeManual", - "safeName": "CorrelationTypeManual" - } - }, - "wireValue": "CORRELATION_TYPE_MANUAL" - }, - "availability": null, - "docs": "The correlation was made manually by a human.\\n Manual is higher precedence than automated assuming the same replication mode." - }, - { - "name": { - "name": { - "originalName": "CORRELATION_TYPE_AUTOMATED", - "camelCase": { - "unsafeName": "correlationTypeAutomated", - "safeName": "correlationTypeAutomated" - }, - "snakeCase": { - "unsafeName": "correlation_type_automated", - "safeName": "correlation_type_automated" - }, - "screamingSnakeCase": { - "unsafeName": "CORRELATION_TYPE_AUTOMATED", - "safeName": "CORRELATION_TYPE_AUTOMATED" - }, - "pascalCase": { - "unsafeName": "CorrelationTypeAutomated", - "safeName": "CorrelationTypeAutomated" - } - }, - "wireValue": "CORRELATION_TYPE_AUTOMATED" - }, - "availability": null, - "docs": "The correlation was automatically made by a service or some other automated process.\\n Automated is lower precedence than manual assuming the same replication mode." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The type of correlation indicating how it was made." - }, - "anduril.entitymanager.v1.CorrelationReplicationMode": { - "name": { - "typeId": "anduril.entitymanager.v1.CorrelationReplicationMode", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationReplicationMode", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationReplicationMode", - "safeName": "andurilEntitymanagerV1CorrelationReplicationMode" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_replication_mode", - "safeName": "anduril_entitymanager_v_1_correlation_replication_mode" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_REPLICATION_MODE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_REPLICATION_MODE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationReplicationMode", - "safeName": "AndurilEntitymanagerV1CorrelationReplicationMode" - } - }, - "displayName": "CorrelationReplicationMode" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "CORRELATION_REPLICATION_MODE_INVALID", - "camelCase": { - "unsafeName": "correlationReplicationModeInvalid", - "safeName": "correlationReplicationModeInvalid" - }, - "snakeCase": { - "unsafeName": "correlation_replication_mode_invalid", - "safeName": "correlation_replication_mode_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "CORRELATION_REPLICATION_MODE_INVALID", - "safeName": "CORRELATION_REPLICATION_MODE_INVALID" - }, - "pascalCase": { - "unsafeName": "CorrelationReplicationModeInvalid", - "safeName": "CorrelationReplicationModeInvalid" - } - }, - "wireValue": "CORRELATION_REPLICATION_MODE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CORRELATION_REPLICATION_MODE_LOCAL", - "camelCase": { - "unsafeName": "correlationReplicationModeLocal", - "safeName": "correlationReplicationModeLocal" - }, - "snakeCase": { - "unsafeName": "correlation_replication_mode_local", - "safeName": "correlation_replication_mode_local" - }, - "screamingSnakeCase": { - "unsafeName": "CORRELATION_REPLICATION_MODE_LOCAL", - "safeName": "CORRELATION_REPLICATION_MODE_LOCAL" - }, - "pascalCase": { - "unsafeName": "CorrelationReplicationModeLocal", - "safeName": "CorrelationReplicationModeLocal" - } - }, - "wireValue": "CORRELATION_REPLICATION_MODE_LOCAL" - }, - "availability": null, - "docs": "The correlation is local only to the originating node and will not be distributed to other\\n nodes in the mesh. In the case of conflicts, this correlation will override ones coming from\\n other nodes. Local is always higher precedence than global regardless of the correlation type." - }, - { - "name": { - "name": { - "originalName": "CORRELATION_REPLICATION_MODE_GLOBAL", - "camelCase": { - "unsafeName": "correlationReplicationModeGlobal", - "safeName": "correlationReplicationModeGlobal" - }, - "snakeCase": { - "unsafeName": "correlation_replication_mode_global", - "safeName": "correlation_replication_mode_global" - }, - "screamingSnakeCase": { - "unsafeName": "CORRELATION_REPLICATION_MODE_GLOBAL", - "safeName": "CORRELATION_REPLICATION_MODE_GLOBAL" - }, - "pascalCase": { - "unsafeName": "CorrelationReplicationModeGlobal", - "safeName": "CorrelationReplicationModeGlobal" - } - }, - "wireValue": "CORRELATION_REPLICATION_MODE_GLOBAL" - }, - "availability": null, - "docs": "The correlation is distributed globally across all nodes in the mesh. Because an entity can\\n only be part of one correlation, this is based on last-write-wins semantics, however, the\\n correlation will also be stored locally in the originating node preventing any overrides.\\n Global is always lower precedence than local regardless of the correlation type." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The replication mode of the correlation indicating how the correlation will be replication to\\n other nodes in the mesh." - }, - "anduril.entitymanager.v1.Entity": { - "name": { - "typeId": "anduril.entitymanager.v1.Entity", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Entity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Entity", - "safeName": "andurilEntitymanagerV1Entity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_entity", - "safeName": "anduril_entitymanager_v_1_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Entity", - "safeName": "AndurilEntitymanagerV1Entity" - } - }, - "displayName": "Entity" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A Globally Unique Identifier (GUID) for your entity. If this field is empty, the Entity Manager API\\n automatically generates an ID when it creates the entity." - }, - { - "name": { - "name": { - "originalName": "description", - "camelCase": { - "unsafeName": "description", - "safeName": "description" - }, - "snakeCase": { - "unsafeName": "description", - "safeName": "description" - }, - "screamingSnakeCase": { - "unsafeName": "DESCRIPTION", - "safeName": "DESCRIPTION" - }, - "pascalCase": { - "unsafeName": "Description", - "safeName": "Description" - } - }, - "wireValue": "description" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A human-readable entity description that's helpful for debugging purposes and human\\n traceability. If this field is empty, the Entity Manager API generates one for you." - }, - { - "name": { - "name": { - "originalName": "is_live", - "camelCase": { - "unsafeName": "isLive", - "safeName": "isLive" - }, - "snakeCase": { - "unsafeName": "is_live", - "safeName": "is_live" - }, - "screamingSnakeCase": { - "unsafeName": "IS_LIVE", - "safeName": "IS_LIVE" - }, - "pascalCase": { - "unsafeName": "IsLive", - "safeName": "IsLive" - } - }, - "wireValue": "is_live" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the entity is active and should have a lifecycle state of CREATE or UPDATE.\\n Set this field to true when publishing an entity." - }, - { - "name": { - "name": { - "originalName": "created_time", - "camelCase": { - "unsafeName": "createdTime", - "safeName": "createdTime" - }, - "snakeCase": { - "unsafeName": "created_time", - "safeName": "created_time" - }, - "screamingSnakeCase": { - "unsafeName": "CREATED_TIME", - "safeName": "CREATED_TIME" - }, - "pascalCase": { - "unsafeName": "CreatedTime", - "safeName": "CreatedTime" - } - }, - "wireValue": "created_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "created_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The time when the entity was first known to the entity producer. If this field is empty, the Entity Manager API uses the\\n current timestamp of when the entity is first received.\\n For example, when a drone is first powered on, it might report its startup time as the created time.\\n The timestamp doesn't change for the lifetime of an entity." - }, - { - "name": { - "name": { - "originalName": "expiry_time", - "camelCase": { - "unsafeName": "expiryTime", - "safeName": "expiryTime" - }, - "snakeCase": { - "unsafeName": "expiry_time", - "safeName": "expiry_time" - }, - "screamingSnakeCase": { - "unsafeName": "EXPIRY_TIME", - "safeName": "EXPIRY_TIME" - }, - "pascalCase": { - "unsafeName": "ExpiryTime", - "safeName": "ExpiryTime" - } - }, - "wireValue": "expiry_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "expiry_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Future time that expires an entity and updates the is_live flag.\\n For entities that are constantly updating, the expiry time also updates.\\n In some cases, this may differ from is_live.\\n Example: Entities with tasks exported to an external system must remain\\n active even after they expire.\\n This field is required when publishing a prepopulated entity.\\n The expiry time must be in the future, but less than 30 days from the current time." - }, - { - "name": { - "name": { - "originalName": "status", - "camelCase": { - "unsafeName": "status", - "safeName": "status" - }, - "snakeCase": { - "unsafeName": "status", - "safeName": "status" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS", - "safeName": "STATUS" - }, - "pascalCase": { - "unsafeName": "Status", - "safeName": "Status" - } - }, - "wireValue": "status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Status", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Status", - "safeName": "andurilEntitymanagerV1Status" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_status", - "safeName": "anduril_entitymanager_v_1_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Status", - "safeName": "AndurilEntitymanagerV1Status" - } - }, - "typeId": "anduril.entitymanager.v1.Status", - "default": null, - "inline": false, - "displayName": "status" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Human-readable descriptions of what the entity is currently doing." - }, - { - "name": { - "name": { - "originalName": "location", - "camelCase": { - "unsafeName": "location", - "safeName": "location" - }, - "snakeCase": { - "unsafeName": "location", - "safeName": "location" - }, - "screamingSnakeCase": { - "unsafeName": "LOCATION", - "safeName": "LOCATION" - }, - "pascalCase": { - "unsafeName": "Location", - "safeName": "Location" - } - }, - "wireValue": "location" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Location", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Location", - "safeName": "andurilEntitymanagerV1Location" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_location", - "safeName": "anduril_entitymanager_v_1_location" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Location", - "safeName": "AndurilEntitymanagerV1Location" - } - }, - "typeId": "anduril.entitymanager.v1.Location", - "default": null, - "inline": false, - "displayName": "location" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Geospatial data related to the entity, including its position, kinematics, and orientation." - }, - { - "name": { - "name": { - "originalName": "location_uncertainty", - "camelCase": { - "unsafeName": "locationUncertainty", - "safeName": "locationUncertainty" - }, - "snakeCase": { - "unsafeName": "location_uncertainty", - "safeName": "location_uncertainty" - }, - "screamingSnakeCase": { - "unsafeName": "LOCATION_UNCERTAINTY", - "safeName": "LOCATION_UNCERTAINTY" - }, - "pascalCase": { - "unsafeName": "LocationUncertainty", - "safeName": "LocationUncertainty" - } - }, - "wireValue": "location_uncertainty" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.LocationUncertainty", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1LocationUncertainty", - "safeName": "andurilEntitymanagerV1LocationUncertainty" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_location_uncertainty", - "safeName": "anduril_entitymanager_v_1_location_uncertainty" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION_UNCERTAINTY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION_UNCERTAINTY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1LocationUncertainty", - "safeName": "AndurilEntitymanagerV1LocationUncertainty" - } - }, - "typeId": "anduril.entitymanager.v1.LocationUncertainty", - "default": null, - "inline": false, - "displayName": "location_uncertainty" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates uncertainty of the entity's position and kinematics." - }, - { - "name": { - "name": { - "originalName": "geo_shape", - "camelCase": { - "unsafeName": "geoShape", - "safeName": "geoShape" - }, - "snakeCase": { - "unsafeName": "geo_shape", - "safeName": "geo_shape" - }, - "screamingSnakeCase": { - "unsafeName": "GEO_SHAPE", - "safeName": "GEO_SHAPE" - }, - "pascalCase": { - "unsafeName": "GeoShape", - "safeName": "GeoShape" - } - }, - "wireValue": "geo_shape" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoShape", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoShape", - "safeName": "andurilEntitymanagerV1GeoShape" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_shape", - "safeName": "anduril_entitymanager_v_1_geo_shape" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoShape", - "safeName": "AndurilEntitymanagerV1GeoShape" - } - }, - "typeId": "anduril.entitymanager.v1.GeoShape", - "default": null, - "inline": false, - "displayName": "geo_shape" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Geospatial representation of the entity, including entities that cover an area rather than a fixed point." - }, - { - "name": { - "name": { - "originalName": "geo_details", - "camelCase": { - "unsafeName": "geoDetails", - "safeName": "geoDetails" - }, - "snakeCase": { - "unsafeName": "geo_details", - "safeName": "geo_details" - }, - "screamingSnakeCase": { - "unsafeName": "GEO_DETAILS", - "safeName": "GEO_DETAILS" - }, - "pascalCase": { - "unsafeName": "GeoDetails", - "safeName": "GeoDetails" - } - }, - "wireValue": "geo_details" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoDetails", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoDetails", - "safeName": "andurilEntitymanagerV1GeoDetails" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_details", - "safeName": "anduril_entitymanager_v_1_geo_details" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_DETAILS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_DETAILS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoDetails", - "safeName": "AndurilEntitymanagerV1GeoDetails" - } - }, - "typeId": "anduril.entitymanager.v1.GeoDetails", - "default": null, - "inline": false, - "displayName": "geo_details" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Additional details on what the geospatial area or point represents, along with visual display details." - }, - { - "name": { - "name": { - "originalName": "aliases", - "camelCase": { - "unsafeName": "aliases", - "safeName": "aliases" - }, - "snakeCase": { - "unsafeName": "aliases", - "safeName": "aliases" - }, - "screamingSnakeCase": { - "unsafeName": "ALIASES", - "safeName": "ALIASES" - }, - "pascalCase": { - "unsafeName": "Aliases", - "safeName": "Aliases" - } - }, - "wireValue": "aliases" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Aliases", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Aliases", - "safeName": "andurilEntitymanagerV1Aliases" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_aliases", - "safeName": "anduril_entitymanager_v_1_aliases" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALIASES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALIASES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Aliases", - "safeName": "AndurilEntitymanagerV1Aliases" - } - }, - "typeId": "anduril.entitymanager.v1.Aliases", - "default": null, - "inline": false, - "displayName": "aliases" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Entity name displayed in the Lattice UI side panel. Also includes identifiers that other systems can use to reference the same entity." - }, - { - "name": { - "name": { - "originalName": "tracked", - "camelCase": { - "unsafeName": "tracked", - "safeName": "tracked" - }, - "snakeCase": { - "unsafeName": "tracked", - "safeName": "tracked" - }, - "screamingSnakeCase": { - "unsafeName": "TRACKED", - "safeName": "TRACKED" - }, - "pascalCase": { - "unsafeName": "Tracked", - "safeName": "Tracked" - } - }, - "wireValue": "tracked" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Tracked", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Tracked", - "safeName": "andurilEntitymanagerV1Tracked" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_tracked", - "safeName": "anduril_entitymanager_v_1_tracked" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Tracked", - "safeName": "AndurilEntitymanagerV1Tracked" - } - }, - "typeId": "anduril.entitymanager.v1.Tracked", - "default": null, - "inline": false, - "displayName": "tracked" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If this entity is tracked by another entity, this component contains data related to how it's being tracked." - }, - { - "name": { - "name": { - "originalName": "correlation", - "camelCase": { - "unsafeName": "correlation", - "safeName": "correlation" - }, - "snakeCase": { - "unsafeName": "correlation", - "safeName": "correlation" - }, - "screamingSnakeCase": { - "unsafeName": "CORRELATION", - "safeName": "CORRELATION" - }, - "pascalCase": { - "unsafeName": "Correlation", - "safeName": "Correlation" - } - }, - "wireValue": "correlation" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Correlation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Correlation", - "safeName": "andurilEntitymanagerV1Correlation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation", - "safeName": "anduril_entitymanager_v_1_correlation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Correlation", - "safeName": "AndurilEntitymanagerV1Correlation" - } - }, - "typeId": "anduril.entitymanager.v1.Correlation", - "default": null, - "inline": false, - "displayName": "correlation" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If this entity has been correlated or decorrelated to another one, this component contains information on the correlation or decorrelation." - }, - { - "name": { - "name": { - "originalName": "mil_view", - "camelCase": { - "unsafeName": "milView", - "safeName": "milView" - }, - "snakeCase": { - "unsafeName": "mil_view", - "safeName": "mil_view" - }, - "screamingSnakeCase": { - "unsafeName": "MIL_VIEW", - "safeName": "MIL_VIEW" - }, - "pascalCase": { - "unsafeName": "MilView", - "safeName": "MilView" - } - }, - "wireValue": "mil_view" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.MilView", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1MilView", - "safeName": "andurilEntitymanagerV1MilView" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_mil_view", - "safeName": "anduril_entitymanager_v_1_mil_view" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MIL_VIEW", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_MIL_VIEW" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1MilView", - "safeName": "AndurilEntitymanagerV1MilView" - } - }, - "typeId": "anduril.entitymanager.v1.MilView", - "default": null, - "inline": false, - "displayName": "mil_view" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "View of the entity." - }, - { - "name": { - "name": { - "originalName": "ontology", - "camelCase": { - "unsafeName": "ontology", - "safeName": "ontology" - }, - "snakeCase": { - "unsafeName": "ontology", - "safeName": "ontology" - }, - "screamingSnakeCase": { - "unsafeName": "ONTOLOGY", - "safeName": "ONTOLOGY" - }, - "pascalCase": { - "unsafeName": "Ontology", - "safeName": "Ontology" - } - }, - "wireValue": "ontology" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Ontology", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Ontology", - "safeName": "andurilEntitymanagerV1Ontology" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_ontology", - "safeName": "anduril_entitymanager_v_1_ontology" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ONTOLOGY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ONTOLOGY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Ontology", - "safeName": "AndurilEntitymanagerV1Ontology" - } - }, - "typeId": "anduril.entitymanager.v1.Ontology", - "default": null, - "inline": false, - "displayName": "ontology" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Ontology defines an entity's categorization in Lattice, and improves data retrieval and integration. Builds a standardized representation of the entity." - }, - { - "name": { - "name": { - "originalName": "sensors", - "camelCase": { - "unsafeName": "sensors", - "safeName": "sensors" - }, - "snakeCase": { - "unsafeName": "sensors", - "safeName": "sensors" - }, - "screamingSnakeCase": { - "unsafeName": "SENSORS", - "safeName": "SENSORS" - }, - "pascalCase": { - "unsafeName": "Sensors", - "safeName": "Sensors" - } - }, - "wireValue": "sensors" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Sensors", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Sensors", - "safeName": "andurilEntitymanagerV1Sensors" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_sensors", - "safeName": "anduril_entitymanager_v_1_sensors" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Sensors", - "safeName": "AndurilEntitymanagerV1Sensors" - } - }, - "typeId": "anduril.entitymanager.v1.Sensors", - "default": null, - "inline": false, - "displayName": "sensors" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Details an entity's available sensors." - }, - { - "name": { - "name": { - "originalName": "payloads", - "camelCase": { - "unsafeName": "payloads", - "safeName": "payloads" - }, - "snakeCase": { - "unsafeName": "payloads", - "safeName": "payloads" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOADS", - "safeName": "PAYLOADS" - }, - "pascalCase": { - "unsafeName": "Payloads", - "safeName": "Payloads" - } - }, - "wireValue": "payloads" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Payloads", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Payloads", - "safeName": "andurilEntitymanagerV1Payloads" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_payloads", - "safeName": "anduril_entitymanager_v_1_payloads" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOADS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOADS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Payloads", - "safeName": "AndurilEntitymanagerV1Payloads" - } - }, - "typeId": "anduril.entitymanager.v1.Payloads", - "default": null, - "inline": false, - "displayName": "payloads" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Details an entity's available payloads." - }, - { - "name": { - "name": { - "originalName": "power_state", - "camelCase": { - "unsafeName": "powerState", - "safeName": "powerState" - }, - "snakeCase": { - "unsafeName": "power_state", - "safeName": "power_state" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATE", - "safeName": "POWER_STATE" - }, - "pascalCase": { - "unsafeName": "PowerState", - "safeName": "PowerState" - } - }, - "wireValue": "power_state" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PowerState", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PowerState", - "safeName": "andurilEntitymanagerV1PowerState" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_power_state", - "safeName": "anduril_entitymanager_v_1_power_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PowerState", - "safeName": "AndurilEntitymanagerV1PowerState" - } - }, - "typeId": "anduril.entitymanager.v1.PowerState", - "default": null, - "inline": false, - "displayName": "power_state" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Details the entity's power source." - }, - { - "name": { - "name": { - "originalName": "provenance", - "camelCase": { - "unsafeName": "provenance", - "safeName": "provenance" - }, - "snakeCase": { - "unsafeName": "provenance", - "safeName": "provenance" - }, - "screamingSnakeCase": { - "unsafeName": "PROVENANCE", - "safeName": "PROVENANCE" - }, - "pascalCase": { - "unsafeName": "Provenance", - "safeName": "Provenance" - } - }, - "wireValue": "provenance" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Provenance", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Provenance", - "safeName": "andurilEntitymanagerV1Provenance" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_provenance", - "safeName": "anduril_entitymanager_v_1_provenance" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Provenance", - "safeName": "AndurilEntitymanagerV1Provenance" - } - }, - "typeId": "anduril.entitymanager.v1.Provenance", - "default": null, - "inline": false, - "displayName": "provenance" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The primary data source provenance for this entity." - }, - { - "name": { - "name": { - "originalName": "overrides", - "camelCase": { - "unsafeName": "overrides", - "safeName": "overrides" - }, - "snakeCase": { - "unsafeName": "overrides", - "safeName": "overrides" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDES", - "safeName": "OVERRIDES" - }, - "pascalCase": { - "unsafeName": "Overrides", - "safeName": "Overrides" - } - }, - "wireValue": "overrides" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Overrides", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Overrides", - "safeName": "andurilEntitymanagerV1Overrides" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_overrides", - "safeName": "anduril_entitymanager_v_1_overrides" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Overrides", - "safeName": "AndurilEntitymanagerV1Overrides" - } - }, - "typeId": "anduril.entitymanager.v1.Overrides", - "default": null, - "inline": false, - "displayName": "overrides" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Provenance of override data." - }, - { - "name": { - "name": { - "originalName": "indicators", - "camelCase": { - "unsafeName": "indicators", - "safeName": "indicators" - }, - "snakeCase": { - "unsafeName": "indicators", - "safeName": "indicators" - }, - "screamingSnakeCase": { - "unsafeName": "INDICATORS", - "safeName": "INDICATORS" - }, - "pascalCase": { - "unsafeName": "Indicators", - "safeName": "Indicators" - } - }, - "wireValue": "indicators" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Indicators", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Indicators", - "safeName": "andurilEntitymanagerV1Indicators" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_indicators", - "safeName": "anduril_entitymanager_v_1_indicators" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INDICATORS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_INDICATORS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Indicators", - "safeName": "AndurilEntitymanagerV1Indicators" - } - }, - "typeId": "anduril.entitymanager.v1.Indicators", - "default": null, - "inline": false, - "displayName": "indicators" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Describes an entity's specific characteristics and the operations that can be performed on the entity.\\n For example, \\"simulated\\" informs the operator that the entity is from a simulation, and \\"deletable\\"\\n informs the operator (and system) that the delete operation is valid against the entity." - }, - { - "name": { - "name": { - "originalName": "target_priority", - "camelCase": { - "unsafeName": "targetPriority", - "safeName": "targetPriority" - }, - "snakeCase": { - "unsafeName": "target_priority", - "safeName": "target_priority" - }, - "screamingSnakeCase": { - "unsafeName": "TARGET_PRIORITY", - "safeName": "TARGET_PRIORITY" - }, - "pascalCase": { - "unsafeName": "TargetPriority", - "safeName": "TargetPriority" - } - }, - "wireValue": "target_priority" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TargetPriority", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TargetPriority", - "safeName": "andurilEntitymanagerV1TargetPriority" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_target_priority", - "safeName": "anduril_entitymanager_v_1_target_priority" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TARGET_PRIORITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TARGET_PRIORITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TargetPriority", - "safeName": "AndurilEntitymanagerV1TargetPriority" - } - }, - "typeId": "anduril.entitymanager.v1.TargetPriority", - "default": null, - "inline": false, - "displayName": "target_priority" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The prioritization associated with an entity, such as if it's a threat or a high-value target." - }, - { - "name": { - "name": { - "originalName": "signal", - "camelCase": { - "unsafeName": "signal", - "safeName": "signal" - }, - "snakeCase": { - "unsafeName": "signal", - "safeName": "signal" - }, - "screamingSnakeCase": { - "unsafeName": "SIGNAL", - "safeName": "SIGNAL" - }, - "pascalCase": { - "unsafeName": "Signal", - "safeName": "Signal" - } - }, - "wireValue": "signal" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Signal", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Signal", - "safeName": "andurilEntitymanagerV1Signal" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_signal", - "safeName": "anduril_entitymanager_v_1_signal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Signal", - "safeName": "AndurilEntitymanagerV1Signal" - } - }, - "typeId": "anduril.entitymanager.v1.Signal", - "default": null, - "inline": false, - "displayName": "signal" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Describes an entity's signal characteristics, primarily used when an entity is a signal of interest." - }, - { - "name": { - "name": { - "originalName": "transponder_codes", - "camelCase": { - "unsafeName": "transponderCodes", - "safeName": "transponderCodes" - }, - "snakeCase": { - "unsafeName": "transponder_codes", - "safeName": "transponder_codes" - }, - "screamingSnakeCase": { - "unsafeName": "TRANSPONDER_CODES", - "safeName": "TRANSPONDER_CODES" - }, - "pascalCase": { - "unsafeName": "TransponderCodes", - "safeName": "TransponderCodes" - } - }, - "wireValue": "transponder_codes" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TransponderCodes", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TransponderCodes", - "safeName": "andurilEntitymanagerV1TransponderCodes" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_transponder_codes", - "safeName": "anduril_entitymanager_v_1_transponder_codes" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRANSPONDER_CODES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRANSPONDER_CODES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TransponderCodes", - "safeName": "AndurilEntitymanagerV1TransponderCodes" - } - }, - "typeId": "anduril.entitymanager.v1.TransponderCodes", - "default": null, - "inline": false, - "displayName": "transponder_codes" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A message describing any transponder codes associated with Mode 1, 2, 3, 4, 5, S interrogations. These are related to ADS-B modes." - }, - { - "name": { - "name": { - "originalName": "data_classification", - "camelCase": { - "unsafeName": "dataClassification", - "safeName": "dataClassification" - }, - "snakeCase": { - "unsafeName": "data_classification", - "safeName": "data_classification" - }, - "screamingSnakeCase": { - "unsafeName": "DATA_CLASSIFICATION", - "safeName": "DATA_CLASSIFICATION" - }, - "pascalCase": { - "unsafeName": "DataClassification", - "safeName": "DataClassification" - } - }, - "wireValue": "data_classification" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Classification", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Classification", - "safeName": "andurilEntitymanagerV1Classification" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_classification", - "safeName": "anduril_entitymanager_v_1_classification" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Classification", - "safeName": "AndurilEntitymanagerV1Classification" - } - }, - "typeId": "anduril.entitymanager.v1.Classification", - "default": null, - "inline": false, - "displayName": "data_classification" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Describes an entity's security classification levels at an overall classification level and on a per\\n field level." - }, - { - "name": { - "name": { - "originalName": "task_catalog", - "camelCase": { - "unsafeName": "taskCatalog", - "safeName": "taskCatalog" - }, - "snakeCase": { - "unsafeName": "task_catalog", - "safeName": "task_catalog" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_CATALOG", - "safeName": "TASK_CATALOG" - }, - "pascalCase": { - "unsafeName": "TaskCatalog", - "safeName": "TaskCatalog" - } - }, - "wireValue": "task_catalog" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.TaskCatalog", - "camelCase": { - "unsafeName": "andurilTasksV2TaskCatalog", - "safeName": "andurilTasksV2TaskCatalog" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_task_catalog", - "safeName": "anduril_tasks_v_2_task_catalog" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_TASK_CATALOG", - "safeName": "ANDURIL_TASKS_V_2_TASK_CATALOG" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2TaskCatalog", - "safeName": "AndurilTasksV2TaskCatalog" - } - }, - "typeId": "anduril.tasks.v2.TaskCatalog", - "default": null, - "inline": false, - "displayName": "task_catalog" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A catalog of tasks that can be performed by an entity." - }, - { - "name": { - "name": { - "originalName": "relationships", - "camelCase": { - "unsafeName": "relationships", - "safeName": "relationships" - }, - "snakeCase": { - "unsafeName": "relationships", - "safeName": "relationships" - }, - "screamingSnakeCase": { - "unsafeName": "RELATIONSHIPS", - "safeName": "RELATIONSHIPS" - }, - "pascalCase": { - "unsafeName": "Relationships", - "safeName": "Relationships" - } - }, - "wireValue": "relationships" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Relationships", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Relationships", - "safeName": "andurilEntitymanagerV1Relationships" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_relationships", - "safeName": "anduril_entitymanager_v_1_relationships" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIPS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIPS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Relationships", - "safeName": "AndurilEntitymanagerV1Relationships" - } - }, - "typeId": "anduril.entitymanager.v1.Relationships", - "default": null, - "inline": false, - "displayName": "relationships" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The relationships between this entity and other entities in the common operational picture (COP)." - }, - { - "name": { - "name": { - "originalName": "visual_details", - "camelCase": { - "unsafeName": "visualDetails", - "safeName": "visualDetails" - }, - "snakeCase": { - "unsafeName": "visual_details", - "safeName": "visual_details" - }, - "screamingSnakeCase": { - "unsafeName": "VISUAL_DETAILS", - "safeName": "VISUAL_DETAILS" - }, - "pascalCase": { - "unsafeName": "VisualDetails", - "safeName": "VisualDetails" - } - }, - "wireValue": "visual_details" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.VisualDetails", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1VisualDetails", - "safeName": "andurilEntitymanagerV1VisualDetails" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_visual_details", - "safeName": "anduril_entitymanager_v_1_visual_details" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VISUAL_DETAILS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_VISUAL_DETAILS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1VisualDetails", - "safeName": "AndurilEntitymanagerV1VisualDetails" - } - }, - "typeId": "anduril.entitymanager.v1.VisualDetails", - "default": null, - "inline": false, - "displayName": "visual_details" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Visual details associated with the display of an entity in the client." - }, - { - "name": { - "name": { - "originalName": "dimensions", - "camelCase": { - "unsafeName": "dimensions", - "safeName": "dimensions" - }, - "snakeCase": { - "unsafeName": "dimensions", - "safeName": "dimensions" - }, - "screamingSnakeCase": { - "unsafeName": "DIMENSIONS", - "safeName": "DIMENSIONS" - }, - "pascalCase": { - "unsafeName": "Dimensions", - "safeName": "Dimensions" - } - }, - "wireValue": "dimensions" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Dimensions", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Dimensions", - "safeName": "andurilEntitymanagerV1Dimensions" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_dimensions", - "safeName": "anduril_entitymanager_v_1_dimensions" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DIMENSIONS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_DIMENSIONS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Dimensions", - "safeName": "AndurilEntitymanagerV1Dimensions" - } - }, - "typeId": "anduril.entitymanager.v1.Dimensions", - "default": null, - "inline": false, - "displayName": "dimensions" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Physical dimensions of the entity." - }, - { - "name": { - "name": { - "originalName": "route_details", - "camelCase": { - "unsafeName": "routeDetails", - "safeName": "routeDetails" - }, - "snakeCase": { - "unsafeName": "route_details", - "safeName": "route_details" - }, - "screamingSnakeCase": { - "unsafeName": "ROUTE_DETAILS", - "safeName": "ROUTE_DETAILS" - }, - "pascalCase": { - "unsafeName": "RouteDetails", - "safeName": "RouteDetails" - } - }, - "wireValue": "route_details" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RouteDetails", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RouteDetails", - "safeName": "andurilEntitymanagerV1RouteDetails" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_route_details", - "safeName": "anduril_entitymanager_v_1_route_details" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ROUTE_DETAILS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ROUTE_DETAILS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RouteDetails", - "safeName": "AndurilEntitymanagerV1RouteDetails" - } - }, - "typeId": "anduril.entitymanager.v1.RouteDetails", - "default": null, - "inline": false, - "displayName": "route_details" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Additional information about an entity's route." - }, - { - "name": { - "name": { - "originalName": "schedules", - "camelCase": { - "unsafeName": "schedules", - "safeName": "schedules" - }, - "snakeCase": { - "unsafeName": "schedules", - "safeName": "schedules" - }, - "screamingSnakeCase": { - "unsafeName": "SCHEDULES", - "safeName": "SCHEDULES" - }, - "pascalCase": { - "unsafeName": "Schedules", - "safeName": "Schedules" - } - }, - "wireValue": "schedules" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Schedules", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Schedules", - "safeName": "andurilEntitymanagerV1Schedules" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_schedules", - "safeName": "anduril_entitymanager_v_1_schedules" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Schedules", - "safeName": "AndurilEntitymanagerV1Schedules" - } - }, - "typeId": "anduril.entitymanager.v1.Schedules", - "default": null, - "inline": false, - "displayName": "schedules" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Schedules associated with this entity." - }, - { - "name": { - "name": { - "originalName": "health", - "camelCase": { - "unsafeName": "health", - "safeName": "health" - }, - "snakeCase": { - "unsafeName": "health", - "safeName": "health" - }, - "screamingSnakeCase": { - "unsafeName": "HEALTH", - "safeName": "HEALTH" - }, - "pascalCase": { - "unsafeName": "Health", - "safeName": "Health" - } - }, - "wireValue": "health" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Health", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Health", - "safeName": "andurilEntitymanagerV1Health" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_health", - "safeName": "anduril_entitymanager_v_1_health" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Health", - "safeName": "AndurilEntitymanagerV1Health" - } - }, - "typeId": "anduril.entitymanager.v1.Health", - "default": null, - "inline": false, - "displayName": "health" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Health metrics or connection status reported by the entity." - }, - { - "name": { - "name": { - "originalName": "group_details", - "camelCase": { - "unsafeName": "groupDetails", - "safeName": "groupDetails" - }, - "snakeCase": { - "unsafeName": "group_details", - "safeName": "group_details" - }, - "screamingSnakeCase": { - "unsafeName": "GROUP_DETAILS", - "safeName": "GROUP_DETAILS" - }, - "pascalCase": { - "unsafeName": "GroupDetails", - "safeName": "GroupDetails" - } - }, - "wireValue": "group_details" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GroupDetails", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GroupDetails", - "safeName": "andurilEntitymanagerV1GroupDetails" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_group_details", - "safeName": "anduril_entitymanager_v_1_group_details" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GroupDetails", - "safeName": "AndurilEntitymanagerV1GroupDetails" - } - }, - "typeId": "anduril.entitymanager.v1.GroupDetails", - "default": null, - "inline": false, - "displayName": "group_details" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Details for the group associated with this entity." - }, - { - "name": { - "name": { - "originalName": "supplies", - "camelCase": { - "unsafeName": "supplies", - "safeName": "supplies" - }, - "snakeCase": { - "unsafeName": "supplies", - "safeName": "supplies" - }, - "screamingSnakeCase": { - "unsafeName": "SUPPLIES", - "safeName": "SUPPLIES" - }, - "pascalCase": { - "unsafeName": "Supplies", - "safeName": "Supplies" - } - }, - "wireValue": "supplies" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Supplies", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Supplies", - "safeName": "andurilEntitymanagerV1Supplies" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_supplies", - "safeName": "anduril_entitymanager_v_1_supplies" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SUPPLIES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SUPPLIES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Supplies", - "safeName": "AndurilEntitymanagerV1Supplies" - } - }, - "typeId": "anduril.entitymanager.v1.Supplies", - "default": null, - "inline": false, - "displayName": "supplies" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Contains relevant supply information for the entity, such as fuel." - }, - { - "name": { - "name": { - "originalName": "orbit", - "camelCase": { - "unsafeName": "orbit", - "safeName": "orbit" - }, - "snakeCase": { - "unsafeName": "orbit", - "safeName": "orbit" - }, - "screamingSnakeCase": { - "unsafeName": "ORBIT", - "safeName": "ORBIT" - }, - "pascalCase": { - "unsafeName": "Orbit", - "safeName": "Orbit" - } - }, - "wireValue": "orbit" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Orbit", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Orbit", - "safeName": "andurilEntitymanagerV1Orbit" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_orbit", - "safeName": "anduril_entitymanager_v_1_orbit" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ORBIT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ORBIT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Orbit", - "safeName": "AndurilEntitymanagerV1Orbit" - } - }, - "typeId": "anduril.entitymanager.v1.Orbit", - "default": null, - "inline": false, - "displayName": "orbit" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Orbit information for space objects." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The entity object represents a single known object within the Lattice operational environment. It contains\\n all data associated with the entity, such as its name, ID, and other relevant components." - }, - "anduril.entitymanager.v1.Status": { - "name": { - "typeId": "anduril.entitymanager.v1.Status", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Status", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Status", - "safeName": "andurilEntitymanagerV1Status" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_status", - "safeName": "anduril_entitymanager_v_1_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Status", - "safeName": "AndurilEntitymanagerV1Status" - } - }, - "displayName": "Status" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "platform_activity", - "camelCase": { - "unsafeName": "platformActivity", - "safeName": "platformActivity" - }, - "snakeCase": { - "unsafeName": "platform_activity", - "safeName": "platform_activity" - }, - "screamingSnakeCase": { - "unsafeName": "PLATFORM_ACTIVITY", - "safeName": "PLATFORM_ACTIVITY" - }, - "pascalCase": { - "unsafeName": "PlatformActivity", - "safeName": "PlatformActivity" - } - }, - "wireValue": "platform_activity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A string that describes the activity that the entity is performing.\\n Examples include \\"RECONNAISSANCE\\", \\"INTERDICTION\\", \\"RETURN TO BASE (RTB)\\", \\"PREPARING FOR LAUNCH\\"." - }, - { - "name": { - "name": { - "originalName": "role", - "camelCase": { - "unsafeName": "role", - "safeName": "role" - }, - "snakeCase": { - "unsafeName": "role", - "safeName": "role" - }, - "screamingSnakeCase": { - "unsafeName": "ROLE", - "safeName": "ROLE" - }, - "pascalCase": { - "unsafeName": "Role", - "safeName": "Role" - } - }, - "wireValue": "role" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A human-readable string that describes the role the entity is currently performing. E.g. \\"Team Member\\", \\"Commander\\"." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Contains status of entities." - }, - "anduril.entitymanager.v1.Aliases": { - "name": { - "typeId": "anduril.entitymanager.v1.Aliases", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Aliases", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Aliases", - "safeName": "andurilEntitymanagerV1Aliases" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_aliases", - "safeName": "anduril_entitymanager_v_1_aliases" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALIASES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALIASES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Aliases", - "safeName": "AndurilEntitymanagerV1Aliases" - } - }, - "displayName": "Aliases" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "alternate_ids", - "camelCase": { - "unsafeName": "alternateIds", - "safeName": "alternateIds" - }, - "snakeCase": { - "unsafeName": "alternate_ids", - "safeName": "alternate_ids" - }, - "screamingSnakeCase": { - "unsafeName": "ALTERNATE_IDS", - "safeName": "ALTERNATE_IDS" - }, - "pascalCase": { - "unsafeName": "AlternateIds", - "safeName": "AlternateIds" - } - }, - "wireValue": "alternate_ids" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AlternateId", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AlternateId", - "safeName": "andurilEntitymanagerV1AlternateId" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_alternate_id", - "safeName": "anduril_entitymanager_v_1_alternate_id" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALTERNATE_ID", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALTERNATE_ID" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AlternateId", - "safeName": "AndurilEntitymanagerV1AlternateId" - } - }, - "typeId": "anduril.entitymanager.v1.AlternateId", - "default": null, - "inline": false, - "displayName": "alternate_ids" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "name", - "camelCase": { - "unsafeName": "name", - "safeName": "name" - }, - "snakeCase": { - "unsafeName": "name", - "safeName": "name" - }, - "screamingSnakeCase": { - "unsafeName": "NAME", - "safeName": "NAME" - }, - "pascalCase": { - "unsafeName": "Name", - "safeName": "Name" - } - }, - "wireValue": "name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The best available version of the entity's display name." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Available for any Entities with alternate ids in other systems." - }, - "anduril.entitymanager.v1.Tracked": { - "name": { - "typeId": "anduril.entitymanager.v1.Tracked", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Tracked", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Tracked", - "safeName": "andurilEntitymanagerV1Tracked" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_tracked", - "safeName": "anduril_entitymanager_v_1_tracked" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Tracked", - "safeName": "AndurilEntitymanagerV1Tracked" - } - }, - "displayName": "Tracked" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "track_quality_wrapper", - "camelCase": { - "unsafeName": "trackQualityWrapper", - "safeName": "trackQualityWrapper" - }, - "snakeCase": { - "unsafeName": "track_quality_wrapper", - "safeName": "track_quality_wrapper" - }, - "screamingSnakeCase": { - "unsafeName": "TRACK_QUALITY_WRAPPER", - "safeName": "TRACK_QUALITY_WRAPPER" - }, - "pascalCase": { - "unsafeName": "TrackQualityWrapper", - "safeName": "TrackQualityWrapper" - } - }, - "wireValue": "track_quality_wrapper" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Int32Value", - "camelCase": { - "unsafeName": "googleProtobufInt32Value", - "safeName": "googleProtobufInt32Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_int_32_value", - "safeName": "google_protobuf_int_32_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_INT_32_VALUE", - "safeName": "GOOGLE_PROTOBUF_INT_32_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufInt32Value", - "safeName": "GoogleProtobufInt32Value" - } - }, - "typeId": "google.protobuf.Int32Value", - "default": null, - "inline": false, - "displayName": "track_quality_wrapper" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Quality score, 0-15, nil if none" - }, - { - "name": { - "name": { - "originalName": "sensor_hits", - "camelCase": { - "unsafeName": "sensorHits", - "safeName": "sensorHits" - }, - "snakeCase": { - "unsafeName": "sensor_hits", - "safeName": "sensor_hits" - }, - "screamingSnakeCase": { - "unsafeName": "SENSOR_HITS", - "safeName": "SENSOR_HITS" - }, - "pascalCase": { - "unsafeName": "SensorHits", - "safeName": "SensorHits" - } - }, - "wireValue": "sensor_hits" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Int32Value", - "camelCase": { - "unsafeName": "googleProtobufInt32Value", - "safeName": "googleProtobufInt32Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_int_32_value", - "safeName": "google_protobuf_int_32_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_INT_32_VALUE", - "safeName": "GOOGLE_PROTOBUF_INT_32_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufInt32Value", - "safeName": "GoogleProtobufInt32Value" - } - }, - "typeId": "google.protobuf.Int32Value", - "default": null, - "inline": false, - "displayName": "sensor_hits" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Sensor hits aggregation on the tracked entity." - }, - { - "name": { - "name": { - "originalName": "number_of_objects", - "camelCase": { - "unsafeName": "numberOfObjects", - "safeName": "numberOfObjects" - }, - "snakeCase": { - "unsafeName": "number_of_objects", - "safeName": "number_of_objects" - }, - "screamingSnakeCase": { - "unsafeName": "NUMBER_OF_OBJECTS", - "safeName": "NUMBER_OF_OBJECTS" - }, - "pascalCase": { - "unsafeName": "NumberOfObjects", - "safeName": "NumberOfObjects" - } - }, - "wireValue": "number_of_objects" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.UInt32Range", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1UInt32Range", - "safeName": "andurilEntitymanagerV1UInt32Range" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_u_int_32_range", - "safeName": "anduril_entitymanager_v_1_u_int_32_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_U_INT_32_RANGE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_U_INT_32_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1UInt32Range", - "safeName": "AndurilEntitymanagerV1UInt32Range" - } - }, - "typeId": "anduril.entitymanager.v1.UInt32Range", - "default": null, - "inline": false, - "displayName": "number_of_objects" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Estimated number of objects or units that are represented by this entity. Known as Strength in certain contexts (Link16)\\n if UpperBound == LowerBound; (strength = LowerBound)\\n If both UpperBound and LowerBound are defined; strength is between LowerBound and UpperBound (represented as string \\"Strength: 4-5\\")\\n If UpperBound is defined only (LowerBound unset), Strength ≤ UpperBound\\n If LowerBound is defined only (UpperBound unset), LowerBound ≤ Strength\\n 0 indicates unset." - }, - { - "name": { - "name": { - "originalName": "radar_cross_section", - "camelCase": { - "unsafeName": "radarCrossSection", - "safeName": "radarCrossSection" - }, - "snakeCase": { - "unsafeName": "radar_cross_section", - "safeName": "radar_cross_section" - }, - "screamingSnakeCase": { - "unsafeName": "RADAR_CROSS_SECTION", - "safeName": "RADAR_CROSS_SECTION" - }, - "pascalCase": { - "unsafeName": "RadarCrossSection", - "safeName": "RadarCrossSection" - } - }, - "wireValue": "radar_cross_section" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "radar_cross_section" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The radar cross section (RCS) is a measure of how detectable an object is by radar. A large RCS indicates an object is more easily\\n detected. The unit is “decibels per square meter,” or dBsm" - }, - { - "name": { - "name": { - "originalName": "last_measurement_time", - "camelCase": { - "unsafeName": "lastMeasurementTime", - "safeName": "lastMeasurementTime" - }, - "snakeCase": { - "unsafeName": "last_measurement_time", - "safeName": "last_measurement_time" - }, - "screamingSnakeCase": { - "unsafeName": "LAST_MEASUREMENT_TIME", - "safeName": "LAST_MEASUREMENT_TIME" - }, - "pascalCase": { - "unsafeName": "LastMeasurementTime", - "safeName": "LastMeasurementTime" - } - }, - "wireValue": "last_measurement_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "last_measurement_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Timestamp of the latest tracking measurement for this entity." - }, - { - "name": { - "name": { - "originalName": "line_of_bearing", - "camelCase": { - "unsafeName": "lineOfBearing", - "safeName": "lineOfBearing" - }, - "snakeCase": { - "unsafeName": "line_of_bearing", - "safeName": "line_of_bearing" - }, - "screamingSnakeCase": { - "unsafeName": "LINE_OF_BEARING", - "safeName": "LINE_OF_BEARING" - }, - "pascalCase": { - "unsafeName": "LineOfBearing", - "safeName": "LineOfBearing" - } - }, - "wireValue": "line_of_bearing" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.LineOfBearing", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1LineOfBearing", - "safeName": "andurilEntitymanagerV1LineOfBearing" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_line_of_bearing", - "safeName": "anduril_entitymanager_v_1_line_of_bearing" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1LineOfBearing", - "safeName": "AndurilEntitymanagerV1LineOfBearing" - } - }, - "typeId": "anduril.entitymanager.v1.LineOfBearing", - "default": null, - "inline": false, - "displayName": "line_of_bearing" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The relative position of a track with respect to the entity that is tracking it. Used for tracks that do not yet have a 3D position.\\n For this entity (A), being tracked by some entity (B), this LineOfBearing would express a ray from B to A." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Available for Entities that are tracked." - }, - "anduril.entitymanager.v1.Provenance": { - "name": { - "typeId": "anduril.entitymanager.v1.Provenance", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Provenance", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Provenance", - "safeName": "andurilEntitymanagerV1Provenance" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_provenance", - "safeName": "anduril_entitymanager_v_1_provenance" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Provenance", - "safeName": "AndurilEntitymanagerV1Provenance" - } - }, - "displayName": "Provenance" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "integration_name", - "camelCase": { - "unsafeName": "integrationName", - "safeName": "integrationName" - }, - "snakeCase": { - "unsafeName": "integration_name", - "safeName": "integration_name" - }, - "screamingSnakeCase": { - "unsafeName": "INTEGRATION_NAME", - "safeName": "INTEGRATION_NAME" - }, - "pascalCase": { - "unsafeName": "IntegrationName", - "safeName": "IntegrationName" - } - }, - "wireValue": "integration_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Name of the integration that produced this entity" - }, - { - "name": { - "name": { - "originalName": "data_type", - "camelCase": { - "unsafeName": "dataType", - "safeName": "dataType" - }, - "snakeCase": { - "unsafeName": "data_type", - "safeName": "data_type" - }, - "screamingSnakeCase": { - "unsafeName": "DATA_TYPE", - "safeName": "DATA_TYPE" - }, - "pascalCase": { - "unsafeName": "DataType", - "safeName": "DataType" - } - }, - "wireValue": "data_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Source data type of this entity. Examples: ADSB, Link16, etc." - }, - { - "name": { - "name": { - "originalName": "source_id", - "camelCase": { - "unsafeName": "sourceId", - "safeName": "sourceId" - }, - "snakeCase": { - "unsafeName": "source_id", - "safeName": "source_id" - }, - "screamingSnakeCase": { - "unsafeName": "SOURCE_ID", - "safeName": "SOURCE_ID" - }, - "pascalCase": { - "unsafeName": "SourceId", - "safeName": "SourceId" - } - }, - "wireValue": "source_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "An ID that allows an element from a source to be uniquely identified" - }, - { - "name": { - "name": { - "originalName": "source_update_time", - "camelCase": { - "unsafeName": "sourceUpdateTime", - "safeName": "sourceUpdateTime" - }, - "snakeCase": { - "unsafeName": "source_update_time", - "safeName": "source_update_time" - }, - "screamingSnakeCase": { - "unsafeName": "SOURCE_UPDATE_TIME", - "safeName": "SOURCE_UPDATE_TIME" - }, - "pascalCase": { - "unsafeName": "SourceUpdateTime", - "safeName": "SourceUpdateTime" - } - }, - "wireValue": "source_update_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "source_update_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The time, according to the source system, that the data in the entity was last modified. Generally, this should\\n be the time that the source-reported time of validity of the data in the entity. This field must be\\n updated with every change to the entity or else Entity Manager will discard the update." - }, - { - "name": { - "name": { - "originalName": "source_description", - "camelCase": { - "unsafeName": "sourceDescription", - "safeName": "sourceDescription" - }, - "snakeCase": { - "unsafeName": "source_description", - "safeName": "source_description" - }, - "screamingSnakeCase": { - "unsafeName": "SOURCE_DESCRIPTION", - "safeName": "SOURCE_DESCRIPTION" - }, - "pascalCase": { - "unsafeName": "SourceDescription", - "safeName": "SourceDescription" - } - }, - "wireValue": "source_description" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Description of the modification source. In the case of a user this is the email address." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Data provenance." - }, - "anduril.entitymanager.v1.Indicators": { - "name": { - "typeId": "anduril.entitymanager.v1.Indicators", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Indicators", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Indicators", - "safeName": "andurilEntitymanagerV1Indicators" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_indicators", - "safeName": "anduril_entitymanager_v_1_indicators" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INDICATORS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_INDICATORS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Indicators", - "safeName": "AndurilEntitymanagerV1Indicators" - } - }, - "displayName": "Indicators" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "simulated", - "camelCase": { - "unsafeName": "simulated", - "safeName": "simulated" - }, - "snakeCase": { - "unsafeName": "simulated", - "safeName": "simulated" - }, - "screamingSnakeCase": { - "unsafeName": "SIMULATED", - "safeName": "SIMULATED" - }, - "pascalCase": { - "unsafeName": "Simulated", - "safeName": "Simulated" - } - }, - "wireValue": "simulated" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.BoolValue", - "camelCase": { - "unsafeName": "googleProtobufBoolValue", - "safeName": "googleProtobufBoolValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_bool_value", - "safeName": "google_protobuf_bool_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", - "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufBoolValue", - "safeName": "GoogleProtobufBoolValue" - } - }, - "typeId": "google.protobuf.BoolValue", - "default": null, - "inline": false, - "displayName": "simulated" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "exercise", - "camelCase": { - "unsafeName": "exercise", - "safeName": "exercise" - }, - "snakeCase": { - "unsafeName": "exercise", - "safeName": "exercise" - }, - "screamingSnakeCase": { - "unsafeName": "EXERCISE", - "safeName": "EXERCISE" - }, - "pascalCase": { - "unsafeName": "Exercise", - "safeName": "Exercise" - } - }, - "wireValue": "exercise" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.BoolValue", - "camelCase": { - "unsafeName": "googleProtobufBoolValue", - "safeName": "googleProtobufBoolValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_bool_value", - "safeName": "google_protobuf_bool_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", - "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufBoolValue", - "safeName": "GoogleProtobufBoolValue" - } - }, - "typeId": "google.protobuf.BoolValue", - "default": null, - "inline": false, - "displayName": "exercise" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "emergency", - "camelCase": { - "unsafeName": "emergency", - "safeName": "emergency" - }, - "snakeCase": { - "unsafeName": "emergency", - "safeName": "emergency" - }, - "screamingSnakeCase": { - "unsafeName": "EMERGENCY", - "safeName": "EMERGENCY" - }, - "pascalCase": { - "unsafeName": "Emergency", - "safeName": "Emergency" - } - }, - "wireValue": "emergency" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.BoolValue", - "camelCase": { - "unsafeName": "googleProtobufBoolValue", - "safeName": "googleProtobufBoolValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_bool_value", - "safeName": "google_protobuf_bool_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", - "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufBoolValue", - "safeName": "GoogleProtobufBoolValue" - } - }, - "typeId": "google.protobuf.BoolValue", - "default": null, - "inline": false, - "displayName": "emergency" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "c2", - "camelCase": { - "unsafeName": "c2", - "safeName": "c2" - }, - "snakeCase": { - "unsafeName": "c_2", - "safeName": "c_2" - }, - "screamingSnakeCase": { - "unsafeName": "C_2", - "safeName": "C_2" - }, - "pascalCase": { - "unsafeName": "C2", - "safeName": "C2" - } - }, - "wireValue": "c2" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.BoolValue", - "camelCase": { - "unsafeName": "googleProtobufBoolValue", - "safeName": "googleProtobufBoolValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_bool_value", - "safeName": "google_protobuf_bool_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", - "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufBoolValue", - "safeName": "GoogleProtobufBoolValue" - } - }, - "typeId": "google.protobuf.BoolValue", - "default": null, - "inline": false, - "displayName": "c2" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "egressable", - "camelCase": { - "unsafeName": "egressable", - "safeName": "egressable" - }, - "snakeCase": { - "unsafeName": "egressable", - "safeName": "egressable" - }, - "screamingSnakeCase": { - "unsafeName": "EGRESSABLE", - "safeName": "EGRESSABLE" - }, - "pascalCase": { - "unsafeName": "Egressable", - "safeName": "Egressable" - } - }, - "wireValue": "egressable" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.BoolValue", - "camelCase": { - "unsafeName": "googleProtobufBoolValue", - "safeName": "googleProtobufBoolValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_bool_value", - "safeName": "google_protobuf_bool_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", - "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufBoolValue", - "safeName": "GoogleProtobufBoolValue" - } - }, - "typeId": "google.protobuf.BoolValue", - "default": null, - "inline": false, - "displayName": "egressable" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the Entity should be egressed to external sources.\\n Integrations choose how the egressing happens (e.g. if an Entity needs fuzzing)." - }, - { - "name": { - "name": { - "originalName": "starred", - "camelCase": { - "unsafeName": "starred", - "safeName": "starred" - }, - "snakeCase": { - "unsafeName": "starred", - "safeName": "starred" - }, - "screamingSnakeCase": { - "unsafeName": "STARRED", - "safeName": "STARRED" - }, - "pascalCase": { - "unsafeName": "Starred", - "safeName": "Starred" - } - }, - "wireValue": "starred" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.BoolValue", - "camelCase": { - "unsafeName": "googleProtobufBoolValue", - "safeName": "googleProtobufBoolValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_bool_value", - "safeName": "google_protobuf_bool_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", - "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufBoolValue", - "safeName": "GoogleProtobufBoolValue" - } - }, - "typeId": "google.protobuf.BoolValue", - "default": null, - "inline": false, - "displayName": "starred" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A signal of arbitrary importance such that the entity should be globally marked for all users" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Indicators to describe entity to consumers." - }, - "anduril.entitymanager.v1.Overrides": { - "name": { - "typeId": "anduril.entitymanager.v1.Overrides", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Overrides", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Overrides", - "safeName": "andurilEntitymanagerV1Overrides" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_overrides", - "safeName": "anduril_entitymanager_v_1_overrides" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Overrides", - "safeName": "AndurilEntitymanagerV1Overrides" - } - }, - "displayName": "Overrides" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "override", - "camelCase": { - "unsafeName": "override", - "safeName": "override" - }, - "snakeCase": { - "unsafeName": "override", - "safeName": "override" - }, - "screamingSnakeCase": { - "unsafeName": "OVERRIDE", - "safeName": "OVERRIDE" - }, - "pascalCase": { - "unsafeName": "Override", - "safeName": "Override" - } - }, - "wireValue": "override" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Override", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Override", - "safeName": "andurilEntitymanagerV1Override" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override", - "safeName": "anduril_entitymanager_v_1_override" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Override", - "safeName": "AndurilEntitymanagerV1Override" - } - }, - "typeId": "anduril.entitymanager.v1.Override", - "default": null, - "inline": false, - "displayName": "override" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Metadata about entity overrides present." - }, - "anduril.entitymanager.v1.Override": { - "name": { - "typeId": "anduril.entitymanager.v1.Override", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Override", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Override", - "safeName": "andurilEntitymanagerV1Override" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override", - "safeName": "anduril_entitymanager_v_1_override" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Override", - "safeName": "AndurilEntitymanagerV1Override" - } - }, - "displayName": "Override" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "request_id", - "camelCase": { - "unsafeName": "requestId", - "safeName": "requestId" - }, - "snakeCase": { - "unsafeName": "request_id", - "safeName": "request_id" - }, - "screamingSnakeCase": { - "unsafeName": "REQUEST_ID", - "safeName": "REQUEST_ID" - }, - "pascalCase": { - "unsafeName": "RequestId", - "safeName": "RequestId" - } - }, - "wireValue": "request_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "override request id for an override request" - }, - { - "name": { - "name": { - "originalName": "field_path", - "camelCase": { - "unsafeName": "fieldPath", - "safeName": "fieldPath" - }, - "snakeCase": { - "unsafeName": "field_path", - "safeName": "field_path" - }, - "screamingSnakeCase": { - "unsafeName": "FIELD_PATH", - "safeName": "FIELD_PATH" - }, - "pascalCase": { - "unsafeName": "FieldPath", - "safeName": "FieldPath" - } - }, - "wireValue": "field_path" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "proto field path which is the string representation of a field.\\n example: correlated.primary_entity_id would be primary_entity_id in correlated component" - }, - { - "name": { - "name": { - "originalName": "masked_field_value", - "camelCase": { - "unsafeName": "maskedFieldValue", - "safeName": "maskedFieldValue" - }, - "snakeCase": { - "unsafeName": "masked_field_value", - "safeName": "masked_field_value" - }, - "screamingSnakeCase": { - "unsafeName": "MASKED_FIELD_VALUE", - "safeName": "MASKED_FIELD_VALUE" - }, - "pascalCase": { - "unsafeName": "MaskedFieldValue", - "safeName": "MaskedFieldValue" - } - }, - "wireValue": "masked_field_value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Entity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Entity", - "safeName": "andurilEntitymanagerV1Entity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_entity", - "safeName": "anduril_entitymanager_v_1_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Entity", - "safeName": "AndurilEntitymanagerV1Entity" - } - }, - "typeId": "anduril.entitymanager.v1.Entity", - "default": null, - "inline": false, - "displayName": "masked_field_value" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "new field value corresponding to field path. In the shape of an empty entity with only the changed value.\\n example: entity: { mil_view: { disposition: Disposition_DISPOSITION_HOSTILE } }" - }, - { - "name": { - "name": { - "originalName": "status", - "camelCase": { - "unsafeName": "status", - "safeName": "status" - }, - "snakeCase": { - "unsafeName": "status", - "safeName": "status" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS", - "safeName": "STATUS" - }, - "pascalCase": { - "unsafeName": "Status", - "safeName": "Status" - } - }, - "wireValue": "status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OverrideStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OverrideStatus", - "safeName": "andurilEntitymanagerV1OverrideStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override_status", - "safeName": "anduril_entitymanager_v_1_override_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OverrideStatus", - "safeName": "AndurilEntitymanagerV1OverrideStatus" - } - }, - "typeId": "anduril.entitymanager.v1.OverrideStatus", - "default": null, - "inline": false, - "displayName": "status" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "status of the override" - }, - { - "name": { - "name": { - "originalName": "provenance", - "camelCase": { - "unsafeName": "provenance", - "safeName": "provenance" - }, - "snakeCase": { - "unsafeName": "provenance", - "safeName": "provenance" - }, - "screamingSnakeCase": { - "unsafeName": "PROVENANCE", - "safeName": "PROVENANCE" - }, - "pascalCase": { - "unsafeName": "Provenance", - "safeName": "Provenance" - } - }, - "wireValue": "provenance" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Provenance", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Provenance", - "safeName": "andurilEntitymanagerV1Provenance" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_provenance", - "safeName": "anduril_entitymanager_v_1_provenance" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Provenance", - "safeName": "AndurilEntitymanagerV1Provenance" - } - }, - "typeId": "anduril.entitymanager.v1.Provenance", - "default": null, - "inline": false, - "displayName": "provenance" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "type", - "camelCase": { - "unsafeName": "type", - "safeName": "type" - }, - "snakeCase": { - "unsafeName": "type", - "safeName": "type" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE", - "safeName": "TYPE" - }, - "pascalCase": { - "unsafeName": "Type", - "safeName": "Type" - } - }, - "wireValue": "type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OverrideType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OverrideType", - "safeName": "andurilEntitymanagerV1OverrideType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override_type", - "safeName": "anduril_entitymanager_v_1_override_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OverrideType", - "safeName": "AndurilEntitymanagerV1OverrideType" - } - }, - "typeId": "anduril.entitymanager.v1.OverrideType", - "default": null, - "inline": false, - "displayName": "type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The type of the override, defined by the stage of the entity lifecycle that the entity was in when the override\\n was requested." - }, - { - "name": { - "name": { - "originalName": "request_timestamp", - "camelCase": { - "unsafeName": "requestTimestamp", - "safeName": "requestTimestamp" - }, - "snakeCase": { - "unsafeName": "request_timestamp", - "safeName": "request_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "REQUEST_TIMESTAMP", - "safeName": "REQUEST_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "RequestTimestamp", - "safeName": "RequestTimestamp" - } - }, - "wireValue": "request_timestamp" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "request_timestamp" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Timestamp of the override request. The timestamp is generated by the Entity Manager instance that receives the request." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Details about an override. Last write wins." - }, - "anduril.entitymanager.v1.AlternateId": { - "name": { - "typeId": "anduril.entitymanager.v1.AlternateId", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AlternateId", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AlternateId", - "safeName": "andurilEntitymanagerV1AlternateId" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_alternate_id", - "safeName": "anduril_entitymanager_v_1_alternate_id" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALTERNATE_ID", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALTERNATE_ID" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AlternateId", - "safeName": "AndurilEntitymanagerV1AlternateId" - } - }, - "displayName": "AlternateId" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "id", - "camelCase": { - "unsafeName": "id", - "safeName": "id" - }, - "snakeCase": { - "unsafeName": "id", - "safeName": "id" - }, - "screamingSnakeCase": { - "unsafeName": "ID", - "safeName": "ID" - }, - "pascalCase": { - "unsafeName": "Id", - "safeName": "Id" - } - }, - "wireValue": "id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "type", - "camelCase": { - "unsafeName": "type", - "safeName": "type" - }, - "snakeCase": { - "unsafeName": "type", - "safeName": "type" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE", - "safeName": "TYPE" - }, - "pascalCase": { - "unsafeName": "Type", - "safeName": "Type" - } - }, - "wireValue": "type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AltIdType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AltIdType", - "safeName": "andurilEntitymanagerV1AltIdType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_alt_id_type", - "safeName": "anduril_entitymanager_v_1_alt_id_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALT_ID_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALT_ID_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AltIdType", - "safeName": "AndurilEntitymanagerV1AltIdType" - } - }, - "typeId": "anduril.entitymanager.v1.AltIdType", - "default": null, - "inline": false, - "displayName": "type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "An alternate id for an Entity." - }, - "anduril.entitymanager.v1.VisualDetails": { - "name": { - "typeId": "anduril.entitymanager.v1.VisualDetails", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.VisualDetails", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1VisualDetails", - "safeName": "andurilEntitymanagerV1VisualDetails" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_visual_details", - "safeName": "anduril_entitymanager_v_1_visual_details" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VISUAL_DETAILS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_VISUAL_DETAILS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1VisualDetails", - "safeName": "AndurilEntitymanagerV1VisualDetails" - } - }, - "displayName": "VisualDetails" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "range_rings", - "camelCase": { - "unsafeName": "rangeRings", - "safeName": "rangeRings" - }, - "snakeCase": { - "unsafeName": "range_rings", - "safeName": "range_rings" - }, - "screamingSnakeCase": { - "unsafeName": "RANGE_RINGS", - "safeName": "RANGE_RINGS" - }, - "pascalCase": { - "unsafeName": "RangeRings", - "safeName": "RangeRings" - } - }, - "wireValue": "range_rings" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RangeRings", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RangeRings", - "safeName": "andurilEntitymanagerV1RangeRings" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_range_rings", - "safeName": "anduril_entitymanager_v_1_range_rings" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_RINGS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_RINGS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RangeRings", - "safeName": "AndurilEntitymanagerV1RangeRings" - } - }, - "typeId": "anduril.entitymanager.v1.RangeRings", - "default": null, - "inline": false, - "displayName": "range_rings" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The range rings to display around an entity." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Visual details associated with the display of an entity in the client." - }, - "anduril.entitymanager.v1.RangeRings": { - "name": { - "typeId": "anduril.entitymanager.v1.RangeRings", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RangeRings", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RangeRings", - "safeName": "andurilEntitymanagerV1RangeRings" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_range_rings", - "safeName": "anduril_entitymanager_v_1_range_rings" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_RINGS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_RINGS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RangeRings", - "safeName": "AndurilEntitymanagerV1RangeRings" - } - }, - "displayName": "RangeRings" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "min_distance_m", - "camelCase": { - "unsafeName": "minDistanceM", - "safeName": "minDistanceM" - }, - "snakeCase": { - "unsafeName": "min_distance_m", - "safeName": "min_distance_m" - }, - "screamingSnakeCase": { - "unsafeName": "MIN_DISTANCE_M", - "safeName": "MIN_DISTANCE_M" - }, - "pascalCase": { - "unsafeName": "MinDistanceM", - "safeName": "MinDistanceM" - } - }, - "wireValue": "min_distance_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "min_distance_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The minimum range ring distance, specified in meters." - }, - { - "name": { - "name": { - "originalName": "max_distance_m", - "camelCase": { - "unsafeName": "maxDistanceM", - "safeName": "maxDistanceM" - }, - "snakeCase": { - "unsafeName": "max_distance_m", - "safeName": "max_distance_m" - }, - "screamingSnakeCase": { - "unsafeName": "MAX_DISTANCE_M", - "safeName": "MAX_DISTANCE_M" - }, - "pascalCase": { - "unsafeName": "MaxDistanceM", - "safeName": "MaxDistanceM" - } - }, - "wireValue": "max_distance_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "max_distance_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The maximum range ring distance, specified in meters." - }, - { - "name": { - "name": { - "originalName": "ring_count", - "camelCase": { - "unsafeName": "ringCount", - "safeName": "ringCount" - }, - "snakeCase": { - "unsafeName": "ring_count", - "safeName": "ring_count" - }, - "screamingSnakeCase": { - "unsafeName": "RING_COUNT", - "safeName": "RING_COUNT" - }, - "pascalCase": { - "unsafeName": "RingCount", - "safeName": "RingCount" - } - }, - "wireValue": "ring_count" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The count of range rings." - }, - { - "name": { - "name": { - "originalName": "ring_line_color", - "camelCase": { - "unsafeName": "ringLineColor", - "safeName": "ringLineColor" - }, - "snakeCase": { - "unsafeName": "ring_line_color", - "safeName": "ring_line_color" - }, - "screamingSnakeCase": { - "unsafeName": "RING_LINE_COLOR", - "safeName": "RING_LINE_COLOR" - }, - "pascalCase": { - "unsafeName": "RingLineColor", - "safeName": "RingLineColor" - } - }, - "wireValue": "ring_line_color" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Color", - "camelCase": { - "unsafeName": "andurilTypeColor", - "safeName": "andurilTypeColor" - }, - "snakeCase": { - "unsafeName": "anduril_type_color", - "safeName": "anduril_type_color" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_COLOR", - "safeName": "ANDURIL_TYPE_COLOR" - }, - "pascalCase": { - "unsafeName": "AndurilTypeColor", - "safeName": "AndurilTypeColor" - } - }, - "typeId": "anduril.type.Color", - "default": null, - "inline": false, - "displayName": "ring_line_color" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The color of range rings, specified in hex string." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Range rings allow visual assessment of map distance at varying zoom levels." - }, - "anduril.entitymanager.v1.CorrelationCorrelation": { - "name": { - "typeId": "anduril.entitymanager.v1.CorrelationCorrelation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationCorrelation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationCorrelation", - "safeName": "andurilEntitymanagerV1CorrelationCorrelation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_correlation", - "safeName": "anduril_entitymanager_v_1_correlation_correlation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_CORRELATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_CORRELATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationCorrelation", - "safeName": "AndurilEntitymanagerV1CorrelationCorrelation" - } - }, - "displayName": "CorrelationCorrelation" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PrimaryCorrelation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PrimaryCorrelation", - "safeName": "andurilEntitymanagerV1PrimaryCorrelation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_primary_correlation", - "safeName": "anduril_entitymanager_v_1_primary_correlation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_CORRELATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_CORRELATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PrimaryCorrelation", - "safeName": "AndurilEntitymanagerV1PrimaryCorrelation" - } - }, - "typeId": "anduril.entitymanager.v1.PrimaryCorrelation", - "default": null, - "inline": false, - "displayName": "primary" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SecondaryCorrelation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SecondaryCorrelation", - "safeName": "andurilEntitymanagerV1SecondaryCorrelation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_secondary_correlation", - "safeName": "anduril_entitymanager_v_1_secondary_correlation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SECONDARY_CORRELATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SECONDARY_CORRELATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SecondaryCorrelation", - "safeName": "AndurilEntitymanagerV1SecondaryCorrelation" - } - }, - "typeId": "anduril.entitymanager.v1.SecondaryCorrelation", - "default": null, - "inline": false, - "displayName": "secondary" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Correlation": { - "name": { - "typeId": "anduril.entitymanager.v1.Correlation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Correlation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Correlation", - "safeName": "andurilEntitymanagerV1Correlation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation", - "safeName": "anduril_entitymanager_v_1_correlation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Correlation", - "safeName": "AndurilEntitymanagerV1Correlation" - } - }, - "displayName": "Correlation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "membership", - "camelCase": { - "unsafeName": "membership", - "safeName": "membership" - }, - "snakeCase": { - "unsafeName": "membership", - "safeName": "membership" - }, - "screamingSnakeCase": { - "unsafeName": "MEMBERSHIP", - "safeName": "MEMBERSHIP" - }, - "pascalCase": { - "unsafeName": "Membership", - "safeName": "Membership" - } - }, - "wireValue": "membership" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationMembership", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationMembership", - "safeName": "andurilEntitymanagerV1CorrelationMembership" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_membership", - "safeName": "anduril_entitymanager_v_1_correlation_membership" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationMembership", - "safeName": "AndurilEntitymanagerV1CorrelationMembership" - } - }, - "typeId": "anduril.entitymanager.v1.CorrelationMembership", - "default": null, - "inline": false, - "displayName": "membership" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If present, this entity is a part of a correlation set." - }, - { - "name": { - "name": { - "originalName": "decorrelation", - "camelCase": { - "unsafeName": "decorrelation", - "safeName": "decorrelation" - }, - "snakeCase": { - "unsafeName": "decorrelation", - "safeName": "decorrelation" - }, - "screamingSnakeCase": { - "unsafeName": "DECORRELATION", - "safeName": "DECORRELATION" - }, - "pascalCase": { - "unsafeName": "Decorrelation", - "safeName": "Decorrelation" - } - }, - "wireValue": "decorrelation" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Decorrelation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Decorrelation", - "safeName": "andurilEntitymanagerV1Decorrelation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_decorrelation", - "safeName": "anduril_entitymanager_v_1_decorrelation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Decorrelation", - "safeName": "AndurilEntitymanagerV1Decorrelation" - } - }, - "typeId": "anduril.entitymanager.v1.Decorrelation", - "default": null, - "inline": false, - "displayName": "decorrelation" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If present, this entity was explicitly decorrelated from one or more entities.\\n An entity can be both correlated and decorrelated as long as they are disjoint sets.\\n An example would be if a user in the UI decides that two tracks are not actually the\\n same despite an automatic correlator having correlated them. The user would then\\n decorrelate the two tracks and this decorrelation would be preserved preventing the\\n correlator from re-correlating them at a later time." - }, - { - "name": { - "name": { - "originalName": "correlation", - "camelCase": { - "unsafeName": "correlation", - "safeName": "correlation" - }, - "snakeCase": { - "unsafeName": "correlation", - "safeName": "correlation" - }, - "screamingSnakeCase": { - "unsafeName": "CORRELATION", - "safeName": "CORRELATION" - }, - "pascalCase": { - "unsafeName": "Correlation", - "safeName": "Correlation" - } - }, - "wireValue": "correlation" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationCorrelation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationCorrelation", - "safeName": "andurilEntitymanagerV1CorrelationCorrelation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_correlation", - "safeName": "anduril_entitymanager_v_1_correlation_correlation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_CORRELATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_CORRELATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationCorrelation", - "safeName": "AndurilEntitymanagerV1CorrelationCorrelation" - } - }, - "typeId": "anduril.entitymanager.v1.CorrelationCorrelation", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Available for Entities that are a correlated (N to 1) set of entities. This will be present on\\n each entity in the set." - }, - "anduril.entitymanager.v1.PrimaryCorrelation": { - "name": { - "typeId": "anduril.entitymanager.v1.PrimaryCorrelation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PrimaryCorrelation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PrimaryCorrelation", - "safeName": "andurilEntitymanagerV1PrimaryCorrelation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_primary_correlation", - "safeName": "anduril_entitymanager_v_1_primary_correlation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_CORRELATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_CORRELATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PrimaryCorrelation", - "safeName": "AndurilEntitymanagerV1PrimaryCorrelation" - } - }, - "displayName": "PrimaryCorrelation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "secondary_entity_ids", - "camelCase": { - "unsafeName": "secondaryEntityIds", - "safeName": "secondaryEntityIds" - }, - "snakeCase": { - "unsafeName": "secondary_entity_ids", - "safeName": "secondary_entity_ids" - }, - "screamingSnakeCase": { - "unsafeName": "SECONDARY_ENTITY_IDS", - "safeName": "SECONDARY_ENTITY_IDS" - }, - "pascalCase": { - "unsafeName": "SecondaryEntityIds", - "safeName": "SecondaryEntityIds" - } - }, - "wireValue": "secondary_entity_ids" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The secondary entity IDs part of this correlation." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.SecondaryCorrelation": { - "name": { - "typeId": "anduril.entitymanager.v1.SecondaryCorrelation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.SecondaryCorrelation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1SecondaryCorrelation", - "safeName": "andurilEntitymanagerV1SecondaryCorrelation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_secondary_correlation", - "safeName": "anduril_entitymanager_v_1_secondary_correlation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SECONDARY_CORRELATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_SECONDARY_CORRELATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1SecondaryCorrelation", - "safeName": "AndurilEntitymanagerV1SecondaryCorrelation" - } - }, - "displayName": "SecondaryCorrelation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "primary_entity_id", - "camelCase": { - "unsafeName": "primaryEntityId", - "safeName": "primaryEntityId" - }, - "snakeCase": { - "unsafeName": "primary_entity_id", - "safeName": "primary_entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "PRIMARY_ENTITY_ID", - "safeName": "PRIMARY_ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "PrimaryEntityId", - "safeName": "PrimaryEntityId" - } - }, - "wireValue": "primary_entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The primary of this correlation." - }, - { - "name": { - "name": { - "originalName": "metadata", - "camelCase": { - "unsafeName": "metadata", - "safeName": "metadata" - }, - "snakeCase": { - "unsafeName": "metadata", - "safeName": "metadata" - }, - "screamingSnakeCase": { - "unsafeName": "METADATA", - "safeName": "METADATA" - }, - "pascalCase": { - "unsafeName": "Metadata", - "safeName": "Metadata" - } - }, - "wireValue": "metadata" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationMetadata", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationMetadata", - "safeName": "andurilEntitymanagerV1CorrelationMetadata" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_metadata", - "safeName": "anduril_entitymanager_v_1_correlation_metadata" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationMetadata", - "safeName": "AndurilEntitymanagerV1CorrelationMetadata" - } - }, - "typeId": "anduril.entitymanager.v1.CorrelationMetadata", - "default": null, - "inline": false, - "displayName": "metadata" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Metadata about the correlation." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.CorrelationMembershipMembership": { - "name": { - "typeId": "anduril.entitymanager.v1.CorrelationMembershipMembership", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationMembershipMembership", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationMembershipMembership", - "safeName": "andurilEntitymanagerV1CorrelationMembershipMembership" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_membership_membership", - "safeName": "anduril_entitymanager_v_1_correlation_membership_membership" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP_MEMBERSHIP", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP_MEMBERSHIP" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationMembershipMembership", - "safeName": "AndurilEntitymanagerV1CorrelationMembershipMembership" - } - }, - "displayName": "CorrelationMembershipMembership" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PrimaryMembership", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PrimaryMembership", - "safeName": "andurilEntitymanagerV1PrimaryMembership" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_primary_membership", - "safeName": "anduril_entitymanager_v_1_primary_membership" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_MEMBERSHIP", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_MEMBERSHIP" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PrimaryMembership", - "safeName": "AndurilEntitymanagerV1PrimaryMembership" - } - }, - "typeId": "anduril.entitymanager.v1.PrimaryMembership", - "default": null, - "inline": false, - "displayName": "primary" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NonPrimaryMembership", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NonPrimaryMembership", - "safeName": "andurilEntitymanagerV1NonPrimaryMembership" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_non_primary_membership", - "safeName": "anduril_entitymanager_v_1_non_primary_membership" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NON_PRIMARY_MEMBERSHIP", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NON_PRIMARY_MEMBERSHIP" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NonPrimaryMembership", - "safeName": "AndurilEntitymanagerV1NonPrimaryMembership" - } - }, - "typeId": "anduril.entitymanager.v1.NonPrimaryMembership", - "default": null, - "inline": false, - "displayName": "non_primary" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.CorrelationMembership": { - "name": { - "typeId": "anduril.entitymanager.v1.CorrelationMembership", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationMembership", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationMembership", - "safeName": "andurilEntitymanagerV1CorrelationMembership" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_membership", - "safeName": "anduril_entitymanager_v_1_correlation_membership" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationMembership", - "safeName": "AndurilEntitymanagerV1CorrelationMembership" - } - }, - "displayName": "CorrelationMembership" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "correlation_set_id", - "camelCase": { - "unsafeName": "correlationSetId", - "safeName": "correlationSetId" - }, - "snakeCase": { - "unsafeName": "correlation_set_id", - "safeName": "correlation_set_id" - }, - "screamingSnakeCase": { - "unsafeName": "CORRELATION_SET_ID", - "safeName": "CORRELATION_SET_ID" - }, - "pascalCase": { - "unsafeName": "CorrelationSetId", - "safeName": "CorrelationSetId" - } - }, - "wireValue": "correlation_set_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The ID of the correlation set this entity belongs to." - }, - { - "name": { - "name": { - "originalName": "metadata", - "camelCase": { - "unsafeName": "metadata", - "safeName": "metadata" - }, - "snakeCase": { - "unsafeName": "metadata", - "safeName": "metadata" - }, - "screamingSnakeCase": { - "unsafeName": "METADATA", - "safeName": "METADATA" - }, - "pascalCase": { - "unsafeName": "Metadata", - "safeName": "Metadata" - } - }, - "wireValue": "metadata" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationMetadata", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationMetadata", - "safeName": "andurilEntitymanagerV1CorrelationMetadata" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_metadata", - "safeName": "anduril_entitymanager_v_1_correlation_metadata" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationMetadata", - "safeName": "AndurilEntitymanagerV1CorrelationMetadata" - } - }, - "typeId": "anduril.entitymanager.v1.CorrelationMetadata", - "default": null, - "inline": false, - "displayName": "metadata" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Additional metadata on this correlation." - }, - { - "name": { - "name": { - "originalName": "membership", - "camelCase": { - "unsafeName": "membership", - "safeName": "membership" - }, - "snakeCase": { - "unsafeName": "membership", - "safeName": "membership" - }, - "screamingSnakeCase": { - "unsafeName": "MEMBERSHIP", - "safeName": "MEMBERSHIP" - }, - "pascalCase": { - "unsafeName": "Membership", - "safeName": "Membership" - } - }, - "wireValue": "membership" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationMembershipMembership", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationMembershipMembership", - "safeName": "andurilEntitymanagerV1CorrelationMembershipMembership" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_membership_membership", - "safeName": "anduril_entitymanager_v_1_correlation_membership_membership" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP_MEMBERSHIP", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP_MEMBERSHIP" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationMembershipMembership", - "safeName": "AndurilEntitymanagerV1CorrelationMembershipMembership" - } - }, - "typeId": "anduril.entitymanager.v1.CorrelationMembershipMembership", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.PrimaryMembership": { - "name": { - "typeId": "anduril.entitymanager.v1.PrimaryMembership", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PrimaryMembership", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PrimaryMembership", - "safeName": "andurilEntitymanagerV1PrimaryMembership" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_primary_membership", - "safeName": "anduril_entitymanager_v_1_primary_membership" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_MEMBERSHIP", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_MEMBERSHIP" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PrimaryMembership", - "safeName": "AndurilEntitymanagerV1PrimaryMembership" - } - }, - "displayName": "PrimaryMembership" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.NonPrimaryMembership": { - "name": { - "typeId": "anduril.entitymanager.v1.NonPrimaryMembership", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NonPrimaryMembership", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NonPrimaryMembership", - "safeName": "andurilEntitymanagerV1NonPrimaryMembership" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_non_primary_membership", - "safeName": "anduril_entitymanager_v_1_non_primary_membership" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NON_PRIMARY_MEMBERSHIP", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NON_PRIMARY_MEMBERSHIP" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NonPrimaryMembership", - "safeName": "AndurilEntitymanagerV1NonPrimaryMembership" - } - }, - "displayName": "NonPrimaryMembership" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Decorrelation": { - "name": { - "typeId": "anduril.entitymanager.v1.Decorrelation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Decorrelation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Decorrelation", - "safeName": "andurilEntitymanagerV1Decorrelation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_decorrelation", - "safeName": "anduril_entitymanager_v_1_decorrelation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Decorrelation", - "safeName": "AndurilEntitymanagerV1Decorrelation" - } - }, - "displayName": "Decorrelation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "all", - "camelCase": { - "unsafeName": "all", - "safeName": "all" - }, - "snakeCase": { - "unsafeName": "all", - "safeName": "all" - }, - "screamingSnakeCase": { - "unsafeName": "ALL", - "safeName": "ALL" - }, - "pascalCase": { - "unsafeName": "All", - "safeName": "All" - } - }, - "wireValue": "all" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.DecorrelatedAll", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1DecorrelatedAll", - "safeName": "andurilEntitymanagerV1DecorrelatedAll" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_decorrelated_all", - "safeName": "anduril_entitymanager_v_1_decorrelated_all" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_ALL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_ALL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1DecorrelatedAll", - "safeName": "AndurilEntitymanagerV1DecorrelatedAll" - } - }, - "typeId": "anduril.entitymanager.v1.DecorrelatedAll", - "default": null, - "inline": false, - "displayName": "all" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "This will be specified if this entity was decorrelated against all other entities." - }, - { - "name": { - "name": { - "originalName": "decorrelated_entities", - "camelCase": { - "unsafeName": "decorrelatedEntities", - "safeName": "decorrelatedEntities" - }, - "snakeCase": { - "unsafeName": "decorrelated_entities", - "safeName": "decorrelated_entities" - }, - "screamingSnakeCase": { - "unsafeName": "DECORRELATED_ENTITIES", - "safeName": "DECORRELATED_ENTITIES" - }, - "pascalCase": { - "unsafeName": "DecorrelatedEntities", - "safeName": "DecorrelatedEntities" - } - }, - "wireValue": "decorrelated_entities" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.DecorrelatedSingle", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1DecorrelatedSingle", - "safeName": "andurilEntitymanagerV1DecorrelatedSingle" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_decorrelated_single", - "safeName": "anduril_entitymanager_v_1_decorrelated_single" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_SINGLE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_SINGLE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1DecorrelatedSingle", - "safeName": "AndurilEntitymanagerV1DecorrelatedSingle" - } - }, - "typeId": "anduril.entitymanager.v1.DecorrelatedSingle", - "default": null, - "inline": false, - "displayName": "decorrelated_entities" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A list of decorrelated entities that have been explicitly decorrelated against this entity\\n which prevents lower precedence correlations from overriding it in the future.\\n For example, if an operator in the UI decorrelated tracks A and B, any automated\\n correlators would be unable to correlate them since manual decorrelations have\\n higher precedence than automatic ones. Precedence is determined by both correlation\\n type and replication mode." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.DecorrelatedAll": { - "name": { - "typeId": "anduril.entitymanager.v1.DecorrelatedAll", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.DecorrelatedAll", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1DecorrelatedAll", - "safeName": "andurilEntitymanagerV1DecorrelatedAll" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_decorrelated_all", - "safeName": "anduril_entitymanager_v_1_decorrelated_all" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_ALL", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_ALL" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1DecorrelatedAll", - "safeName": "AndurilEntitymanagerV1DecorrelatedAll" - } - }, - "displayName": "DecorrelatedAll" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "metadata", - "camelCase": { - "unsafeName": "metadata", - "safeName": "metadata" - }, - "snakeCase": { - "unsafeName": "metadata", - "safeName": "metadata" - }, - "screamingSnakeCase": { - "unsafeName": "METADATA", - "safeName": "METADATA" - }, - "pascalCase": { - "unsafeName": "Metadata", - "safeName": "Metadata" - } - }, - "wireValue": "metadata" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationMetadata", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationMetadata", - "safeName": "andurilEntitymanagerV1CorrelationMetadata" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_metadata", - "safeName": "anduril_entitymanager_v_1_correlation_metadata" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationMetadata", - "safeName": "AndurilEntitymanagerV1CorrelationMetadata" - } - }, - "typeId": "anduril.entitymanager.v1.CorrelationMetadata", - "default": null, - "inline": false, - "displayName": "metadata" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Metadata about the decorrelation." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.DecorrelatedSingle": { - "name": { - "typeId": "anduril.entitymanager.v1.DecorrelatedSingle", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.DecorrelatedSingle", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1DecorrelatedSingle", - "safeName": "andurilEntitymanagerV1DecorrelatedSingle" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_decorrelated_single", - "safeName": "anduril_entitymanager_v_1_decorrelated_single" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_SINGLE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_SINGLE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1DecorrelatedSingle", - "safeName": "AndurilEntitymanagerV1DecorrelatedSingle" - } - }, - "displayName": "DecorrelatedSingle" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The entity that was decorrelated against." - }, - { - "name": { - "name": { - "originalName": "metadata", - "camelCase": { - "unsafeName": "metadata", - "safeName": "metadata" - }, - "snakeCase": { - "unsafeName": "metadata", - "safeName": "metadata" - }, - "screamingSnakeCase": { - "unsafeName": "METADATA", - "safeName": "METADATA" - }, - "pascalCase": { - "unsafeName": "Metadata", - "safeName": "Metadata" - } - }, - "wireValue": "metadata" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationMetadata", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationMetadata", - "safeName": "andurilEntitymanagerV1CorrelationMetadata" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_metadata", - "safeName": "anduril_entitymanager_v_1_correlation_metadata" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationMetadata", - "safeName": "AndurilEntitymanagerV1CorrelationMetadata" - } - }, - "typeId": "anduril.entitymanager.v1.CorrelationMetadata", - "default": null, - "inline": false, - "displayName": "metadata" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Metadata about the decorrelation." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.CorrelationMetadata": { - "name": { - "typeId": "anduril.entitymanager.v1.CorrelationMetadata", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationMetadata", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationMetadata", - "safeName": "andurilEntitymanagerV1CorrelationMetadata" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_metadata", - "safeName": "anduril_entitymanager_v_1_correlation_metadata" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationMetadata", - "safeName": "AndurilEntitymanagerV1CorrelationMetadata" - } - }, - "displayName": "CorrelationMetadata" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "provenance", - "camelCase": { - "unsafeName": "provenance", - "safeName": "provenance" - }, - "snakeCase": { - "unsafeName": "provenance", - "safeName": "provenance" - }, - "screamingSnakeCase": { - "unsafeName": "PROVENANCE", - "safeName": "PROVENANCE" - }, - "pascalCase": { - "unsafeName": "Provenance", - "safeName": "Provenance" - } - }, - "wireValue": "provenance" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Provenance", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Provenance", - "safeName": "andurilEntitymanagerV1Provenance" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_provenance", - "safeName": "anduril_entitymanager_v_1_provenance" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Provenance", - "safeName": "AndurilEntitymanagerV1Provenance" - } - }, - "typeId": "anduril.entitymanager.v1.Provenance", - "default": null, - "inline": false, - "displayName": "provenance" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Who or what added this entity to the (de)correlation." - }, - { - "name": { - "name": { - "originalName": "replication_mode", - "camelCase": { - "unsafeName": "replicationMode", - "safeName": "replicationMode" - }, - "snakeCase": { - "unsafeName": "replication_mode", - "safeName": "replication_mode" - }, - "screamingSnakeCase": { - "unsafeName": "REPLICATION_MODE", - "safeName": "REPLICATION_MODE" - }, - "pascalCase": { - "unsafeName": "ReplicationMode", - "safeName": "ReplicationMode" - } - }, - "wireValue": "replication_mode" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationReplicationMode", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationReplicationMode", - "safeName": "andurilEntitymanagerV1CorrelationReplicationMode" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_replication_mode", - "safeName": "anduril_entitymanager_v_1_correlation_replication_mode" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_REPLICATION_MODE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_REPLICATION_MODE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationReplicationMode", - "safeName": "AndurilEntitymanagerV1CorrelationReplicationMode" - } - }, - "typeId": "anduril.entitymanager.v1.CorrelationReplicationMode", - "default": null, - "inline": false, - "displayName": "replication_mode" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates how the correlation will be distributed. Because a correlation is composed of\\n multiple secondaries, each of which may have been correlated with different replication\\n modes, the distribution of the correlation is composed of distributions of the individual\\n entities within the correlation set.\\n For example, if there are two secondary entities A and B correlated against a primary C,\\n with A having been correlated globally and B having been correlated locally, then the\\n correlation set that is distributed globally than what is known locally in the node." - }, - { - "name": { - "name": { - "originalName": "type", - "camelCase": { - "unsafeName": "type", - "safeName": "type" - }, - "snakeCase": { - "unsafeName": "type", - "safeName": "type" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE", - "safeName": "TYPE" - }, - "pascalCase": { - "unsafeName": "Type", - "safeName": "Type" - } - }, - "wireValue": "type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.CorrelationType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1CorrelationType", - "safeName": "andurilEntitymanagerV1CorrelationType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_correlation_type", - "safeName": "anduril_entitymanager_v_1_correlation_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1CorrelationType", - "safeName": "AndurilEntitymanagerV1CorrelationType" - } - }, - "typeId": "anduril.entitymanager.v1.CorrelationType", - "default": null, - "inline": false, - "displayName": "type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "What type of (de)correlation was this entity added with." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Comparator": { - "name": { - "typeId": "anduril.entitymanager.v1.Comparator", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Comparator", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Comparator", - "safeName": "andurilEntitymanagerV1Comparator" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_comparator", - "safeName": "anduril_entitymanager_v_1_comparator" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPARATOR", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPARATOR" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Comparator", - "safeName": "AndurilEntitymanagerV1Comparator" - } - }, - "displayName": "Comparator" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "COMPARATOR_INVALID", - "camelCase": { - "unsafeName": "comparatorInvalid", - "safeName": "comparatorInvalid" - }, - "snakeCase": { - "unsafeName": "comparator_invalid", - "safeName": "comparator_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_INVALID", - "safeName": "COMPARATOR_INVALID" - }, - "pascalCase": { - "unsafeName": "ComparatorInvalid", - "safeName": "ComparatorInvalid" - } - }, - "wireValue": "COMPARATOR_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_MATCH_ALL", - "camelCase": { - "unsafeName": "comparatorMatchAll", - "safeName": "comparatorMatchAll" - }, - "snakeCase": { - "unsafeName": "comparator_match_all", - "safeName": "comparator_match_all" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_MATCH_ALL", - "safeName": "COMPARATOR_MATCH_ALL" - }, - "pascalCase": { - "unsafeName": "ComparatorMatchAll", - "safeName": "ComparatorMatchAll" - } - }, - "wireValue": "COMPARATOR_MATCH_ALL" - }, - "availability": null, - "docs": "Comparators for: boolean, numeric, string, enum, position, timestamp, positions, and bounded shapes." - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_EQUALITY", - "camelCase": { - "unsafeName": "comparatorEquality", - "safeName": "comparatorEquality" - }, - "snakeCase": { - "unsafeName": "comparator_equality", - "safeName": "comparator_equality" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_EQUALITY", - "safeName": "COMPARATOR_EQUALITY" - }, - "pascalCase": { - "unsafeName": "ComparatorEquality", - "safeName": "ComparatorEquality" - } - }, - "wireValue": "COMPARATOR_EQUALITY" - }, - "availability": null, - "docs": "Comparators for: boolean, numeric, string, enum, position, and timestamp." - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_IN", - "camelCase": { - "unsafeName": "comparatorIn", - "safeName": "comparatorIn" - }, - "snakeCase": { - "unsafeName": "comparator_in", - "safeName": "comparator_in" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_IN", - "safeName": "COMPARATOR_IN" - }, - "pascalCase": { - "unsafeName": "ComparatorIn", - "safeName": "ComparatorIn" - } - }, - "wireValue": "COMPARATOR_IN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_LESS_THAN", - "camelCase": { - "unsafeName": "comparatorLessThan", - "safeName": "comparatorLessThan" - }, - "snakeCase": { - "unsafeName": "comparator_less_than", - "safeName": "comparator_less_than" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_LESS_THAN", - "safeName": "COMPARATOR_LESS_THAN" - }, - "pascalCase": { - "unsafeName": "ComparatorLessThan", - "safeName": "ComparatorLessThan" - } - }, - "wireValue": "COMPARATOR_LESS_THAN" - }, - "availability": null, - "docs": "Comparators for: numeric, string, and timestamp." - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_GREATER_THAN", - "camelCase": { - "unsafeName": "comparatorGreaterThan", - "safeName": "comparatorGreaterThan" - }, - "snakeCase": { - "unsafeName": "comparator_greater_than", - "safeName": "comparator_greater_than" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_GREATER_THAN", - "safeName": "COMPARATOR_GREATER_THAN" - }, - "pascalCase": { - "unsafeName": "ComparatorGreaterThan", - "safeName": "ComparatorGreaterThan" - } - }, - "wireValue": "COMPARATOR_GREATER_THAN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_LESS_THAN_EQUAL_TO", - "camelCase": { - "unsafeName": "comparatorLessThanEqualTo", - "safeName": "comparatorLessThanEqualTo" - }, - "snakeCase": { - "unsafeName": "comparator_less_than_equal_to", - "safeName": "comparator_less_than_equal_to" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_LESS_THAN_EQUAL_TO", - "safeName": "COMPARATOR_LESS_THAN_EQUAL_TO" - }, - "pascalCase": { - "unsafeName": "ComparatorLessThanEqualTo", - "safeName": "ComparatorLessThanEqualTo" - } - }, - "wireValue": "COMPARATOR_LESS_THAN_EQUAL_TO" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_GREATER_THAN_EQUAL_TO", - "camelCase": { - "unsafeName": "comparatorGreaterThanEqualTo", - "safeName": "comparatorGreaterThanEqualTo" - }, - "snakeCase": { - "unsafeName": "comparator_greater_than_equal_to", - "safeName": "comparator_greater_than_equal_to" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_GREATER_THAN_EQUAL_TO", - "safeName": "COMPARATOR_GREATER_THAN_EQUAL_TO" - }, - "pascalCase": { - "unsafeName": "ComparatorGreaterThanEqualTo", - "safeName": "ComparatorGreaterThanEqualTo" - } - }, - "wireValue": "COMPARATOR_GREATER_THAN_EQUAL_TO" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_WITHIN", - "camelCase": { - "unsafeName": "comparatorWithin", - "safeName": "comparatorWithin" - }, - "snakeCase": { - "unsafeName": "comparator_within", - "safeName": "comparator_within" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_WITHIN", - "safeName": "COMPARATOR_WITHIN" - }, - "pascalCase": { - "unsafeName": "ComparatorWithin", - "safeName": "ComparatorWithin" - } - }, - "wireValue": "COMPARATOR_WITHIN" - }, - "availability": null, - "docs": "Comparators for: positions and bounded shapes." - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_EXISTS", - "camelCase": { - "unsafeName": "comparatorExists", - "safeName": "comparatorExists" - }, - "snakeCase": { - "unsafeName": "comparator_exists", - "safeName": "comparator_exists" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_EXISTS", - "safeName": "COMPARATOR_EXISTS" - }, - "pascalCase": { - "unsafeName": "ComparatorExists", - "safeName": "ComparatorExists" - } - }, - "wireValue": "COMPARATOR_EXISTS" - }, - "availability": null, - "docs": "Comparators for: existential checks.\\n TRUE if path to field exists (parent message is present), and either:\\n 1. the field is a primitive: all values including default pass check.\\n 2. the field is a message and set/present.\\n 3. the field is repeated or map with size > 0.\\n FALSE unless path exists and one of the above 3 conditions is met" - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY", - "camelCase": { - "unsafeName": "comparatorCaseInsensitiveEquality", - "safeName": "comparatorCaseInsensitiveEquality" - }, - "snakeCase": { - "unsafeName": "comparator_case_insensitive_equality", - "safeName": "comparator_case_insensitive_equality" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY", - "safeName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY" - }, - "pascalCase": { - "unsafeName": "ComparatorCaseInsensitiveEquality", - "safeName": "ComparatorCaseInsensitiveEquality" - } - }, - "wireValue": "COMPARATOR_CASE_INSENSITIVE_EQUALITY" - }, - "availability": null, - "docs": "Comparator for string type only." - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY_IN", - "camelCase": { - "unsafeName": "comparatorCaseInsensitiveEqualityIn", - "safeName": "comparatorCaseInsensitiveEqualityIn" - }, - "snakeCase": { - "unsafeName": "comparator_case_insensitive_equality_in", - "safeName": "comparator_case_insensitive_equality_in" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY_IN", - "safeName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY_IN" - }, - "pascalCase": { - "unsafeName": "ComparatorCaseInsensitiveEqualityIn", - "safeName": "ComparatorCaseInsensitiveEqualityIn" - } - }, - "wireValue": "COMPARATOR_CASE_INSENSITIVE_EQUALITY_IN" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "COMPARATOR_RANGE_CLOSED", - "camelCase": { - "unsafeName": "comparatorRangeClosed", - "safeName": "comparatorRangeClosed" - }, - "snakeCase": { - "unsafeName": "comparator_range_closed", - "safeName": "comparator_range_closed" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR_RANGE_CLOSED", - "safeName": "COMPARATOR_RANGE_CLOSED" - }, - "pascalCase": { - "unsafeName": "ComparatorRangeClosed", - "safeName": "ComparatorRangeClosed" - } - }, - "wireValue": "COMPARATOR_RANGE_CLOSED" - }, - "availability": null, - "docs": "Comparators for range types only.\\n Closed (inclusive endpoints) [a, b]" - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The Comparator specifies the set of supported comparison operations. It also provides the\\n mapping information about which comparators are supported for which values. Services that wish\\n to implement entity filters must provide validation functionality to strictly enforce these\\n mappings." - }, - "anduril.entitymanager.v1.ListComparator": { - "name": { - "typeId": "anduril.entitymanager.v1.ListComparator", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ListComparator", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ListComparator", - "safeName": "andurilEntitymanagerV1ListComparator" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_list_comparator", - "safeName": "anduril_entitymanager_v_1_list_comparator" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_COMPARATOR", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_COMPARATOR" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ListComparator", - "safeName": "AndurilEntitymanagerV1ListComparator" - } - }, - "displayName": "ListComparator" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "LIST_COMPARATOR_INVALID", - "camelCase": { - "unsafeName": "listComparatorInvalid", - "safeName": "listComparatorInvalid" - }, - "snakeCase": { - "unsafeName": "list_comparator_invalid", - "safeName": "list_comparator_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "LIST_COMPARATOR_INVALID", - "safeName": "LIST_COMPARATOR_INVALID" - }, - "pascalCase": { - "unsafeName": "ListComparatorInvalid", - "safeName": "ListComparatorInvalid" - } - }, - "wireValue": "LIST_COMPARATOR_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "LIST_COMPARATOR_ANY_OF", - "camelCase": { - "unsafeName": "listComparatorAnyOf", - "safeName": "listComparatorAnyOf" - }, - "snakeCase": { - "unsafeName": "list_comparator_any_of", - "safeName": "list_comparator_any_of" - }, - "screamingSnakeCase": { - "unsafeName": "LIST_COMPARATOR_ANY_OF", - "safeName": "LIST_COMPARATOR_ANY_OF" - }, - "pascalCase": { - "unsafeName": "ListComparatorAnyOf", - "safeName": "ListComparatorAnyOf" - } - }, - "wireValue": "LIST_COMPARATOR_ANY_OF" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The ListComparator determines how to compose statement evaluations for members of a list. For\\n example, if ANY_OF is specified, the ListOperation in which the ListComparator is embedded\\n will return TRUE if any of the values in the list returns true for the ListOperation's child\\n statement." - }, - "anduril.entitymanager.v1.StatementOperation": { - "name": { - "typeId": "anduril.entitymanager.v1.StatementOperation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StatementOperation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StatementOperation", - "safeName": "andurilEntitymanagerV1StatementOperation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement_operation", - "safeName": "anduril_entitymanager_v_1_statement_operation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_OPERATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_OPERATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StatementOperation", - "safeName": "AndurilEntitymanagerV1StatementOperation" - } - }, - "displayName": "StatementOperation" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AndOperation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AndOperation", - "safeName": "andurilEntitymanagerV1AndOperation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_and_operation", - "safeName": "anduril_entitymanager_v_1_and_operation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AndOperation", - "safeName": "AndurilEntitymanagerV1AndOperation" - } - }, - "typeId": "anduril.entitymanager.v1.AndOperation", - "default": null, - "inline": false, - "displayName": "and" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OrOperation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OrOperation", - "safeName": "andurilEntitymanagerV1OrOperation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_or_operation", - "safeName": "anduril_entitymanager_v_1_or_operation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OrOperation", - "safeName": "AndurilEntitymanagerV1OrOperation" - } - }, - "typeId": "anduril.entitymanager.v1.OrOperation", - "default": null, - "inline": false, - "displayName": "or" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NotOperation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NotOperation", - "safeName": "andurilEntitymanagerV1NotOperation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_not_operation", - "safeName": "anduril_entitymanager_v_1_not_operation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NotOperation", - "safeName": "AndurilEntitymanagerV1NotOperation" - } - }, - "typeId": "anduril.entitymanager.v1.NotOperation", - "default": null, - "inline": false, - "displayName": "not" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ListOperation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ListOperation", - "safeName": "andurilEntitymanagerV1ListOperation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_list_operation", - "safeName": "anduril_entitymanager_v_1_list_operation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_OPERATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_OPERATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ListOperation", - "safeName": "AndurilEntitymanagerV1ListOperation" - } - }, - "typeId": "anduril.entitymanager.v1.ListOperation", - "default": null, - "inline": false, - "displayName": "list" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Predicate", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Predicate", - "safeName": "andurilEntitymanagerV1Predicate" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_predicate", - "safeName": "anduril_entitymanager_v_1_predicate" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Predicate", - "safeName": "AndurilEntitymanagerV1Predicate" - } - }, - "typeId": "anduril.entitymanager.v1.Predicate", - "default": null, - "inline": false, - "displayName": "predicate" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Statement": { - "name": { - "typeId": "anduril.entitymanager.v1.Statement", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Statement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Statement", - "safeName": "andurilEntitymanagerV1Statement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement", - "safeName": "anduril_entitymanager_v_1_statement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Statement", - "safeName": "AndurilEntitymanagerV1Statement" - } - }, - "displayName": "Statement" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "operation", - "camelCase": { - "unsafeName": "operation", - "safeName": "operation" - }, - "snakeCase": { - "unsafeName": "operation", - "safeName": "operation" - }, - "screamingSnakeCase": { - "unsafeName": "OPERATION", - "safeName": "OPERATION" - }, - "pascalCase": { - "unsafeName": "Operation", - "safeName": "Operation" - } - }, - "wireValue": "operation" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StatementOperation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StatementOperation", - "safeName": "andurilEntitymanagerV1StatementOperation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement_operation", - "safeName": "anduril_entitymanager_v_1_statement_operation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_OPERATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_OPERATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StatementOperation", - "safeName": "AndurilEntitymanagerV1StatementOperation" - } - }, - "typeId": "anduril.entitymanager.v1.StatementOperation", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A Statement is the building block of the entity filter. The outermost statement is conceptually\\n the root node of an \\"expression tree\\" which allows for the construction of complete boolean\\n logic statements. Statements are formed by grouping sets of children statement(s) or predicate(s)\\n according to the boolean operation which is to be applied.\\n\\n For example, the criteria \\"take an action if an entity is hostile and an air vehicle\\" can be\\n represented as: Statement1: { AndOperation: { Predicate1, Predicate2 } }. Where Statement1\\n is the root of the expression tree, with an AND operation that is applied to children\\n predicates. The predicates themselves encode \\"entity is hostile\\" and \\"entity is air vehicle.\\"" - }, - "anduril.entitymanager.v1.AndOperationChildren": { - "name": { - "typeId": "anduril.entitymanager.v1.AndOperationChildren", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AndOperationChildren", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AndOperationChildren", - "safeName": "andurilEntitymanagerV1AndOperationChildren" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_and_operation_children", - "safeName": "anduril_entitymanager_v_1_and_operation_children" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION_CHILDREN", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION_CHILDREN" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AndOperationChildren", - "safeName": "AndurilEntitymanagerV1AndOperationChildren" - } - }, - "displayName": "AndOperationChildren" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PredicateSet", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PredicateSet", - "safeName": "andurilEntitymanagerV1PredicateSet" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_predicate_set", - "safeName": "anduril_entitymanager_v_1_predicate_set" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PredicateSet", - "safeName": "AndurilEntitymanagerV1PredicateSet" - } - }, - "typeId": "anduril.entitymanager.v1.PredicateSet", - "default": null, - "inline": false, - "displayName": "predicate_set" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StatementSet", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StatementSet", - "safeName": "andurilEntitymanagerV1StatementSet" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement_set", - "safeName": "anduril_entitymanager_v_1_statement_set" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StatementSet", - "safeName": "AndurilEntitymanagerV1StatementSet" - } - }, - "typeId": "anduril.entitymanager.v1.StatementSet", - "default": null, - "inline": false, - "displayName": "statement_set" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.AndOperation": { - "name": { - "typeId": "anduril.entitymanager.v1.AndOperation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AndOperation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AndOperation", - "safeName": "andurilEntitymanagerV1AndOperation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_and_operation", - "safeName": "anduril_entitymanager_v_1_and_operation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AndOperation", - "safeName": "AndurilEntitymanagerV1AndOperation" - } - }, - "displayName": "AndOperation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "children", - "camelCase": { - "unsafeName": "children", - "safeName": "children" - }, - "snakeCase": { - "unsafeName": "children", - "safeName": "children" - }, - "screamingSnakeCase": { - "unsafeName": "CHILDREN", - "safeName": "CHILDREN" - }, - "pascalCase": { - "unsafeName": "Children", - "safeName": "Children" - } - }, - "wireValue": "children" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.AndOperationChildren", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1AndOperationChildren", - "safeName": "andurilEntitymanagerV1AndOperationChildren" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_and_operation_children", - "safeName": "anduril_entitymanager_v_1_and_operation_children" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION_CHILDREN", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION_CHILDREN" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1AndOperationChildren", - "safeName": "AndurilEntitymanagerV1AndOperationChildren" - } - }, - "typeId": "anduril.entitymanager.v1.AndOperationChildren", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The AndOperation represents the boolean AND operation, which is to be applied to the list of\\n children statement(s) or predicate(s)." - }, - "anduril.entitymanager.v1.OrOperationChildren": { - "name": { - "typeId": "anduril.entitymanager.v1.OrOperationChildren", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OrOperationChildren", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OrOperationChildren", - "safeName": "andurilEntitymanagerV1OrOperationChildren" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_or_operation_children", - "safeName": "anduril_entitymanager_v_1_or_operation_children" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION_CHILDREN", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION_CHILDREN" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OrOperationChildren", - "safeName": "AndurilEntitymanagerV1OrOperationChildren" - } - }, - "displayName": "OrOperationChildren" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PredicateSet", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PredicateSet", - "safeName": "andurilEntitymanagerV1PredicateSet" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_predicate_set", - "safeName": "anduril_entitymanager_v_1_predicate_set" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PredicateSet", - "safeName": "AndurilEntitymanagerV1PredicateSet" - } - }, - "typeId": "anduril.entitymanager.v1.PredicateSet", - "default": null, - "inline": false, - "displayName": "predicate_set" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StatementSet", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StatementSet", - "safeName": "andurilEntitymanagerV1StatementSet" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement_set", - "safeName": "anduril_entitymanager_v_1_statement_set" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StatementSet", - "safeName": "AndurilEntitymanagerV1StatementSet" - } - }, - "typeId": "anduril.entitymanager.v1.StatementSet", - "default": null, - "inline": false, - "displayName": "statement_set" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.OrOperation": { - "name": { - "typeId": "anduril.entitymanager.v1.OrOperation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OrOperation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OrOperation", - "safeName": "andurilEntitymanagerV1OrOperation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_or_operation", - "safeName": "anduril_entitymanager_v_1_or_operation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OrOperation", - "safeName": "AndurilEntitymanagerV1OrOperation" - } - }, - "displayName": "OrOperation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "children", - "camelCase": { - "unsafeName": "children", - "safeName": "children" - }, - "snakeCase": { - "unsafeName": "children", - "safeName": "children" - }, - "screamingSnakeCase": { - "unsafeName": "CHILDREN", - "safeName": "CHILDREN" - }, - "pascalCase": { - "unsafeName": "Children", - "safeName": "Children" - } - }, - "wireValue": "children" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OrOperationChildren", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OrOperationChildren", - "safeName": "andurilEntitymanagerV1OrOperationChildren" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_or_operation_children", - "safeName": "anduril_entitymanager_v_1_or_operation_children" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION_CHILDREN", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION_CHILDREN" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OrOperationChildren", - "safeName": "AndurilEntitymanagerV1OrOperationChildren" - } - }, - "typeId": "anduril.entitymanager.v1.OrOperationChildren", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The OrOperation represents the boolean OR operation, which is to be applied to the list of\\n children statement(s) or predicate(s)." - }, - "anduril.entitymanager.v1.NotOperationChild": { - "name": { - "typeId": "anduril.entitymanager.v1.NotOperationChild", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NotOperationChild", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NotOperationChild", - "safeName": "andurilEntitymanagerV1NotOperationChild" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_not_operation_child", - "safeName": "anduril_entitymanager_v_1_not_operation_child" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION_CHILD", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION_CHILD" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NotOperationChild", - "safeName": "AndurilEntitymanagerV1NotOperationChild" - } - }, - "displayName": "NotOperationChild" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Predicate", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Predicate", - "safeName": "andurilEntitymanagerV1Predicate" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_predicate", - "safeName": "anduril_entitymanager_v_1_predicate" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Predicate", - "safeName": "AndurilEntitymanagerV1Predicate" - } - }, - "typeId": "anduril.entitymanager.v1.Predicate", - "default": null, - "inline": false, - "displayName": "predicate" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Statement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Statement", - "safeName": "andurilEntitymanagerV1Statement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement", - "safeName": "anduril_entitymanager_v_1_statement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Statement", - "safeName": "AndurilEntitymanagerV1Statement" - } - }, - "typeId": "anduril.entitymanager.v1.Statement", - "default": null, - "inline": false, - "displayName": "statement" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.NotOperation": { - "name": { - "typeId": "anduril.entitymanager.v1.NotOperation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NotOperation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NotOperation", - "safeName": "andurilEntitymanagerV1NotOperation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_not_operation", - "safeName": "anduril_entitymanager_v_1_not_operation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NotOperation", - "safeName": "AndurilEntitymanagerV1NotOperation" - } - }, - "displayName": "NotOperation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "child", - "camelCase": { - "unsafeName": "child", - "safeName": "child" - }, - "snakeCase": { - "unsafeName": "child", - "safeName": "child" - }, - "screamingSnakeCase": { - "unsafeName": "CHILD", - "safeName": "CHILD" - }, - "pascalCase": { - "unsafeName": "Child", - "safeName": "Child" - } - }, - "wireValue": "child" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NotOperationChild", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NotOperationChild", - "safeName": "andurilEntitymanagerV1NotOperationChild" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_not_operation_child", - "safeName": "anduril_entitymanager_v_1_not_operation_child" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION_CHILD", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION_CHILD" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NotOperationChild", - "safeName": "AndurilEntitymanagerV1NotOperationChild" - } - }, - "typeId": "anduril.entitymanager.v1.NotOperationChild", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The NotOperation represents the boolean NOT operation, which can only be applied to a single\\n child predicate or statement." - }, - "anduril.entitymanager.v1.ListOperation": { - "name": { - "typeId": "anduril.entitymanager.v1.ListOperation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ListOperation", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ListOperation", - "safeName": "andurilEntitymanagerV1ListOperation" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_list_operation", - "safeName": "anduril_entitymanager_v_1_list_operation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_OPERATION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_OPERATION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ListOperation", - "safeName": "AndurilEntitymanagerV1ListOperation" - } - }, - "displayName": "ListOperation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "list_path", - "camelCase": { - "unsafeName": "listPath", - "safeName": "listPath" - }, - "snakeCase": { - "unsafeName": "list_path", - "safeName": "list_path" - }, - "screamingSnakeCase": { - "unsafeName": "LIST_PATH", - "safeName": "LIST_PATH" - }, - "pascalCase": { - "unsafeName": "ListPath", - "safeName": "ListPath" - } - }, - "wireValue": "list_path" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The list_path specifies the repeated field on an entity to which this operation applies." - }, - { - "name": { - "name": { - "originalName": "list_comparator", - "camelCase": { - "unsafeName": "listComparator", - "safeName": "listComparator" - }, - "snakeCase": { - "unsafeName": "list_comparator", - "safeName": "list_comparator" - }, - "screamingSnakeCase": { - "unsafeName": "LIST_COMPARATOR", - "safeName": "LIST_COMPARATOR" - }, - "pascalCase": { - "unsafeName": "ListComparator", - "safeName": "ListComparator" - } - }, - "wireValue": "list_comparator" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ListComparator", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ListComparator", - "safeName": "andurilEntitymanagerV1ListComparator" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_list_comparator", - "safeName": "anduril_entitymanager_v_1_list_comparator" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_COMPARATOR", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_COMPARATOR" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ListComparator", - "safeName": "AndurilEntitymanagerV1ListComparator" - } - }, - "typeId": "anduril.entitymanager.v1.ListComparator", - "default": null, - "inline": false, - "displayName": "list_comparator" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The list_comparator specifies how to compose the boolean results from the child statement\\n for each member of the specified list." - }, - { - "name": { - "name": { - "originalName": "statement", - "camelCase": { - "unsafeName": "statement", - "safeName": "statement" - }, - "snakeCase": { - "unsafeName": "statement", - "safeName": "statement" - }, - "screamingSnakeCase": { - "unsafeName": "STATEMENT", - "safeName": "STATEMENT" - }, - "pascalCase": { - "unsafeName": "Statement", - "safeName": "Statement" - } - }, - "wireValue": "statement" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Statement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Statement", - "safeName": "andurilEntitymanagerV1Statement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement", - "safeName": "anduril_entitymanager_v_1_statement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Statement", - "safeName": "AndurilEntitymanagerV1Statement" - } - }, - "typeId": "anduril.entitymanager.v1.Statement", - "default": null, - "inline": false, - "displayName": "statement" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The statement is a new expression tree conceptually rooted at type of the list. It determines\\n how each member of the list is evaluated." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The ListOperation represents an operation against a proto list. If the list is of primitive proto\\n type (e.g. int32), paths in all child predicates should be left empty. If the list is of message\\n proto type (e.g. Sensor), paths in all child predicates should be relative to the list path.\\n\\n For example, the criteria \\"take an action if an entity has any sensor with sensor_id='sensor' and\\n OperationalState=STATE_OFF\\" would be modeled as:\\n Predicate1: { path: \\"sensor_id\\", comparator: EQUAL_TO, value: \\"sensor\\" }\\n Predicate2: { path: \\"operational_state\\", comparator: EQUAL_TO, value: STATE_OFF }\\n\\n Statement2: { AndOperation: PredicateSet: { , } }\\n ListOperation: { list_path: \\"sensors.sensors\\", list_comparator: ANY, statement: }\\n Statement1: { ListOperation: }\\n\\n Note that in the above, the child predicates of the list operation have paths relative to the\\n list_path because the list is comprised of message not primitive types." - }, - "anduril.entitymanager.v1.PredicateSet": { - "name": { - "typeId": "anduril.entitymanager.v1.PredicateSet", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PredicateSet", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PredicateSet", - "safeName": "andurilEntitymanagerV1PredicateSet" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_predicate_set", - "safeName": "anduril_entitymanager_v_1_predicate_set" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PredicateSet", - "safeName": "AndurilEntitymanagerV1PredicateSet" - } - }, - "displayName": "PredicateSet" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "predicates", - "camelCase": { - "unsafeName": "predicates", - "safeName": "predicates" - }, - "snakeCase": { - "unsafeName": "predicates", - "safeName": "predicates" - }, - "screamingSnakeCase": { - "unsafeName": "PREDICATES", - "safeName": "PREDICATES" - }, - "pascalCase": { - "unsafeName": "Predicates", - "safeName": "Predicates" - } - }, - "wireValue": "predicates" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Predicate", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Predicate", - "safeName": "andurilEntitymanagerV1Predicate" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_predicate", - "safeName": "anduril_entitymanager_v_1_predicate" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Predicate", - "safeName": "AndurilEntitymanagerV1Predicate" - } - }, - "typeId": "anduril.entitymanager.v1.Predicate", - "default": null, - "inline": false, - "displayName": "predicates" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The PredicateSet represents a list of predicates or \\"leaf nodes\\" in the expression tree, which\\n can be directly evaluated to a boolean TRUE/FALSE result." - }, - "anduril.entitymanager.v1.StatementSet": { - "name": { - "typeId": "anduril.entitymanager.v1.StatementSet", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StatementSet", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StatementSet", - "safeName": "andurilEntitymanagerV1StatementSet" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement_set", - "safeName": "anduril_entitymanager_v_1_statement_set" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StatementSet", - "safeName": "AndurilEntitymanagerV1StatementSet" - } - }, - "displayName": "StatementSet" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "statements", - "camelCase": { - "unsafeName": "statements", - "safeName": "statements" - }, - "snakeCase": { - "unsafeName": "statements", - "safeName": "statements" - }, - "screamingSnakeCase": { - "unsafeName": "STATEMENTS", - "safeName": "STATEMENTS" - }, - "pascalCase": { - "unsafeName": "Statements", - "safeName": "Statements" - } - }, - "wireValue": "statements" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Statement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Statement", - "safeName": "andurilEntitymanagerV1Statement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement", - "safeName": "anduril_entitymanager_v_1_statement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Statement", - "safeName": "AndurilEntitymanagerV1Statement" - } - }, - "typeId": "anduril.entitymanager.v1.Statement", - "default": null, - "inline": false, - "displayName": "statements" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The StatementSet represents a list of statements or \\"tree nodes,\\" each of which follow the same\\n behavior as the Statement proto message." - }, - "anduril.entitymanager.v1.Predicate": { - "name": { - "typeId": "anduril.entitymanager.v1.Predicate", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Predicate", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Predicate", - "safeName": "andurilEntitymanagerV1Predicate" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_predicate", - "safeName": "anduril_entitymanager_v_1_predicate" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Predicate", - "safeName": "AndurilEntitymanagerV1Predicate" - } - }, - "displayName": "Predicate" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "field_path", - "camelCase": { - "unsafeName": "fieldPath", - "safeName": "fieldPath" - }, - "snakeCase": { - "unsafeName": "field_path", - "safeName": "field_path" - }, - "screamingSnakeCase": { - "unsafeName": "FIELD_PATH", - "safeName": "FIELD_PATH" - }, - "pascalCase": { - "unsafeName": "FieldPath", - "safeName": "FieldPath" - } - }, - "wireValue": "field_path" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The field_path determines which field on an entity is being referenced in this predicate. For\\n example: correlated.primary_entity_id would be primary_entity_id in correlated component." - }, - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Value", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Value", - "safeName": "andurilEntitymanagerV1Value" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_value", - "safeName": "anduril_entitymanager_v_1_value" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Value", - "safeName": "AndurilEntitymanagerV1Value" - } - }, - "typeId": "anduril.entitymanager.v1.Value", - "default": null, - "inline": false, - "displayName": "value" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The value determines the fixed value against which the entity field is to be compared.\\n In the case of COMPARATOR_MATCH_ALL, the value contents do not matter as long as the Value is a supported\\n type." - }, - { - "name": { - "name": { - "originalName": "comparator", - "camelCase": { - "unsafeName": "comparator", - "safeName": "comparator" - }, - "snakeCase": { - "unsafeName": "comparator", - "safeName": "comparator" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR", - "safeName": "COMPARATOR" - }, - "pascalCase": { - "unsafeName": "Comparator", - "safeName": "Comparator" - } - }, - "wireValue": "comparator" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Comparator", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Comparator", - "safeName": "andurilEntitymanagerV1Comparator" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_comparator", - "safeName": "anduril_entitymanager_v_1_comparator" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPARATOR", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPARATOR" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Comparator", - "safeName": "AndurilEntitymanagerV1Comparator" - } - }, - "typeId": "anduril.entitymanager.v1.Comparator", - "default": null, - "inline": false, - "displayName": "comparator" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The comparator determines the manner in which the entity field and static value are compared.\\n Comparators may only be applied to certain values. For example, the WITHIN comparator cannot\\n be used for a boolean value comparison." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The Predicate fully encodes the information required to make an evaluation of an entity field\\n against a given static value, resulting in a boolean TRUE/FALSE result. The structure of a\\n predicate will always follow: \\"{entity-value} {comparator} {fixed-value}\\" where the entity value\\n is determined by the field path.\\n\\n For example, a predicate would read as: \\"{entity.location.velocity_enu} {LESS_THAN} {500kph}\\"" - }, - "anduril.entitymanager.v1.ValueType": { - "name": { - "typeId": "anduril.entitymanager.v1.ValueType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ValueType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ValueType", - "safeName": "andurilEntitymanagerV1ValueType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_value_type", - "safeName": "anduril_entitymanager_v_1_value_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ValueType", - "safeName": "AndurilEntitymanagerV1ValueType" - } - }, - "displayName": "ValueType" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.BooleanType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1BooleanType", - "safeName": "andurilEntitymanagerV1BooleanType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_boolean_type", - "safeName": "anduril_entitymanager_v_1_boolean_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOOLEAN_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOOLEAN_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1BooleanType", - "safeName": "AndurilEntitymanagerV1BooleanType" - } - }, - "typeId": "anduril.entitymanager.v1.BooleanType", - "default": null, - "inline": false, - "displayName": "boolean_type" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NumericType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NumericType", - "safeName": "andurilEntitymanagerV1NumericType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_numeric_type", - "safeName": "anduril_entitymanager_v_1_numeric_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NumericType", - "safeName": "AndurilEntitymanagerV1NumericType" - } - }, - "typeId": "anduril.entitymanager.v1.NumericType", - "default": null, - "inline": false, - "displayName": "numeric_type" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StringType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StringType", - "safeName": "andurilEntitymanagerV1StringType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_string_type", - "safeName": "anduril_entitymanager_v_1_string_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STRING_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STRING_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StringType", - "safeName": "AndurilEntitymanagerV1StringType" - } - }, - "typeId": "anduril.entitymanager.v1.StringType", - "default": null, - "inline": false, - "displayName": "string_type" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.EnumType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1EnumType", - "safeName": "andurilEntitymanagerV1EnumType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_enum_type", - "safeName": "anduril_entitymanager_v_1_enum_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENUM_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENUM_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1EnumType", - "safeName": "AndurilEntitymanagerV1EnumType" - } - }, - "typeId": "anduril.entitymanager.v1.EnumType", - "default": null, - "inline": false, - "displayName": "enum_type" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TimestampType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TimestampType", - "safeName": "andurilEntitymanagerV1TimestampType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_timestamp_type", - "safeName": "anduril_entitymanager_v_1_timestamp_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TIMESTAMP_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TIMESTAMP_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TimestampType", - "safeName": "AndurilEntitymanagerV1TimestampType" - } - }, - "typeId": "anduril.entitymanager.v1.TimestampType", - "default": null, - "inline": false, - "displayName": "timestamp_type" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.BoundedShapeType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1BoundedShapeType", - "safeName": "andurilEntitymanagerV1BoundedShapeType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_bounded_shape_type", - "safeName": "anduril_entitymanager_v_1_bounded_shape_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1BoundedShapeType", - "safeName": "AndurilEntitymanagerV1BoundedShapeType" - } - }, - "typeId": "anduril.entitymanager.v1.BoundedShapeType", - "default": null, - "inline": false, - "displayName": "bounded_shape_type" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PositionType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PositionType", - "safeName": "andurilEntitymanagerV1PositionType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position_type", - "safeName": "anduril_entitymanager_v_1_position_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PositionType", - "safeName": "AndurilEntitymanagerV1PositionType" - } - }, - "typeId": "anduril.entitymanager.v1.PositionType", - "default": null, - "inline": false, - "displayName": "position_type" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.HeadingType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1HeadingType", - "safeName": "andurilEntitymanagerV1HeadingType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_heading_type", - "safeName": "anduril_entitymanager_v_1_heading_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEADING_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEADING_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1HeadingType", - "safeName": "AndurilEntitymanagerV1HeadingType" - } - }, - "typeId": "anduril.entitymanager.v1.HeadingType", - "default": null, - "inline": false, - "displayName": "heading_type" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ListType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ListType", - "safeName": "andurilEntitymanagerV1ListType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_list_type", - "safeName": "anduril_entitymanager_v_1_list_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ListType", - "safeName": "AndurilEntitymanagerV1ListType" - } - }, - "typeId": "anduril.entitymanager.v1.ListType", - "default": null, - "inline": false, - "displayName": "list_type" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RangeType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RangeType", - "safeName": "andurilEntitymanagerV1RangeType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_range_type", - "safeName": "anduril_entitymanager_v_1_range_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RangeType", - "safeName": "AndurilEntitymanagerV1RangeType" - } - }, - "typeId": "anduril.entitymanager.v1.RangeType", - "default": null, - "inline": false, - "displayName": "range_type" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.Value": { - "name": { - "typeId": "anduril.entitymanager.v1.Value", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Value", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Value", - "safeName": "andurilEntitymanagerV1Value" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_value", - "safeName": "anduril_entitymanager_v_1_value" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Value", - "safeName": "AndurilEntitymanagerV1Value" - } - }, - "displayName": "Value" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "type", - "camelCase": { - "unsafeName": "type", - "safeName": "type" - }, - "snakeCase": { - "unsafeName": "type", - "safeName": "type" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE", - "safeName": "TYPE" - }, - "pascalCase": { - "unsafeName": "Type", - "safeName": "Type" - } - }, - "wireValue": "type" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ValueType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ValueType", - "safeName": "andurilEntitymanagerV1ValueType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_value_type", - "safeName": "anduril_entitymanager_v_1_value_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ValueType", - "safeName": "AndurilEntitymanagerV1ValueType" - } - }, - "typeId": "anduril.entitymanager.v1.ValueType", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The Value represents the information against which an entity field is evaluated. It is one of\\n a fixed set of types, each of which correspond to specific comparators. See \\"ComparatorType\\"\\n for the full list of Value <-> Comparator mappings." - }, - "anduril.entitymanager.v1.BooleanType": { - "name": { - "typeId": "anduril.entitymanager.v1.BooleanType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.BooleanType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1BooleanType", - "safeName": "andurilEntitymanagerV1BooleanType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_boolean_type", - "safeName": "anduril_entitymanager_v_1_boolean_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOOLEAN_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOOLEAN_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1BooleanType", - "safeName": "AndurilEntitymanagerV1BooleanType" - } - }, - "displayName": "BooleanType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The BooleanType represents a static boolean value." - }, - "anduril.entitymanager.v1.NumericTypeValue": { - "name": { - "typeId": "anduril.entitymanager.v1.NumericTypeValue", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NumericTypeValue", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NumericTypeValue", - "safeName": "andurilEntitymanagerV1NumericTypeValue" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_numeric_type_value", - "safeName": "anduril_entitymanager_v_1_numeric_type_value" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE_VALUE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE_VALUE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NumericTypeValue", - "safeName": "AndurilEntitymanagerV1NumericTypeValue" - } - }, - "displayName": "NumericTypeValue" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - }, - "docs": null - }, - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - }, - "docs": null - }, - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - }, - "docs": null - }, - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "LONG", - "v2": { - "type": "long", - "default": null - } - } - }, - "docs": null - }, - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - }, - "docs": null - }, - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "UINT_64", - "v2": { - "type": "uint64" - } - } - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.NumericType": { - "name": { - "typeId": "anduril.entitymanager.v1.NumericType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NumericType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NumericType", - "safeName": "andurilEntitymanagerV1NumericType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_numeric_type", - "safeName": "anduril_entitymanager_v_1_numeric_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NumericType", - "safeName": "AndurilEntitymanagerV1NumericType" - } - }, - "displayName": "NumericType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NumericTypeValue", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NumericTypeValue", - "safeName": "andurilEntitymanagerV1NumericTypeValue" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_numeric_type_value", - "safeName": "anduril_entitymanager_v_1_numeric_type_value" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE_VALUE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE_VALUE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NumericTypeValue", - "safeName": "AndurilEntitymanagerV1NumericTypeValue" - } - }, - "typeId": "anduril.entitymanager.v1.NumericTypeValue", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The NumericType represents static numeric values. It supports all numeric primitives supported\\n by the proto3 language specification." - }, - "anduril.entitymanager.v1.StringType": { - "name": { - "typeId": "anduril.entitymanager.v1.StringType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StringType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StringType", - "safeName": "andurilEntitymanagerV1StringType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_string_type", - "safeName": "anduril_entitymanager_v_1_string_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STRING_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STRING_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StringType", - "safeName": "AndurilEntitymanagerV1StringType" - } - }, - "displayName": "StringType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The StringType represents static string values." - }, - "anduril.entitymanager.v1.EnumType": { - "name": { - "typeId": "anduril.entitymanager.v1.EnumType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.EnumType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1EnumType", - "safeName": "andurilEntitymanagerV1EnumType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_enum_type", - "safeName": "anduril_entitymanager_v_1_enum_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENUM_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENUM_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1EnumType", - "safeName": "AndurilEntitymanagerV1EnumType" - } - }, - "displayName": "EnumType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The EnumType represents members of well-known anduril ontologies, such as \\"disposition.\\" When\\n such a value is specified, the evaluation library expects the integer representation of the enum\\n value. For example, a disposition derived from ontology.v1 such as \\"DISPOSITION_HOSTILE\\" should be\\n represented with the integer value 2." - }, - "anduril.entitymanager.v1.ListType": { - "name": { - "typeId": "anduril.entitymanager.v1.ListType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.ListType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1ListType", - "safeName": "andurilEntitymanagerV1ListType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_list_type", - "safeName": "anduril_entitymanager_v_1_list_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1ListType", - "safeName": "AndurilEntitymanagerV1ListType" - } - }, - "displayName": "ListType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "values", - "camelCase": { - "unsafeName": "values", - "safeName": "values" - }, - "snakeCase": { - "unsafeName": "values", - "safeName": "values" - }, - "screamingSnakeCase": { - "unsafeName": "VALUES", - "safeName": "VALUES" - }, - "pascalCase": { - "unsafeName": "Values", - "safeName": "Values" - } - }, - "wireValue": "values" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Value", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Value", - "safeName": "andurilEntitymanagerV1Value" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_value", - "safeName": "anduril_entitymanager_v_1_value" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Value", - "safeName": "AndurilEntitymanagerV1Value" - } - }, - "typeId": "anduril.entitymanager.v1.Value", - "default": null, - "inline": false, - "displayName": "values" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A List of Values for use with the IN comparator." - }, - "anduril.entitymanager.v1.TimestampType": { - "name": { - "typeId": "anduril.entitymanager.v1.TimestampType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.TimestampType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1TimestampType", - "safeName": "andurilEntitymanagerV1TimestampType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_timestamp_type", - "safeName": "anduril_entitymanager_v_1_timestamp_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TIMESTAMP_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_TIMESTAMP_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1TimestampType", - "safeName": "AndurilEntitymanagerV1TimestampType" - } - }, - "displayName": "TimestampType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "value" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The TimestampType represents a static timestamp value." - }, - "anduril.entitymanager.v1.PositionType": { - "name": { - "typeId": "anduril.entitymanager.v1.PositionType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PositionType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PositionType", - "safeName": "andurilEntitymanagerV1PositionType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position_type", - "safeName": "anduril_entitymanager_v_1_position_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PositionType", - "safeName": "AndurilEntitymanagerV1PositionType" - } - }, - "displayName": "PositionType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Position", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Position", - "safeName": "andurilEntitymanagerV1Position" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_position", - "safeName": "anduril_entitymanager_v_1_position" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Position", - "safeName": "AndurilEntitymanagerV1Position" - } - }, - "typeId": "anduril.entitymanager.v1.Position", - "default": null, - "inline": false, - "displayName": "value" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The PositionType represents any fixed LLA point in space." - }, - "anduril.entitymanager.v1.BoundedShapeTypeValue": { - "name": { - "typeId": "anduril.entitymanager.v1.BoundedShapeTypeValue", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.BoundedShapeTypeValue", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1BoundedShapeTypeValue", - "safeName": "andurilEntitymanagerV1BoundedShapeTypeValue" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_bounded_shape_type_value", - "safeName": "anduril_entitymanager_v_1_bounded_shape_type_value" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE_VALUE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE_VALUE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1BoundedShapeTypeValue", - "safeName": "AndurilEntitymanagerV1BoundedShapeTypeValue" - } - }, - "displayName": "BoundedShapeTypeValue" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GeoPolygon", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GeoPolygon", - "safeName": "andurilEntitymanagerV1GeoPolygon" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_geo_polygon", - "safeName": "anduril_entitymanager_v_1_geo_polygon" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GeoPolygon", - "safeName": "AndurilEntitymanagerV1GeoPolygon" - } - }, - "typeId": "anduril.entitymanager.v1.GeoPolygon", - "default": null, - "inline": false, - "displayName": "polygon_value" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.BoundedShapeType": { - "name": { - "typeId": "anduril.entitymanager.v1.BoundedShapeType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.BoundedShapeType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1BoundedShapeType", - "safeName": "andurilEntitymanagerV1BoundedShapeType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_bounded_shape_type", - "safeName": "anduril_entitymanager_v_1_bounded_shape_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1BoundedShapeType", - "safeName": "AndurilEntitymanagerV1BoundedShapeType" - } - }, - "displayName": "BoundedShapeType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.BoundedShapeTypeValue", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1BoundedShapeTypeValue", - "safeName": "andurilEntitymanagerV1BoundedShapeTypeValue" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_bounded_shape_type_value", - "safeName": "anduril_entitymanager_v_1_bounded_shape_type_value" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE_VALUE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE_VALUE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1BoundedShapeTypeValue", - "safeName": "AndurilEntitymanagerV1BoundedShapeTypeValue" - } - }, - "typeId": "anduril.entitymanager.v1.BoundedShapeTypeValue", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The BoundedShapeType represents any static fully-enclosed shape." - }, - "anduril.entitymanager.v1.HeadingType": { - "name": { - "typeId": "anduril.entitymanager.v1.HeadingType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.HeadingType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1HeadingType", - "safeName": "andurilEntitymanagerV1HeadingType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_heading_type", - "safeName": "anduril_entitymanager_v_1_heading_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEADING_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEADING_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1HeadingType", - "safeName": "AndurilEntitymanagerV1HeadingType" - } - }, - "displayName": "HeadingType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The HeadingType represents the heading in degrees for an entity's\\n attitudeEnu quaternion to be compared against. Defaults between a range of 0 to 360" - }, - "anduril.entitymanager.v1.RangeType": { - "name": { - "typeId": "anduril.entitymanager.v1.RangeType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RangeType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RangeType", - "safeName": "andurilEntitymanagerV1RangeType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_range_type", - "safeName": "anduril_entitymanager_v_1_range_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RangeType", - "safeName": "AndurilEntitymanagerV1RangeType" - } - }, - "displayName": "RangeType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "start", - "camelCase": { - "unsafeName": "start", - "safeName": "start" - }, - "snakeCase": { - "unsafeName": "start", - "safeName": "start" - }, - "screamingSnakeCase": { - "unsafeName": "START", - "safeName": "START" - }, - "pascalCase": { - "unsafeName": "Start", - "safeName": "Start" - } - }, - "wireValue": "start" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NumericType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NumericType", - "safeName": "andurilEntitymanagerV1NumericType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_numeric_type", - "safeName": "anduril_entitymanager_v_1_numeric_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NumericType", - "safeName": "AndurilEntitymanagerV1NumericType" - } - }, - "typeId": "anduril.entitymanager.v1.NumericType", - "default": null, - "inline": false, - "displayName": "start" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "end", - "camelCase": { - "unsafeName": "end", - "safeName": "end" - }, - "snakeCase": { - "unsafeName": "end", - "safeName": "end" - }, - "screamingSnakeCase": { - "unsafeName": "END", - "safeName": "END" - }, - "pascalCase": { - "unsafeName": "End", - "safeName": "End" - } - }, - "wireValue": "end" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.NumericType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1NumericType", - "safeName": "andurilEntitymanagerV1NumericType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_numeric_type", - "safeName": "anduril_entitymanager_v_1_numeric_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1NumericType", - "safeName": "AndurilEntitymanagerV1NumericType" - } - }, - "typeId": "anduril.entitymanager.v1.NumericType", - "default": null, - "inline": false, - "displayName": "end" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The RangeType represents a numeric range.\\n Whether endpoints are included are based on the comparator used.\\n Both endpoints must be of the same numeric type." - }, - "anduril.entitymanager.v1.RateLimit": { - "name": { - "typeId": "anduril.entitymanager.v1.RateLimit", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RateLimit", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RateLimit", - "safeName": "andurilEntitymanagerV1RateLimit" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_rate_limit", - "safeName": "anduril_entitymanager_v_1_rate_limit" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RATE_LIMIT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RATE_LIMIT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RateLimit", - "safeName": "AndurilEntitymanagerV1RateLimit" - } - }, - "displayName": "RateLimit" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "update_per_entity_limit_ms", - "camelCase": { - "unsafeName": "updatePerEntityLimitMs", - "safeName": "updatePerEntityLimitMs" - }, - "snakeCase": { - "unsafeName": "update_per_entity_limit_ms", - "safeName": "update_per_entity_limit_ms" - }, - "screamingSnakeCase": { - "unsafeName": "UPDATE_PER_ENTITY_LIMIT_MS", - "safeName": "UPDATE_PER_ENTITY_LIMIT_MS" - }, - "pascalCase": { - "unsafeName": "UpdatePerEntityLimitMs", - "safeName": "UpdatePerEntityLimitMs" - } - }, - "wireValue": "update_per_entity_limit_ms" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Specifies a minimum duration in milliseconds after an update for a given entity before another one\\n will be sent for the same entity.\\n A value of 0 is treated as unset. If set, value must be >= 500.\\n Example: if set to 1000, and 4 events occur (ms since start) at T0, T500, T900, T2100, then\\n event from T0 will be sent at T0, T500 will be dropped, T900 will be sent at minimum of T1000,\\n and T2100 will be sent on time (2100)\\n This will only limit updates, other events will be sent immediately, with a delete clearing anything held" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "rate-limiting / down-sampling parameters." - }, - "anduril.entitymanager.v1.EventType": { - "name": { - "typeId": "anduril.entitymanager.v1.EventType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.EventType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1EventType", - "safeName": "andurilEntitymanagerV1EventType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_event_type", - "safeName": "anduril_entitymanager_v_1_event_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_EVENT_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_EVENT_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1EventType", - "safeName": "AndurilEntitymanagerV1EventType" - } - }, - "displayName": "EventType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "EVENT_TYPE_INVALID", - "camelCase": { - "unsafeName": "eventTypeInvalid", - "safeName": "eventTypeInvalid" - }, - "snakeCase": { - "unsafeName": "event_type_invalid", - "safeName": "event_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE_INVALID", - "safeName": "EVENT_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "EventTypeInvalid", - "safeName": "EventTypeInvalid" - } - }, - "wireValue": "EVENT_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EVENT_TYPE_CREATED", - "camelCase": { - "unsafeName": "eventTypeCreated", - "safeName": "eventTypeCreated" - }, - "snakeCase": { - "unsafeName": "event_type_created", - "safeName": "event_type_created" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE_CREATED", - "safeName": "EVENT_TYPE_CREATED" - }, - "pascalCase": { - "unsafeName": "EventTypeCreated", - "safeName": "EventTypeCreated" - } - }, - "wireValue": "EVENT_TYPE_CREATED" - }, - "availability": null, - "docs": "entity was created." - }, - { - "name": { - "name": { - "originalName": "EVENT_TYPE_UPDATE", - "camelCase": { - "unsafeName": "eventTypeUpdate", - "safeName": "eventTypeUpdate" - }, - "snakeCase": { - "unsafeName": "event_type_update", - "safeName": "event_type_update" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE_UPDATE", - "safeName": "EVENT_TYPE_UPDATE" - }, - "pascalCase": { - "unsafeName": "EventTypeUpdate", - "safeName": "EventTypeUpdate" - } - }, - "wireValue": "EVENT_TYPE_UPDATE" - }, - "availability": null, - "docs": "entity was updated." - }, - { - "name": { - "name": { - "originalName": "EVENT_TYPE_DELETED", - "camelCase": { - "unsafeName": "eventTypeDeleted", - "safeName": "eventTypeDeleted" - }, - "snakeCase": { - "unsafeName": "event_type_deleted", - "safeName": "event_type_deleted" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE_DELETED", - "safeName": "EVENT_TYPE_DELETED" - }, - "pascalCase": { - "unsafeName": "EventTypeDeleted", - "safeName": "EventTypeDeleted" - } - }, - "wireValue": "EVENT_TYPE_DELETED" - }, - "availability": null, - "docs": "entity was deleted." - }, - { - "name": { - "name": { - "originalName": "EVENT_TYPE_PREEXISTING", - "camelCase": { - "unsafeName": "eventTypePreexisting", - "safeName": "eventTypePreexisting" - }, - "snakeCase": { - "unsafeName": "event_type_preexisting", - "safeName": "event_type_preexisting" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE_PREEXISTING", - "safeName": "EVENT_TYPE_PREEXISTING" - }, - "pascalCase": { - "unsafeName": "EventTypePreexisting", - "safeName": "EventTypePreexisting" - } - }, - "wireValue": "EVENT_TYPE_PREEXISTING" - }, - "availability": null, - "docs": "entity already existed, but sent on a new stream connection." - }, - { - "name": { - "name": { - "originalName": "EVENT_TYPE_POST_EXPIRY_OVERRIDE", - "camelCase": { - "unsafeName": "eventTypePostExpiryOverride", - "safeName": "eventTypePostExpiryOverride" - }, - "snakeCase": { - "unsafeName": "event_type_post_expiry_override", - "safeName": "event_type_post_expiry_override" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE_POST_EXPIRY_OVERRIDE", - "safeName": "EVENT_TYPE_POST_EXPIRY_OVERRIDE" - }, - "pascalCase": { - "unsafeName": "EventTypePostExpiryOverride", - "safeName": "EventTypePostExpiryOverride" - } - }, - "wireValue": "EVENT_TYPE_POST_EXPIRY_OVERRIDE" - }, - "availability": null, - "docs": "entity override was set after the entity expiration." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The type of entity event." - }, - "anduril.entitymanager.v1.PublishEntityRequest": { - "name": { - "typeId": "anduril.entitymanager.v1.PublishEntityRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PublishEntityRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PublishEntityRequest", - "safeName": "andurilEntitymanagerV1PublishEntityRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_publish_entity_request", - "safeName": "anduril_entitymanager_v_1_publish_entity_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PublishEntityRequest", - "safeName": "AndurilEntitymanagerV1PublishEntityRequest" - } - }, - "displayName": "PublishEntityRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity", - "camelCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "snakeCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY", - "safeName": "ENTITY" - }, - "pascalCase": { - "unsafeName": "Entity", - "safeName": "Entity" - } - }, - "wireValue": "entity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Entity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Entity", - "safeName": "andurilEntitymanagerV1Entity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_entity", - "safeName": "anduril_entitymanager_v_1_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Entity", - "safeName": "AndurilEntitymanagerV1Entity" - } - }, - "typeId": "anduril.entitymanager.v1.Entity", - "default": null, - "inline": false, - "displayName": "entity" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Create or update an entity.\\n Required fields:\\n * entity_id: Unique string identifier. Can be a Globally Unique Identifier (GUID).\\n * expiry_time: Expiration time that must be greater than the current time and less than 30 days in the future. The Entities API will reject any entity update with an expiry_time in the past. When the expiry_time has passed, the Entities API will delete the entity from the COP and send a DELETE event.\\n * is_live: Boolean that when true, creates or updates the entity. If false and the entity is still live, triggers a DELETE event.\\n * provenance.integration_name: String that uniquely identifies the integration responsible for publishing the entity.\\n * provenance.data_type.\\n * provenance.source_update_time. This can be earlier than the RPC call if the data entered is older.\\n * aliases.name: Human-readable string that represents the name of an entity.\\n * ontology.template\\n For additional required fields that are determined by template, see com.anduril.entitymanager.v1.Template.\\n if an entity_id is provided, Entity Manager updates the entity. If no entity_id is provided, it creates an entity." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.PublishEntityResponse": { - "name": { - "typeId": "anduril.entitymanager.v1.PublishEntityResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PublishEntityResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PublishEntityResponse", - "safeName": "andurilEntitymanagerV1PublishEntityResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_publish_entity_response", - "safeName": "anduril_entitymanager_v_1_publish_entity_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PublishEntityResponse", - "safeName": "AndurilEntitymanagerV1PublishEntityResponse" - } - }, - "displayName": "PublishEntityResponse" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.PublishEntitiesRequest": { - "name": { - "typeId": "anduril.entitymanager.v1.PublishEntitiesRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PublishEntitiesRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PublishEntitiesRequest", - "safeName": "andurilEntitymanagerV1PublishEntitiesRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_publish_entities_request", - "safeName": "anduril_entitymanager_v_1_publish_entities_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PublishEntitiesRequest", - "safeName": "AndurilEntitymanagerV1PublishEntitiesRequest" - } - }, - "displayName": "PublishEntitiesRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity", - "camelCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "snakeCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY", - "safeName": "ENTITY" - }, - "pascalCase": { - "unsafeName": "Entity", - "safeName": "Entity" - } - }, - "wireValue": "entity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Entity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Entity", - "safeName": "andurilEntitymanagerV1Entity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_entity", - "safeName": "anduril_entitymanager_v_1_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Entity", - "safeName": "AndurilEntitymanagerV1Entity" - } - }, - "typeId": "anduril.entitymanager.v1.Entity", - "default": null, - "inline": false, - "displayName": "entity" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Sends a stream of entity objects to create or update.\\n Each entity requires the following fields:\\n * entity_id: Unique string identifier. Can be a Globally Unique Identifier (GUID).\\n * expiry_time: Expiration time that must be greater than the current time and less than 30 days in the future. The Entities API will reject any entity update with an expiry_time in the past. When the expiry_time has passed, the Entities API will delete the entity from the COP and send a DELETE event.\\n * is_live: Boolean that when true, creates or updates the entity. If false and the entity is still live, triggers a DELETE event.\\n * provenance.integration_name: String that uniquely identifies the integration responsible for publishing the entity.\\n * provenance.data_type.\\n * provenance.source_update_time. This can be earlier than the RPC call if the data entered is older.\\n * aliases.name: Human-readable string that represents the name of an entity.\\n * ontology.template\\n For additional required fields that are determined by template, see com.anduril.entitymanager.v1.Template.\\n If an entity_id is provided, the entity updates. If no entity_id is provided, the entity is created." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.PublishEntitiesResponse": { - "name": { - "typeId": "anduril.entitymanager.v1.PublishEntitiesResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PublishEntitiesResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PublishEntitiesResponse", - "safeName": "andurilEntitymanagerV1PublishEntitiesResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_publish_entities_response", - "safeName": "anduril_entitymanager_v_1_publish_entities_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PublishEntitiesResponse", - "safeName": "AndurilEntitymanagerV1PublishEntitiesResponse" - } - }, - "displayName": "PublishEntitiesResponse" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "After the stream closes, the server returns an empty message indicating success. The server will silently\\n drop invalid entities from the client stream. The client must reopen the stream if it's canceled due to\\n an End of File (EOF) or timeout." - }, - "anduril.entitymanager.v1.GetEntityRequest": { - "name": { - "typeId": "anduril.entitymanager.v1.GetEntityRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GetEntityRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GetEntityRequest", - "safeName": "andurilEntitymanagerV1GetEntityRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_get_entity_request", - "safeName": "anduril_entitymanager_v_1_get_entity_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GetEntityRequest", - "safeName": "AndurilEntitymanagerV1GetEntityRequest" - } - }, - "displayName": "GetEntityRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The GUID of this entity to query." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.GetEntityResponse": { - "name": { - "typeId": "anduril.entitymanager.v1.GetEntityResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GetEntityResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GetEntityResponse", - "safeName": "andurilEntitymanagerV1GetEntityResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_get_entity_response", - "safeName": "anduril_entitymanager_v_1_get_entity_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GetEntityResponse", - "safeName": "AndurilEntitymanagerV1GetEntityResponse" - } - }, - "displayName": "GetEntityResponse" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity", - "camelCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "snakeCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY", - "safeName": "ENTITY" - }, - "pascalCase": { - "unsafeName": "Entity", - "safeName": "Entity" - } - }, - "wireValue": "entity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Entity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Entity", - "safeName": "andurilEntitymanagerV1Entity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_entity", - "safeName": "anduril_entitymanager_v_1_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Entity", - "safeName": "AndurilEntitymanagerV1Entity" - } - }, - "typeId": "anduril.entitymanager.v1.Entity", - "default": null, - "inline": false, - "displayName": "entity" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "An Entity object that corresponds with the requested entityId." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.OverrideEntityRequest": { - "name": { - "typeId": "anduril.entitymanager.v1.OverrideEntityRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OverrideEntityRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OverrideEntityRequest", - "safeName": "andurilEntitymanagerV1OverrideEntityRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override_entity_request", - "safeName": "anduril_entitymanager_v_1_override_entity_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OverrideEntityRequest", - "safeName": "AndurilEntitymanagerV1OverrideEntityRequest" - } - }, - "displayName": "OverrideEntityRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity", - "camelCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "snakeCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY", - "safeName": "ENTITY" - }, - "pascalCase": { - "unsafeName": "Entity", - "safeName": "Entity" - } - }, - "wireValue": "entity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Entity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Entity", - "safeName": "andurilEntitymanagerV1Entity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_entity", - "safeName": "anduril_entitymanager_v_1_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Entity", - "safeName": "AndurilEntitymanagerV1Entity" - } - }, - "typeId": "anduril.entitymanager.v1.Entity", - "default": null, - "inline": false, - "displayName": "entity" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The entity containing the overridden fields. The service will extract the overridable fields from the entity\\n object and ignore any other fields." - }, - { - "name": { - "name": { - "originalName": "field_path", - "camelCase": { - "unsafeName": "fieldPath", - "safeName": "fieldPath" - }, - "snakeCase": { - "unsafeName": "field_path", - "safeName": "field_path" - }, - "screamingSnakeCase": { - "unsafeName": "FIELD_PATH", - "safeName": "FIELD_PATH" - }, - "pascalCase": { - "unsafeName": "FieldPath", - "safeName": "FieldPath" - } - }, - "wireValue": "field_path" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The field paths that will be extracted from the Entity and saved as an override. Only fields marked overridable can\\n be overridden." - }, - { - "name": { - "name": { - "originalName": "provenance", - "camelCase": { - "unsafeName": "provenance", - "safeName": "provenance" - }, - "snakeCase": { - "unsafeName": "provenance", - "safeName": "provenance" - }, - "screamingSnakeCase": { - "unsafeName": "PROVENANCE", - "safeName": "PROVENANCE" - }, - "pascalCase": { - "unsafeName": "Provenance", - "safeName": "Provenance" - } - }, - "wireValue": "provenance" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Provenance", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Provenance", - "safeName": "andurilEntitymanagerV1Provenance" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_provenance", - "safeName": "anduril_entitymanager_v_1_provenance" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Provenance", - "safeName": "AndurilEntitymanagerV1Provenance" - } - }, - "typeId": "anduril.entitymanager.v1.Provenance", - "default": null, - "inline": false, - "displayName": "provenance" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Additional information about the source of the override." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.OverrideEntityResponse": { - "name": { - "typeId": "anduril.entitymanager.v1.OverrideEntityResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OverrideEntityResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OverrideEntityResponse", - "safeName": "andurilEntitymanagerV1OverrideEntityResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override_entity_response", - "safeName": "anduril_entitymanager_v_1_override_entity_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OverrideEntityResponse", - "safeName": "AndurilEntitymanagerV1OverrideEntityResponse" - } - }, - "displayName": "OverrideEntityResponse" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "status", - "camelCase": { - "unsafeName": "status", - "safeName": "status" - }, - "snakeCase": { - "unsafeName": "status", - "safeName": "status" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS", - "safeName": "STATUS" - }, - "pascalCase": { - "unsafeName": "Status", - "safeName": "Status" - } - }, - "wireValue": "status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OverrideStatus", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OverrideStatus", - "safeName": "andurilEntitymanagerV1OverrideStatus" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override_status", - "safeName": "anduril_entitymanager_v_1_override_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OverrideStatus", - "safeName": "AndurilEntitymanagerV1OverrideStatus" - } - }, - "typeId": "anduril.entitymanager.v1.OverrideStatus", - "default": null, - "inline": false, - "displayName": "status" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The status of the override request." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.RemoveEntityOverrideRequest": { - "name": { - "typeId": "anduril.entitymanager.v1.RemoveEntityOverrideRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RemoveEntityOverrideRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RemoveEntityOverrideRequest", - "safeName": "andurilEntitymanagerV1RemoveEntityOverrideRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_remove_entity_override_request", - "safeName": "anduril_entitymanager_v_1_remove_entity_override_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RemoveEntityOverrideRequest", - "safeName": "AndurilEntitymanagerV1RemoveEntityOverrideRequest" - } - }, - "displayName": "RemoveEntityOverrideRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The entity ID that the override will be removed from." - }, - { - "name": { - "name": { - "originalName": "field_path", - "camelCase": { - "unsafeName": "fieldPath", - "safeName": "fieldPath" - }, - "snakeCase": { - "unsafeName": "field_path", - "safeName": "field_path" - }, - "screamingSnakeCase": { - "unsafeName": "FIELD_PATH", - "safeName": "FIELD_PATH" - }, - "pascalCase": { - "unsafeName": "FieldPath", - "safeName": "FieldPath" - } - }, - "wireValue": "field_path" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The field paths to remove from the override store for the provided entityId." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.RemoveEntityOverrideResponse": { - "name": { - "typeId": "anduril.entitymanager.v1.RemoveEntityOverrideResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RemoveEntityOverrideResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RemoveEntityOverrideResponse", - "safeName": "andurilEntitymanagerV1RemoveEntityOverrideResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_remove_entity_override_response", - "safeName": "anduril_entitymanager_v_1_remove_entity_override_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RemoveEntityOverrideResponse", - "safeName": "AndurilEntitymanagerV1RemoveEntityOverrideResponse" - } - }, - "displayName": "RemoveEntityOverrideResponse" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "void response but with placeholder for future optional fields." - }, - "anduril.entitymanager.v1.StreamEntityComponentsRequest": { - "name": { - "typeId": "anduril.entitymanager.v1.StreamEntityComponentsRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StreamEntityComponentsRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StreamEntityComponentsRequest", - "safeName": "andurilEntitymanagerV1StreamEntityComponentsRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_stream_entity_components_request", - "safeName": "anduril_entitymanager_v_1_stream_entity_components_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StreamEntityComponentsRequest", - "safeName": "AndurilEntitymanagerV1StreamEntityComponentsRequest" - } - }, - "displayName": "StreamEntityComponentsRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "components_to_include", - "camelCase": { - "unsafeName": "componentsToInclude", - "safeName": "componentsToInclude" - }, - "snakeCase": { - "unsafeName": "components_to_include", - "safeName": "components_to_include" - }, - "screamingSnakeCase": { - "unsafeName": "COMPONENTS_TO_INCLUDE", - "safeName": "COMPONENTS_TO_INCLUDE" - }, - "pascalCase": { - "unsafeName": "ComponentsToInclude", - "safeName": "ComponentsToInclude" - } - }, - "wireValue": "components_to_include" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "lower_snake_case component names to include in response events, e.g. location. Only included components will\\n populate." - }, - { - "name": { - "name": { - "originalName": "include_all_components", - "camelCase": { - "unsafeName": "includeAllComponents", - "safeName": "includeAllComponents" - }, - "snakeCase": { - "unsafeName": "include_all_components", - "safeName": "include_all_components" - }, - "screamingSnakeCase": { - "unsafeName": "INCLUDE_ALL_COMPONENTS", - "safeName": "INCLUDE_ALL_COMPONENTS" - }, - "pascalCase": { - "unsafeName": "IncludeAllComponents", - "safeName": "IncludeAllComponents" - } - }, - "wireValue": "include_all_components" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Subscribe to all components. This should only be used in cases where you want all components.\\n Setting both components_to_include and include_all_components is invalid and will be rejected." - }, - { - "name": { - "name": { - "originalName": "filter", - "camelCase": { - "unsafeName": "filter", - "safeName": "filter" - }, - "snakeCase": { - "unsafeName": "filter", - "safeName": "filter" - }, - "screamingSnakeCase": { - "unsafeName": "FILTER", - "safeName": "FILTER" - }, - "pascalCase": { - "unsafeName": "Filter", - "safeName": "Filter" - } - }, - "wireValue": "filter" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Statement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Statement", - "safeName": "andurilEntitymanagerV1Statement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement", - "safeName": "anduril_entitymanager_v_1_statement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Statement", - "safeName": "AndurilEntitymanagerV1Statement" - } - }, - "typeId": "anduril.entitymanager.v1.Statement", - "default": null, - "inline": false, - "displayName": "filter" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The root node of a statement filter \\"tree\\".\\n If provided, only entities matching the filter criteria will be streamed. The filter is applied dynamically so if a\\n new entity matches, it will be included, and if an entity updates to no longer match, it will be excluded." - }, - { - "name": { - "name": { - "originalName": "rate_limit", - "camelCase": { - "unsafeName": "rateLimit", - "safeName": "rateLimit" - }, - "snakeCase": { - "unsafeName": "rate_limit", - "safeName": "rate_limit" - }, - "screamingSnakeCase": { - "unsafeName": "RATE_LIMIT", - "safeName": "RATE_LIMIT" - }, - "pascalCase": { - "unsafeName": "RateLimit", - "safeName": "RateLimit" - } - }, - "wireValue": "rate_limit" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RateLimit", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RateLimit", - "safeName": "andurilEntitymanagerV1RateLimit" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_rate_limit", - "safeName": "anduril_entitymanager_v_1_rate_limit" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RATE_LIMIT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_RATE_LIMIT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RateLimit", - "safeName": "AndurilEntitymanagerV1RateLimit" - } - }, - "typeId": "anduril.entitymanager.v1.RateLimit", - "default": null, - "inline": false, - "displayName": "rate_limit" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional rate-limiting / down-sampling parameters, see RateLimit message for details." - }, - { - "name": { - "name": { - "originalName": "heartbeat_period_millis", - "camelCase": { - "unsafeName": "heartbeatPeriodMillis", - "safeName": "heartbeatPeriodMillis" - }, - "snakeCase": { - "unsafeName": "heartbeat_period_millis", - "safeName": "heartbeat_period_millis" - }, - "screamingSnakeCase": { - "unsafeName": "HEARTBEAT_PERIOD_MILLIS", - "safeName": "HEARTBEAT_PERIOD_MILLIS" - }, - "pascalCase": { - "unsafeName": "HeartbeatPeriodMillis", - "safeName": "HeartbeatPeriodMillis" - } - }, - "wireValue": "heartbeat_period_millis" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The period (in milliseconds) at which a Heartbeat message will be sent on the\\n message stream. If this field is set to 0 then no Heartbeat messages are sent." - }, - { - "name": { - "name": { - "originalName": "preexisting_only", - "camelCase": { - "unsafeName": "preexistingOnly", - "safeName": "preexistingOnly" - }, - "snakeCase": { - "unsafeName": "preexisting_only", - "safeName": "preexisting_only" - }, - "screamingSnakeCase": { - "unsafeName": "PREEXISTING_ONLY", - "safeName": "PREEXISTING_ONLY" - }, - "pascalCase": { - "unsafeName": "PreexistingOnly", - "safeName": "PreexistingOnly" - } - }, - "wireValue": "preexisting_only" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Subscribe to a finite stream of preexisting events which closes when there are no additional pre-existing events to\\n process. Respects the filter specified on the StreamEntityComponentsRequest." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.StreamEntityComponentsResponse": { - "name": { - "typeId": "anduril.entitymanager.v1.StreamEntityComponentsResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StreamEntityComponentsResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StreamEntityComponentsResponse", - "safeName": "andurilEntitymanagerV1StreamEntityComponentsResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_stream_entity_components_response", - "safeName": "anduril_entitymanager_v_1_stream_entity_components_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StreamEntityComponentsResponse", - "safeName": "AndurilEntitymanagerV1StreamEntityComponentsResponse" - } - }, - "displayName": "StreamEntityComponentsResponse" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_event", - "camelCase": { - "unsafeName": "entityEvent", - "safeName": "entityEvent" - }, - "snakeCase": { - "unsafeName": "entity_event", - "safeName": "entity_event" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_EVENT", - "safeName": "ENTITY_EVENT" - }, - "pascalCase": { - "unsafeName": "EntityEvent", - "safeName": "EntityEvent" - } - }, - "wireValue": "entity_event" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.EntityEvent", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1EntityEvent", - "safeName": "andurilEntitymanagerV1EntityEvent" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_entity_event", - "safeName": "anduril_entitymanager_v_1_entity_event" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY_EVENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY_EVENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1EntityEvent", - "safeName": "AndurilEntitymanagerV1EntityEvent" - } - }, - "typeId": "anduril.entitymanager.v1.EntityEvent", - "default": null, - "inline": false, - "displayName": "entity_event" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "heartbeat", - "camelCase": { - "unsafeName": "heartbeat", - "safeName": "heartbeat" - }, - "snakeCase": { - "unsafeName": "heartbeat", - "safeName": "heartbeat" - }, - "screamingSnakeCase": { - "unsafeName": "HEARTBEAT", - "safeName": "HEARTBEAT" - }, - "pascalCase": { - "unsafeName": "Heartbeat", - "safeName": "Heartbeat" - } - }, - "wireValue": "heartbeat" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Heartbeat", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Heartbeat", - "safeName": "andurilEntitymanagerV1Heartbeat" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_heartbeat", - "safeName": "anduril_entitymanager_v_1_heartbeat" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEARTBEAT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEARTBEAT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Heartbeat", - "safeName": "AndurilEntitymanagerV1Heartbeat" - } - }, - "typeId": "anduril.entitymanager.v1.Heartbeat", - "default": null, - "inline": false, - "displayName": "heartbeat" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "response stream will be fed all matching pre-existing live entities as CREATED, plus any new events ongoing." - }, - "anduril.entitymanager.v1.EntityEvent": { - "name": { - "typeId": "anduril.entitymanager.v1.EntityEvent", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.EntityEvent", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1EntityEvent", - "safeName": "andurilEntitymanagerV1EntityEvent" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_entity_event", - "safeName": "anduril_entitymanager_v_1_entity_event" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY_EVENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY_EVENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1EntityEvent", - "safeName": "AndurilEntitymanagerV1EntityEvent" - } - }, - "displayName": "EntityEvent" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "event_type", - "camelCase": { - "unsafeName": "eventType", - "safeName": "eventType" - }, - "snakeCase": { - "unsafeName": "event_type", - "safeName": "event_type" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE", - "safeName": "EVENT_TYPE" - }, - "pascalCase": { - "unsafeName": "EventType", - "safeName": "EventType" - } - }, - "wireValue": "event_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.EventType", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1EventType", - "safeName": "andurilEntitymanagerV1EventType" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_event_type", - "safeName": "anduril_entitymanager_v_1_event_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_EVENT_TYPE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_EVENT_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1EventType", - "safeName": "AndurilEntitymanagerV1EventType" - } - }, - "typeId": "anduril.entitymanager.v1.EventType", - "default": null, - "inline": false, - "displayName": "event_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "time", - "camelCase": { - "unsafeName": "time", - "safeName": "time" - }, - "snakeCase": { - "unsafeName": "time", - "safeName": "time" - }, - "screamingSnakeCase": { - "unsafeName": "TIME", - "safeName": "TIME" - }, - "pascalCase": { - "unsafeName": "Time", - "safeName": "Time" - } - }, - "wireValue": "time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "entity", - "camelCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "snakeCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY", - "safeName": "ENTITY" - }, - "pascalCase": { - "unsafeName": "Entity", - "safeName": "Entity" - } - }, - "wireValue": "entity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Entity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Entity", - "safeName": "andurilEntitymanagerV1Entity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_entity", - "safeName": "anduril_entitymanager_v_1_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Entity", - "safeName": "AndurilEntitymanagerV1Entity" - } - }, - "typeId": "anduril.entitymanager.v1.Entity", - "default": null, - "inline": false, - "displayName": "entity" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Event representing some type of entity change." - }, - "anduril.entitymanager.v1.Heartbeat": { - "name": { - "typeId": "anduril.entitymanager.v1.Heartbeat", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Heartbeat", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Heartbeat", - "safeName": "andurilEntitymanagerV1Heartbeat" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_heartbeat", - "safeName": "anduril_entitymanager_v_1_heartbeat" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEARTBEAT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEARTBEAT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Heartbeat", - "safeName": "AndurilEntitymanagerV1Heartbeat" - } - }, - "displayName": "Heartbeat" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "timestamp", - "camelCase": { - "unsafeName": "timestamp", - "safeName": "timestamp" - }, - "snakeCase": { - "unsafeName": "timestamp", - "safeName": "timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "TIMESTAMP", - "safeName": "TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "Timestamp", - "safeName": "Timestamp" - } - }, - "wireValue": "timestamp" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "timestamp" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The timestamp at which the heartbeat message was sent." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A message that is periodically sent on the stream for keep-alive behaviour." - }, - "anduril.entitymanager.v1.DynamicStatement": { - "name": { - "typeId": "anduril.entitymanager.v1.DynamicStatement", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.DynamicStatement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1DynamicStatement", - "safeName": "andurilEntitymanagerV1DynamicStatement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_dynamic_statement", - "safeName": "anduril_entitymanager_v_1_dynamic_statement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DYNAMIC_STATEMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_DYNAMIC_STATEMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1DynamicStatement", - "safeName": "AndurilEntitymanagerV1DynamicStatement" - } - }, - "displayName": "DynamicStatement" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "filter", - "camelCase": { - "unsafeName": "filter", - "safeName": "filter" - }, - "snakeCase": { - "unsafeName": "filter", - "safeName": "filter" - }, - "screamingSnakeCase": { - "unsafeName": "FILTER", - "safeName": "FILTER" - }, - "pascalCase": { - "unsafeName": "Filter", - "safeName": "Filter" - } - }, - "wireValue": "filter" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Statement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Statement", - "safeName": "andurilEntitymanagerV1Statement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement", - "safeName": "anduril_entitymanager_v_1_statement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Statement", - "safeName": "AndurilEntitymanagerV1Statement" - } - }, - "typeId": "anduril.entitymanager.v1.Statement", - "default": null, - "inline": false, - "displayName": "filter" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The filter statement is used to determine which entities can be compared to the dynamic series\\n of entities aggregated by the selector statement." - }, - { - "name": { - "name": { - "originalName": "selector", - "camelCase": { - "unsafeName": "selector", - "safeName": "selector" - }, - "snakeCase": { - "unsafeName": "selector", - "safeName": "selector" - }, - "screamingSnakeCase": { - "unsafeName": "SELECTOR", - "safeName": "SELECTOR" - }, - "pascalCase": { - "unsafeName": "Selector", - "safeName": "Selector" - } - }, - "wireValue": "selector" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Statement", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Statement", - "safeName": "andurilEntitymanagerV1Statement" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_statement", - "safeName": "anduril_entitymanager_v_1_statement" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Statement", - "safeName": "AndurilEntitymanagerV1Statement" - } - }, - "typeId": "anduril.entitymanager.v1.Statement", - "default": null, - "inline": false, - "displayName": "selector" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The selector statement is used to determine which entities should be a part of dynamically\\n changing set. The selector should be reevaluated as entites are created or deleted." - }, - { - "name": { - "name": { - "originalName": "comparator", - "camelCase": { - "unsafeName": "comparator", - "safeName": "comparator" - }, - "snakeCase": { - "unsafeName": "comparator", - "safeName": "comparator" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARATOR", - "safeName": "COMPARATOR" - }, - "pascalCase": { - "unsafeName": "Comparator", - "safeName": "Comparator" - } - }, - "wireValue": "comparator" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.IntersectionComparator", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1IntersectionComparator", - "safeName": "andurilEntitymanagerV1IntersectionComparator" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_intersection_comparator", - "safeName": "anduril_entitymanager_v_1_intersection_comparator" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1IntersectionComparator", - "safeName": "AndurilEntitymanagerV1IntersectionComparator" - } - }, - "typeId": "anduril.entitymanager.v1.IntersectionComparator", - "default": null, - "inline": false, - "displayName": "comparator" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The comparator specifies how the set intersection operation will be performed." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A DynamicStatement is the building block of a \\"runtime aware\\" entity filter - that is, any filter\\n which needs to perform operations against a series of entities that will need to be evaluated against\\n on demand. The DynamicStatement allows you to perform a set intersection operation across a static\\n set of entities dictated by a filter, and a dynamic set of entities dictated by a selector statement.\\n\\n For example, the expression \\"find me all hostile entities that reside within any assumed\\n friendly geoentity\\" would be represented as the following dynamic statement:\\n\\n DynamicStatement\\n filter\\n predicate\\n field_path: mil_view.disposition\\n comparator: EQUALITY\\n value: 2 // Hostile\\n selector\\n andOperation\\n predicate1\\n field_path: mil_view.disposition\\n comparator: EQUALITY\\n value: 4 // Assumed Friendly\\n predicate2\\n field_path: ontology.template\\n comparator: EQUALITY\\n value: 4 // Template Geo\\n comparator\\n IntersectionComparator\\n WithinComparison" - }, - "anduril.entitymanager.v1.IntersectionComparatorComparison": { - "name": { - "typeId": "anduril.entitymanager.v1.IntersectionComparatorComparison", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.IntersectionComparatorComparison", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1IntersectionComparatorComparison", - "safeName": "andurilEntitymanagerV1IntersectionComparatorComparison" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_intersection_comparator_comparison", - "safeName": "anduril_entitymanager_v_1_intersection_comparator_comparison" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR_COMPARISON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR_COMPARISON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1IntersectionComparatorComparison", - "safeName": "AndurilEntitymanagerV1IntersectionComparatorComparison" - } - }, - "displayName": "IntersectionComparatorComparison" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.WithinComparison", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1WithinComparison", - "safeName": "andurilEntitymanagerV1WithinComparison" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_within_comparison", - "safeName": "anduril_entitymanager_v_1_within_comparison" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_WITHIN_COMPARISON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_WITHIN_COMPARISON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1WithinComparison", - "safeName": "AndurilEntitymanagerV1WithinComparison" - } - }, - "typeId": "anduril.entitymanager.v1.WithinComparison", - "default": null, - "inline": false, - "displayName": "within_comparison" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.entitymanager.v1.IntersectionComparator": { - "name": { - "typeId": "anduril.entitymanager.v1.IntersectionComparator", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.IntersectionComparator", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1IntersectionComparator", - "safeName": "andurilEntitymanagerV1IntersectionComparator" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_intersection_comparator", - "safeName": "anduril_entitymanager_v_1_intersection_comparator" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1IntersectionComparator", - "safeName": "AndurilEntitymanagerV1IntersectionComparator" - } - }, - "displayName": "IntersectionComparator" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "comparison", - "camelCase": { - "unsafeName": "comparison", - "safeName": "comparison" - }, - "snakeCase": { - "unsafeName": "comparison", - "safeName": "comparison" - }, - "screamingSnakeCase": { - "unsafeName": "COMPARISON", - "safeName": "COMPARISON" - }, - "pascalCase": { - "unsafeName": "Comparison", - "safeName": "Comparison" - } - }, - "wireValue": "comparison" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.IntersectionComparatorComparison", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1IntersectionComparatorComparison", - "safeName": "andurilEntitymanagerV1IntersectionComparatorComparison" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_intersection_comparator_comparison", - "safeName": "anduril_entitymanager_v_1_intersection_comparator_comparison" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR_COMPARISON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR_COMPARISON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1IntersectionComparatorComparison", - "safeName": "AndurilEntitymanagerV1IntersectionComparatorComparison" - } - }, - "typeId": "anduril.entitymanager.v1.IntersectionComparatorComparison", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The IntersectionComparator determines what entities and what fields to respect within a set during\\n a set intersection operation." - }, - "anduril.entitymanager.v1.WithinComparison": { - "name": { - "typeId": "anduril.entitymanager.v1.WithinComparison", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.WithinComparison", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1WithinComparison", - "safeName": "andurilEntitymanagerV1WithinComparison" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_within_comparison", - "safeName": "anduril_entitymanager_v_1_within_comparison" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_WITHIN_COMPARISON", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_WITHIN_COMPARISON" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1WithinComparison", - "safeName": "AndurilEntitymanagerV1WithinComparison" - } - }, - "displayName": "WithinComparison" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "The WithinComparison implicitly will understand how to determine which entitites reside\\n within other geo-shaped entities. This comparison is being left empty, but as a proto, to\\n support future expansions of the within comparison (eg; within range of a static distance)." - }, - "google.protobuf.Any": { - "name": { - "typeId": "google.protobuf.Any", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Any", - "camelCase": { - "unsafeName": "googleProtobufAny", - "safeName": "googleProtobufAny" - }, - "snakeCase": { - "unsafeName": "google_protobuf_any", - "safeName": "google_protobuf_any" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ANY", - "safeName": "GOOGLE_PROTOBUF_ANY" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufAny", - "safeName": "GoogleProtobufAny" - } - }, - "displayName": "Any" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "type_url", - "camelCase": { - "unsafeName": "typeUrl", - "safeName": "typeUrl" - }, - "snakeCase": { - "unsafeName": "type_url", - "safeName": "type_url" - }, - "screamingSnakeCase": { - "unsafeName": "TYPE_URL", - "safeName": "TYPE_URL" - }, - "pascalCase": { - "unsafeName": "TypeUrl", - "safeName": "TypeUrl" - } - }, - "wireValue": "type_url" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "value", - "camelCase": { - "unsafeName": "value", - "safeName": "value" - }, - "snakeCase": { - "unsafeName": "value", - "safeName": "value" - }, - "screamingSnakeCase": { - "unsafeName": "VALUE", - "safeName": "VALUE" - }, - "pascalCase": { - "unsafeName": "Value", - "safeName": "Value" - } - }, - "wireValue": "value" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "unknown" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.taskmanager.v1.Status": { - "name": { - "typeId": "anduril.taskmanager.v1.Status", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Status", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Status", - "safeName": "andurilTaskmanagerV1Status" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_status", - "safeName": "anduril_taskmanager_v_1_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS", - "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Status", - "safeName": "AndurilTaskmanagerV1Status" - } - }, - "displayName": "Status" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "STATUS_INVALID", - "camelCase": { - "unsafeName": "statusInvalid", - "safeName": "statusInvalid" - }, - "snakeCase": { - "unsafeName": "status_invalid", - "safeName": "status_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_INVALID", - "safeName": "STATUS_INVALID" - }, - "pascalCase": { - "unsafeName": "StatusInvalid", - "safeName": "StatusInvalid" - } - }, - "wireValue": "STATUS_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "STATUS_CREATED", - "camelCase": { - "unsafeName": "statusCreated", - "safeName": "statusCreated" - }, - "snakeCase": { - "unsafeName": "status_created", - "safeName": "status_created" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_CREATED", - "safeName": "STATUS_CREATED" - }, - "pascalCase": { - "unsafeName": "StatusCreated", - "safeName": "StatusCreated" - } - }, - "wireValue": "STATUS_CREATED" - }, - "availability": null, - "docs": "Initial creation Status." - }, - { - "name": { - "name": { - "originalName": "STATUS_SCHEDULED_IN_MANAGER", - "camelCase": { - "unsafeName": "statusScheduledInManager", - "safeName": "statusScheduledInManager" - }, - "snakeCase": { - "unsafeName": "status_scheduled_in_manager", - "safeName": "status_scheduled_in_manager" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_SCHEDULED_IN_MANAGER", - "safeName": "STATUS_SCHEDULED_IN_MANAGER" - }, - "pascalCase": { - "unsafeName": "StatusScheduledInManager", - "safeName": "StatusScheduledInManager" - } - }, - "wireValue": "STATUS_SCHEDULED_IN_MANAGER" - }, - "availability": null, - "docs": "Scheduled within Task Manager to be sent at a future time." - }, - { - "name": { - "name": { - "originalName": "STATUS_SENT", - "camelCase": { - "unsafeName": "statusSent", - "safeName": "statusSent" - }, - "snakeCase": { - "unsafeName": "status_sent", - "safeName": "status_sent" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_SENT", - "safeName": "STATUS_SENT" - }, - "pascalCase": { - "unsafeName": "StatusSent", - "safeName": "StatusSent" - } - }, - "wireValue": "STATUS_SENT" - }, - "availability": null, - "docs": "Sent to another system (Asset), no receipt yet." - }, - { - "name": { - "name": { - "originalName": "STATUS_MACHINE_RECEIPT", - "camelCase": { - "unsafeName": "statusMachineReceipt", - "safeName": "statusMachineReceipt" - }, - "snakeCase": { - "unsafeName": "status_machine_receipt", - "safeName": "status_machine_receipt" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_MACHINE_RECEIPT", - "safeName": "STATUS_MACHINE_RECEIPT" - }, - "pascalCase": { - "unsafeName": "StatusMachineReceipt", - "safeName": "StatusMachineReceipt" - } - }, - "wireValue": "STATUS_MACHINE_RECEIPT" - }, - "availability": null, - "docs": "Task was sent to Assignee, and some system was reachable and responded.\\n However, the system responsible for execution on the Assignee has not yet acknowledged the Task." - }, - { - "name": { - "name": { - "originalName": "STATUS_ACK", - "camelCase": { - "unsafeName": "statusAck", - "safeName": "statusAck" - }, - "snakeCase": { - "unsafeName": "status_ack", - "safeName": "status_ack" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_ACK", - "safeName": "STATUS_ACK" - }, - "pascalCase": { - "unsafeName": "StatusAck", - "safeName": "StatusAck" - } - }, - "wireValue": "STATUS_ACK" - }, - "availability": null, - "docs": "System responsible for execution on the Assignee has acknowledged the Task." - }, - { - "name": { - "name": { - "originalName": "STATUS_WILCO", - "camelCase": { - "unsafeName": "statusWilco", - "safeName": "statusWilco" - }, - "snakeCase": { - "unsafeName": "status_wilco", - "safeName": "status_wilco" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_WILCO", - "safeName": "STATUS_WILCO" - }, - "pascalCase": { - "unsafeName": "StatusWilco", - "safeName": "StatusWilco" - } - }, - "wireValue": "STATUS_WILCO" - }, - "availability": null, - "docs": "Assignee confirmed they \\"will comply\\" / intend to execute Task." - }, - { - "name": { - "name": { - "originalName": "STATUS_EXECUTING", - "camelCase": { - "unsafeName": "statusExecuting", - "safeName": "statusExecuting" - }, - "snakeCase": { - "unsafeName": "status_executing", - "safeName": "status_executing" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_EXECUTING", - "safeName": "STATUS_EXECUTING" - }, - "pascalCase": { - "unsafeName": "StatusExecuting", - "safeName": "StatusExecuting" - } - }, - "wireValue": "STATUS_EXECUTING" - }, - "availability": null, - "docs": "Task was started and is actively executing." - }, - { - "name": { - "name": { - "originalName": "STATUS_WAITING_FOR_UPDATE", - "camelCase": { - "unsafeName": "statusWaitingForUpdate", - "safeName": "statusWaitingForUpdate" - }, - "snakeCase": { - "unsafeName": "status_waiting_for_update", - "safeName": "status_waiting_for_update" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_WAITING_FOR_UPDATE", - "safeName": "STATUS_WAITING_FOR_UPDATE" - }, - "pascalCase": { - "unsafeName": "StatusWaitingForUpdate", - "safeName": "StatusWaitingForUpdate" - } - }, - "wireValue": "STATUS_WAITING_FOR_UPDATE" - }, - "availability": null, - "docs": "Task is on hold, waiting for additional updates/information before proceeding." - }, - { - "name": { - "name": { - "originalName": "STATUS_DONE_OK", - "camelCase": { - "unsafeName": "statusDoneOk", - "safeName": "statusDoneOk" - }, - "snakeCase": { - "unsafeName": "status_done_ok", - "safeName": "status_done_ok" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_DONE_OK", - "safeName": "STATUS_DONE_OK" - }, - "pascalCase": { - "unsafeName": "StatusDoneOk", - "safeName": "StatusDoneOk" - } - }, - "wireValue": "STATUS_DONE_OK" - }, - "availability": null, - "docs": "Task was completed successfully." - }, - { - "name": { - "name": { - "originalName": "STATUS_DONE_NOT_OK", - "camelCase": { - "unsafeName": "statusDoneNotOk", - "safeName": "statusDoneNotOk" - }, - "snakeCase": { - "unsafeName": "status_done_not_ok", - "safeName": "status_done_not_ok" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_DONE_NOT_OK", - "safeName": "STATUS_DONE_NOT_OK" - }, - "pascalCase": { - "unsafeName": "StatusDoneNotOk", - "safeName": "StatusDoneNotOk" - } - }, - "wireValue": "STATUS_DONE_NOT_OK" - }, - "availability": null, - "docs": "Task has reached a terminal state but did not complete successfully, see error code/message." - }, - { - "name": { - "name": { - "originalName": "STATUS_REPLACED", - "camelCase": { - "unsafeName": "statusReplaced", - "safeName": "statusReplaced" - }, - "snakeCase": { - "unsafeName": "status_replaced", - "safeName": "status_replaced" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_REPLACED", - "safeName": "STATUS_REPLACED" - }, - "pascalCase": { - "unsafeName": "StatusReplaced", - "safeName": "StatusReplaced" - } - }, - "wireValue": "STATUS_REPLACED" - }, - "availability": null, - "docs": "This definition version was replaced." - }, - { - "name": { - "name": { - "originalName": "STATUS_CANCEL_REQUESTED", - "camelCase": { - "unsafeName": "statusCancelRequested", - "safeName": "statusCancelRequested" - }, - "snakeCase": { - "unsafeName": "status_cancel_requested", - "safeName": "status_cancel_requested" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_CANCEL_REQUESTED", - "safeName": "STATUS_CANCEL_REQUESTED" - }, - "pascalCase": { - "unsafeName": "StatusCancelRequested", - "safeName": "StatusCancelRequested" - } - }, - "wireValue": "STATUS_CANCEL_REQUESTED" - }, - "availability": null, - "docs": "A Task was requested to be cancelled but not yet confirmed, will eventually move to DONE_NOT_OK." - }, - { - "name": { - "name": { - "originalName": "STATUS_COMPLETE_REQUESTED", - "camelCase": { - "unsafeName": "statusCompleteRequested", - "safeName": "statusCompleteRequested" - }, - "snakeCase": { - "unsafeName": "status_complete_requested", - "safeName": "status_complete_requested" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_COMPLETE_REQUESTED", - "safeName": "STATUS_COMPLETE_REQUESTED" - }, - "pascalCase": { - "unsafeName": "StatusCompleteRequested", - "safeName": "StatusCompleteRequested" - } - }, - "wireValue": "STATUS_COMPLETE_REQUESTED" - }, - "availability": null, - "docs": "A Task was requested to be completed successfully but not yet confirmed, will eventually move to DONE_NOT_OK / DONE_OK." - }, - { - "name": { - "name": { - "originalName": "STATUS_VERSION_REJECTED", - "camelCase": { - "unsafeName": "statusVersionRejected", - "safeName": "statusVersionRejected" - }, - "snakeCase": { - "unsafeName": "status_version_rejected", - "safeName": "status_version_rejected" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_VERSION_REJECTED", - "safeName": "STATUS_VERSION_REJECTED" - }, - "pascalCase": { - "unsafeName": "StatusVersionRejected", - "safeName": "StatusVersionRejected" - } - }, - "wireValue": "STATUS_VERSION_REJECTED" - }, - "availability": null, - "docs": "This definition version was rejected, intended to be used when an Agent does not accept a new version of a task\\n and continues using previous version" - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The Status of a Task definition through its lifecycle. Each Definition Version can have its own Status.\\n For example, Definition v1 could go CREATED -> SENT -> WILCO -> REPLACED, with v2 then potentially in sent Status." - }, - "anduril.taskmanager.v1.ErrorCode": { - "name": { - "typeId": "anduril.taskmanager.v1.ErrorCode", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ErrorCode", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ErrorCode", - "safeName": "andurilTaskmanagerV1ErrorCode" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_error_code", - "safeName": "anduril_taskmanager_v_1_error_code" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_ERROR_CODE", - "safeName": "ANDURIL_TASKMANAGER_V_1_ERROR_CODE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ErrorCode", - "safeName": "AndurilTaskmanagerV1ErrorCode" - } - }, - "displayName": "ErrorCode" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "ERROR_CODE_INVALID", - "camelCase": { - "unsafeName": "errorCodeInvalid", - "safeName": "errorCodeInvalid" - }, - "snakeCase": { - "unsafeName": "error_code_invalid", - "safeName": "error_code_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "ERROR_CODE_INVALID", - "safeName": "ERROR_CODE_INVALID" - }, - "pascalCase": { - "unsafeName": "ErrorCodeInvalid", - "safeName": "ErrorCodeInvalid" - } - }, - "wireValue": "ERROR_CODE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ERROR_CODE_CANCELLED", - "camelCase": { - "unsafeName": "errorCodeCancelled", - "safeName": "errorCodeCancelled" - }, - "snakeCase": { - "unsafeName": "error_code_cancelled", - "safeName": "error_code_cancelled" - }, - "screamingSnakeCase": { - "unsafeName": "ERROR_CODE_CANCELLED", - "safeName": "ERROR_CODE_CANCELLED" - }, - "pascalCase": { - "unsafeName": "ErrorCodeCancelled", - "safeName": "ErrorCodeCancelled" - } - }, - "wireValue": "ERROR_CODE_CANCELLED" - }, - "availability": null, - "docs": "Task was cancelled by requester." - }, - { - "name": { - "name": { - "originalName": "ERROR_CODE_REJECTED", - "camelCase": { - "unsafeName": "errorCodeRejected", - "safeName": "errorCodeRejected" - }, - "snakeCase": { - "unsafeName": "error_code_rejected", - "safeName": "error_code_rejected" - }, - "screamingSnakeCase": { - "unsafeName": "ERROR_CODE_REJECTED", - "safeName": "ERROR_CODE_REJECTED" - }, - "pascalCase": { - "unsafeName": "ErrorCodeRejected", - "safeName": "ErrorCodeRejected" - } - }, - "wireValue": "ERROR_CODE_REJECTED" - }, - "availability": null, - "docs": "Task was rejected by assignee, see message for details." - }, - { - "name": { - "name": { - "originalName": "ERROR_CODE_TIMEOUT", - "camelCase": { - "unsafeName": "errorCodeTimeout", - "safeName": "errorCodeTimeout" - }, - "snakeCase": { - "unsafeName": "error_code_timeout", - "safeName": "error_code_timeout" - }, - "screamingSnakeCase": { - "unsafeName": "ERROR_CODE_TIMEOUT", - "safeName": "ERROR_CODE_TIMEOUT" - }, - "pascalCase": { - "unsafeName": "ErrorCodeTimeout", - "safeName": "ErrorCodeTimeout" - } - }, - "wireValue": "ERROR_CODE_TIMEOUT" - }, - "availability": null, - "docs": "Task Manager gave up waiting for a receipt/ack from assignee." - }, - { - "name": { - "name": { - "originalName": "ERROR_CODE_FAILED", - "camelCase": { - "unsafeName": "errorCodeFailed", - "safeName": "errorCodeFailed" - }, - "snakeCase": { - "unsafeName": "error_code_failed", - "safeName": "error_code_failed" - }, - "screamingSnakeCase": { - "unsafeName": "ERROR_CODE_FAILED", - "safeName": "ERROR_CODE_FAILED" - }, - "pascalCase": { - "unsafeName": "ErrorCodeFailed", - "safeName": "ErrorCodeFailed" - } - }, - "wireValue": "ERROR_CODE_FAILED" - }, - "availability": null, - "docs": "Task attempted to execute, but failed." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Error code associated with a Task error." - }, - "anduril.taskmanager.v1.EventType": { - "name": { - "typeId": "anduril.taskmanager.v1.EventType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.EventType", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1EventType", - "safeName": "andurilTaskmanagerV1EventType" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_event_type", - "safeName": "anduril_taskmanager_v_1_event_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_EVENT_TYPE", - "safeName": "ANDURIL_TASKMANAGER_V_1_EVENT_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1EventType", - "safeName": "AndurilTaskmanagerV1EventType" - } - }, - "displayName": "EventType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "EVENT_TYPE_INVALID", - "camelCase": { - "unsafeName": "eventTypeInvalid", - "safeName": "eventTypeInvalid" - }, - "snakeCase": { - "unsafeName": "event_type_invalid", - "safeName": "event_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE_INVALID", - "safeName": "EVENT_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "EventTypeInvalid", - "safeName": "EventTypeInvalid" - } - }, - "wireValue": "EVENT_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EVENT_TYPE_CREATED", - "camelCase": { - "unsafeName": "eventTypeCreated", - "safeName": "eventTypeCreated" - }, - "snakeCase": { - "unsafeName": "event_type_created", - "safeName": "event_type_created" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE_CREATED", - "safeName": "EVENT_TYPE_CREATED" - }, - "pascalCase": { - "unsafeName": "EventTypeCreated", - "safeName": "EventTypeCreated" - } - }, - "wireValue": "EVENT_TYPE_CREATED" - }, - "availability": null, - "docs": "Task was created." - }, - { - "name": { - "name": { - "originalName": "EVENT_TYPE_UPDATE", - "camelCase": { - "unsafeName": "eventTypeUpdate", - "safeName": "eventTypeUpdate" - }, - "snakeCase": { - "unsafeName": "event_type_update", - "safeName": "event_type_update" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE_UPDATE", - "safeName": "EVENT_TYPE_UPDATE" - }, - "pascalCase": { - "unsafeName": "EventTypeUpdate", - "safeName": "EventTypeUpdate" - } - }, - "wireValue": "EVENT_TYPE_UPDATE" - }, - "availability": null, - "docs": "Task was updated." - }, - { - "name": { - "name": { - "originalName": "EVENT_TYPE_PREEXISTING", - "camelCase": { - "unsafeName": "eventTypePreexisting", - "safeName": "eventTypePreexisting" - }, - "snakeCase": { - "unsafeName": "event_type_preexisting", - "safeName": "event_type_preexisting" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE_PREEXISTING", - "safeName": "EVENT_TYPE_PREEXISTING" - }, - "pascalCase": { - "unsafeName": "EventTypePreexisting", - "safeName": "EventTypePreexisting" - } - }, - "wireValue": "EVENT_TYPE_PREEXISTING" - }, - "availability": null, - "docs": "Task already existed, but sent on a new stream connection." - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The type of Task event." - }, - "anduril.taskmanager.v1.TaskView": { - "name": { - "typeId": "anduril.taskmanager.v1.TaskView", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskView", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskView", - "safeName": "andurilTaskmanagerV1TaskView" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_view", - "safeName": "anduril_taskmanager_v_1_task_view" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskView", - "safeName": "AndurilTaskmanagerV1TaskView" - } - }, - "displayName": "TaskView" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "TASK_VIEW_INVALID", - "camelCase": { - "unsafeName": "taskViewInvalid", - "safeName": "taskViewInvalid" - }, - "snakeCase": { - "unsafeName": "task_view_invalid", - "safeName": "task_view_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_VIEW_INVALID", - "safeName": "TASK_VIEW_INVALID" - }, - "pascalCase": { - "unsafeName": "TaskViewInvalid", - "safeName": "TaskViewInvalid" - } - }, - "wireValue": "TASK_VIEW_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TASK_VIEW_MANAGER", - "camelCase": { - "unsafeName": "taskViewManager", - "safeName": "taskViewManager" - }, - "snakeCase": { - "unsafeName": "task_view_manager", - "safeName": "task_view_manager" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_VIEW_MANAGER", - "safeName": "TASK_VIEW_MANAGER" - }, - "pascalCase": { - "unsafeName": "TaskViewManager", - "safeName": "TaskViewManager" - } - }, - "wireValue": "TASK_VIEW_MANAGER" - }, - "availability": null, - "docs": "Represents the most recent version of the Task known to Task Manager" - }, - { - "name": { - "name": { - "originalName": "TASK_VIEW_AGENT", - "camelCase": { - "unsafeName": "taskViewAgent", - "safeName": "taskViewAgent" - }, - "snakeCase": { - "unsafeName": "task_view_agent", - "safeName": "task_view_agent" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_VIEW_AGENT", - "safeName": "TASK_VIEW_AGENT" - }, - "pascalCase": { - "unsafeName": "TaskViewAgent", - "safeName": "TaskViewAgent" - } - }, - "wireValue": "TASK_VIEW_AGENT" - }, - "availability": null, - "docs": "Represents the most recent version of the Task acknowledged or updated by an Agent" - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "View of a Task through its lifecycle.\\n For example, a definition v1 of a task may be running on an agent, indicated by TASK_VIEW_AGENT,\\n while the definition v2 may not have been received yet, indicated by TASK_VIEW_MANAGER." - }, - "anduril.taskmanager.v1.Task": { - "name": { - "typeId": "anduril.taskmanager.v1.Task", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Task", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Task", - "safeName": "andurilTaskmanagerV1Task" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task", - "safeName": "anduril_taskmanager_v_1_task" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Task", - "safeName": "AndurilTaskmanagerV1Task" - } - }, - "displayName": "Task" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "version", - "camelCase": { - "unsafeName": "version", - "safeName": "version" - }, - "snakeCase": { - "unsafeName": "version", - "safeName": "version" - }, - "screamingSnakeCase": { - "unsafeName": "VERSION", - "safeName": "VERSION" - }, - "pascalCase": { - "unsafeName": "Version", - "safeName": "Version" - } - }, - "wireValue": "version" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskVersion", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskVersion", - "safeName": "andurilTaskmanagerV1TaskVersion" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_version", - "safeName": "anduril_taskmanager_v_1_task_version" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskVersion", - "safeName": "AndurilTaskmanagerV1TaskVersion" - } - }, - "typeId": "anduril.taskmanager.v1.TaskVersion", - "default": null, - "inline": false, - "displayName": "version" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Version of this Task." - }, - { - "name": { - "name": { - "originalName": "display_name", - "camelCase": { - "unsafeName": "displayName", - "safeName": "displayName" - }, - "snakeCase": { - "unsafeName": "display_name", - "safeName": "display_name" - }, - "screamingSnakeCase": { - "unsafeName": "DISPLAY_NAME", - "safeName": "DISPLAY_NAME" - }, - "pascalCase": { - "unsafeName": "DisplayName", - "safeName": "DisplayName" - } - }, - "wireValue": "display_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": { - "status": "DEPRECATED", - "message": "DEPRECATED" - }, - "docs": "DEPRECATED: Human readable display name for this Task, should be short (<100 chars)." - }, - { - "name": { - "name": { - "originalName": "specification", - "camelCase": { - "unsafeName": "specification", - "safeName": "specification" - }, - "snakeCase": { - "unsafeName": "specification", - "safeName": "specification" - }, - "screamingSnakeCase": { - "unsafeName": "SPECIFICATION", - "safeName": "SPECIFICATION" - }, - "pascalCase": { - "unsafeName": "Specification", - "safeName": "Specification" - } - }, - "wireValue": "specification" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Any", - "camelCase": { - "unsafeName": "googleProtobufAny", - "safeName": "googleProtobufAny" - }, - "snakeCase": { - "unsafeName": "google_protobuf_any", - "safeName": "google_protobuf_any" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ANY", - "safeName": "GOOGLE_PROTOBUF_ANY" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufAny", - "safeName": "GoogleProtobufAny" - } - }, - "typeId": "google.protobuf.Any", - "default": null, - "inline": false, - "displayName": "specification" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Full Task parameterization, must be a message under anduril/tasks/v*/" - }, - { - "name": { - "name": { - "originalName": "created_by", - "camelCase": { - "unsafeName": "createdBy", - "safeName": "createdBy" - }, - "snakeCase": { - "unsafeName": "created_by", - "safeName": "created_by" - }, - "screamingSnakeCase": { - "unsafeName": "CREATED_BY", - "safeName": "CREATED_BY" - }, - "pascalCase": { - "unsafeName": "CreatedBy", - "safeName": "CreatedBy" - } - }, - "wireValue": "created_by" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Principal", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Principal", - "safeName": "andurilTaskmanagerV1Principal" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_principal", - "safeName": "anduril_taskmanager_v_1_principal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", - "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Principal", - "safeName": "AndurilTaskmanagerV1Principal" - } - }, - "typeId": "anduril.taskmanager.v1.Principal", - "default": null, - "inline": false, - "displayName": "created_by" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Records who created this Task. This field will not change after the Task has been created." - }, - { - "name": { - "name": { - "originalName": "last_updated_by", - "camelCase": { - "unsafeName": "lastUpdatedBy", - "safeName": "lastUpdatedBy" - }, - "snakeCase": { - "unsafeName": "last_updated_by", - "safeName": "last_updated_by" - }, - "screamingSnakeCase": { - "unsafeName": "LAST_UPDATED_BY", - "safeName": "LAST_UPDATED_BY" - }, - "pascalCase": { - "unsafeName": "LastUpdatedBy", - "safeName": "LastUpdatedBy" - } - }, - "wireValue": "last_updated_by" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Principal", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Principal", - "safeName": "andurilTaskmanagerV1Principal" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_principal", - "safeName": "anduril_taskmanager_v_1_principal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", - "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Principal", - "safeName": "AndurilTaskmanagerV1Principal" - } - }, - "typeId": "anduril.taskmanager.v1.Principal", - "default": null, - "inline": false, - "displayName": "last_updated_by" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Records who updated this Task last." - }, - { - "name": { - "name": { - "originalName": "last_update_time", - "camelCase": { - "unsafeName": "lastUpdateTime", - "safeName": "lastUpdateTime" - }, - "snakeCase": { - "unsafeName": "last_update_time", - "safeName": "last_update_time" - }, - "screamingSnakeCase": { - "unsafeName": "LAST_UPDATE_TIME", - "safeName": "LAST_UPDATE_TIME" - }, - "pascalCase": { - "unsafeName": "LastUpdateTime", - "safeName": "LastUpdateTime" - } - }, - "wireValue": "last_update_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "last_update_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Records the time of last update." - }, - { - "name": { - "name": { - "originalName": "status", - "camelCase": { - "unsafeName": "status", - "safeName": "status" - }, - "snakeCase": { - "unsafeName": "status", - "safeName": "status" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS", - "safeName": "STATUS" - }, - "pascalCase": { - "unsafeName": "Status", - "safeName": "Status" - } - }, - "wireValue": "status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskStatus", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskStatus", - "safeName": "andurilTaskmanagerV1TaskStatus" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_status", - "safeName": "anduril_taskmanager_v_1_task_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskStatus", - "safeName": "AndurilTaskmanagerV1TaskStatus" - } - }, - "typeId": "anduril.taskmanager.v1.TaskStatus", - "default": null, - "inline": false, - "displayName": "status" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The status of this Task." - }, - { - "name": { - "name": { - "originalName": "scheduled_time", - "camelCase": { - "unsafeName": "scheduledTime", - "safeName": "scheduledTime" - }, - "snakeCase": { - "unsafeName": "scheduled_time", - "safeName": "scheduled_time" - }, - "screamingSnakeCase": { - "unsafeName": "SCHEDULED_TIME", - "safeName": "SCHEDULED_TIME" - }, - "pascalCase": { - "unsafeName": "ScheduledTime", - "safeName": "ScheduledTime" - } - }, - "wireValue": "scheduled_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "scheduled_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If the Task has been scheduled to execute, what time it should execute at." - }, - { - "name": { - "name": { - "originalName": "relations", - "camelCase": { - "unsafeName": "relations", - "safeName": "relations" - }, - "snakeCase": { - "unsafeName": "relations", - "safeName": "relations" - }, - "screamingSnakeCase": { - "unsafeName": "RELATIONS", - "safeName": "RELATIONS" - }, - "pascalCase": { - "unsafeName": "Relations", - "safeName": "Relations" - } - }, - "wireValue": "relations" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Relations", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Relations", - "safeName": "andurilTaskmanagerV1Relations" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_relations", - "safeName": "anduril_taskmanager_v_1_relations" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS", - "safeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Relations", - "safeName": "AndurilTaskmanagerV1Relations" - } - }, - "typeId": "anduril.taskmanager.v1.Relations", - "default": null, - "inline": false, - "displayName": "relations" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Any related Tasks associated with this, typically includes an assignee for this Task and/or a parent." - }, - { - "name": { - "name": { - "originalName": "description", - "camelCase": { - "unsafeName": "description", - "safeName": "description" - }, - "snakeCase": { - "unsafeName": "description", - "safeName": "description" - }, - "screamingSnakeCase": { - "unsafeName": "DESCRIPTION", - "safeName": "DESCRIPTION" - }, - "pascalCase": { - "unsafeName": "Description", - "safeName": "Description" - } - }, - "wireValue": "description" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Longer, free form human readable description of this Task" - }, - { - "name": { - "name": { - "originalName": "is_executed_elsewhere", - "camelCase": { - "unsafeName": "isExecutedElsewhere", - "safeName": "isExecutedElsewhere" - }, - "snakeCase": { - "unsafeName": "is_executed_elsewhere", - "safeName": "is_executed_elsewhere" - }, - "screamingSnakeCase": { - "unsafeName": "IS_EXECUTED_ELSEWHERE", - "safeName": "IS_EXECUTED_ELSEWHERE" - }, - "pascalCase": { - "unsafeName": "IsExecutedElsewhere", - "safeName": "IsExecutedElsewhere" - } - }, - "wireValue": "is_executed_elsewhere" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If set, execution of this Task is managed elsewhere, not by Task Manager.\\n In other words, Task manager will not attempt to update the assigned agent with execution instructions." - }, - { - "name": { - "name": { - "originalName": "create_time", - "camelCase": { - "unsafeName": "createTime", - "safeName": "createTime" - }, - "snakeCase": { - "unsafeName": "create_time", - "safeName": "create_time" - }, - "screamingSnakeCase": { - "unsafeName": "CREATE_TIME", - "safeName": "CREATE_TIME" - }, - "pascalCase": { - "unsafeName": "CreateTime", - "safeName": "CreateTime" - } - }, - "wireValue": "create_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "create_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Time of Task creation." - }, - { - "name": { - "name": { - "originalName": "replication", - "camelCase": { - "unsafeName": "replication", - "safeName": "replication" - }, - "snakeCase": { - "unsafeName": "replication", - "safeName": "replication" - }, - "screamingSnakeCase": { - "unsafeName": "REPLICATION", - "safeName": "REPLICATION" - }, - "pascalCase": { - "unsafeName": "Replication", - "safeName": "Replication" - } - }, - "wireValue": "replication" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Replication", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Replication", - "safeName": "andurilTaskmanagerV1Replication" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_replication", - "safeName": "anduril_taskmanager_v_1_replication" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_REPLICATION", - "safeName": "ANDURIL_TASKMANAGER_V_1_REPLICATION" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Replication", - "safeName": "AndurilTaskmanagerV1Replication" - } - }, - "typeId": "anduril.taskmanager.v1.Replication", - "default": null, - "inline": false, - "displayName": "replication" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If populated, designates this to be a replicated Task." - }, - { - "name": { - "name": { - "originalName": "initial_entities", - "camelCase": { - "unsafeName": "initialEntities", - "safeName": "initialEntities" - }, - "snakeCase": { - "unsafeName": "initial_entities", - "safeName": "initial_entities" - }, - "screamingSnakeCase": { - "unsafeName": "INITIAL_ENTITIES", - "safeName": "INITIAL_ENTITIES" - }, - "pascalCase": { - "unsafeName": "InitialEntities", - "safeName": "InitialEntities" - } - }, - "wireValue": "initial_entities" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskEntity", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskEntity", - "safeName": "andurilTaskmanagerV1TaskEntity" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_entity", - "safeName": "anduril_taskmanager_v_1_task_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskEntity", - "safeName": "AndurilTaskmanagerV1TaskEntity" - } - }, - "typeId": "anduril.taskmanager.v1.TaskEntity", - "default": null, - "inline": false, - "displayName": "initial_entities" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If populated, indicates an initial set of entities that can be used to execute an entity aware task\\n For example, an entity Objective, an entity Keep In Zone, etc.\\n These will not be updated during execution. If a taskable agent needs continuous updates on the entities from the\\n COP, can call entity-manager, or use an AlternateId escape hatch." - }, - { - "name": { - "name": { - "originalName": "owner", - "camelCase": { - "unsafeName": "owner", - "safeName": "owner" - }, - "snakeCase": { - "unsafeName": "owner", - "safeName": "owner" - }, - "screamingSnakeCase": { - "unsafeName": "OWNER", - "safeName": "OWNER" - }, - "pascalCase": { - "unsafeName": "Owner", - "safeName": "Owner" - } - }, - "wireValue": "owner" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Owner", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Owner", - "safeName": "andurilTaskmanagerV1Owner" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_owner", - "safeName": "anduril_taskmanager_v_1_owner" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_OWNER", - "safeName": "ANDURIL_TASKMANAGER_V_1_OWNER" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Owner", - "safeName": "AndurilTaskmanagerV1Owner" - } - }, - "typeId": "anduril.taskmanager.v1.Owner", - "default": null, - "inline": false, - "displayName": "owner" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The networked owner of this Task. It is used to ensure that linear writes occur on the node responsible\\n for replication of task data to other nodes running Task Manager." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A Task is something an agent can be asked to do." - }, - "anduril.taskmanager.v1.TaskStatus": { - "name": { - "typeId": "anduril.taskmanager.v1.TaskStatus", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskStatus", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskStatus", - "safeName": "andurilTaskmanagerV1TaskStatus" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_status", - "safeName": "anduril_taskmanager_v_1_task_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskStatus", - "safeName": "AndurilTaskmanagerV1TaskStatus" - } - }, - "displayName": "TaskStatus" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "status", - "camelCase": { - "unsafeName": "status", - "safeName": "status" - }, - "snakeCase": { - "unsafeName": "status", - "safeName": "status" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS", - "safeName": "STATUS" - }, - "pascalCase": { - "unsafeName": "Status", - "safeName": "Status" - } - }, - "wireValue": "status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Status", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Status", - "safeName": "andurilTaskmanagerV1Status" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_status", - "safeName": "anduril_taskmanager_v_1_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS", - "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Status", - "safeName": "AndurilTaskmanagerV1Status" - } - }, - "typeId": "anduril.taskmanager.v1.Status", - "default": null, - "inline": false, - "displayName": "status" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Status of the Task." - }, - { - "name": { - "name": { - "originalName": "task_error", - "camelCase": { - "unsafeName": "taskError", - "safeName": "taskError" - }, - "snakeCase": { - "unsafeName": "task_error", - "safeName": "task_error" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_ERROR", - "safeName": "TASK_ERROR" - }, - "pascalCase": { - "unsafeName": "TaskError", - "safeName": "TaskError" - } - }, - "wireValue": "task_error" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskError", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskError", - "safeName": "andurilTaskmanagerV1TaskError" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_error", - "safeName": "anduril_taskmanager_v_1_task_error" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_ERROR", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_ERROR" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskError", - "safeName": "AndurilTaskmanagerV1TaskError" - } - }, - "typeId": "anduril.taskmanager.v1.TaskError", - "default": null, - "inline": false, - "displayName": "task_error" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Any errors associated with the Task." - }, - { - "name": { - "name": { - "originalName": "progress", - "camelCase": { - "unsafeName": "progress", - "safeName": "progress" - }, - "snakeCase": { - "unsafeName": "progress", - "safeName": "progress" - }, - "screamingSnakeCase": { - "unsafeName": "PROGRESS", - "safeName": "PROGRESS" - }, - "pascalCase": { - "unsafeName": "Progress", - "safeName": "Progress" - } - }, - "wireValue": "progress" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Any", - "camelCase": { - "unsafeName": "googleProtobufAny", - "safeName": "googleProtobufAny" - }, - "snakeCase": { - "unsafeName": "google_protobuf_any", - "safeName": "google_protobuf_any" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ANY", - "safeName": "GOOGLE_PROTOBUF_ANY" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufAny", - "safeName": "GoogleProtobufAny" - } - }, - "typeId": "google.protobuf.Any", - "default": null, - "inline": false, - "displayName": "progress" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Any incremental progress on the Task, should be from the tasks/v*/progress folder." - }, - { - "name": { - "name": { - "originalName": "result", - "camelCase": { - "unsafeName": "result", - "safeName": "result" - }, - "snakeCase": { - "unsafeName": "result", - "safeName": "result" - }, - "screamingSnakeCase": { - "unsafeName": "RESULT", - "safeName": "RESULT" - }, - "pascalCase": { - "unsafeName": "Result", - "safeName": "Result" - } - }, - "wireValue": "result" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Any", - "camelCase": { - "unsafeName": "googleProtobufAny", - "safeName": "googleProtobufAny" - }, - "snakeCase": { - "unsafeName": "google_protobuf_any", - "safeName": "google_protobuf_any" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ANY", - "safeName": "GOOGLE_PROTOBUF_ANY" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufAny", - "safeName": "GoogleProtobufAny" - } - }, - "typeId": "google.protobuf.Any", - "default": null, - "inline": false, - "displayName": "result" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Any final result of the Task, should be from tasks/v*/result folder." - }, - { - "name": { - "name": { - "originalName": "start_time", - "camelCase": { - "unsafeName": "startTime", - "safeName": "startTime" - }, - "snakeCase": { - "unsafeName": "start_time", - "safeName": "start_time" - }, - "screamingSnakeCase": { - "unsafeName": "START_TIME", - "safeName": "START_TIME" - }, - "pascalCase": { - "unsafeName": "StartTime", - "safeName": "StartTime" - } - }, - "wireValue": "start_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "start_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Time the Task began execution, may not be known even for executing Tasks." - }, - { - "name": { - "name": { - "originalName": "estimate", - "camelCase": { - "unsafeName": "estimate", - "safeName": "estimate" - }, - "snakeCase": { - "unsafeName": "estimate", - "safeName": "estimate" - }, - "screamingSnakeCase": { - "unsafeName": "ESTIMATE", - "safeName": "ESTIMATE" - }, - "pascalCase": { - "unsafeName": "Estimate", - "safeName": "Estimate" - } - }, - "wireValue": "estimate" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Any", - "camelCase": { - "unsafeName": "googleProtobufAny", - "safeName": "googleProtobufAny" - }, - "snakeCase": { - "unsafeName": "google_protobuf_any", - "safeName": "google_protobuf_any" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ANY", - "safeName": "GOOGLE_PROTOBUF_ANY" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufAny", - "safeName": "GoogleProtobufAny" - } - }, - "typeId": "google.protobuf.Any", - "default": null, - "inline": false, - "displayName": "estimate" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Any estimate for how the Task will progress, should be from tasks/v*/estimates folder." - }, - { - "name": { - "name": { - "originalName": "allocation", - "camelCase": { - "unsafeName": "allocation", - "safeName": "allocation" - }, - "snakeCase": { - "unsafeName": "allocation", - "safeName": "allocation" - }, - "screamingSnakeCase": { - "unsafeName": "ALLOCATION", - "safeName": "ALLOCATION" - }, - "pascalCase": { - "unsafeName": "Allocation", - "safeName": "Allocation" - } - }, - "wireValue": "allocation" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Allocation", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Allocation", - "safeName": "andurilTaskmanagerV1Allocation" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_allocation", - "safeName": "anduril_taskmanager_v_1_allocation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_ALLOCATION", - "safeName": "ANDURIL_TASKMANAGER_V_1_ALLOCATION" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Allocation", - "safeName": "AndurilTaskmanagerV1Allocation" - } - }, - "typeId": "anduril.taskmanager.v1.Allocation", - "default": null, - "inline": false, - "displayName": "allocation" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Any allocated agents of the Task." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "TaskStatus is contains information regarding the status of a Task at any given time. Can include related information\\n such as any progress towards Task completion, or any associated results if Task completed." - }, - "anduril.taskmanager.v1.TaskError": { - "name": { - "typeId": "anduril.taskmanager.v1.TaskError", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskError", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskError", - "safeName": "andurilTaskmanagerV1TaskError" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_error", - "safeName": "anduril_taskmanager_v_1_task_error" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_ERROR", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_ERROR" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskError", - "safeName": "AndurilTaskmanagerV1TaskError" - } - }, - "displayName": "TaskError" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "code", - "camelCase": { - "unsafeName": "code", - "safeName": "code" - }, - "snakeCase": { - "unsafeName": "code", - "safeName": "code" - }, - "screamingSnakeCase": { - "unsafeName": "CODE", - "safeName": "CODE" - }, - "pascalCase": { - "unsafeName": "Code", - "safeName": "Code" - } - }, - "wireValue": "code" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ErrorCode", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ErrorCode", - "safeName": "andurilTaskmanagerV1ErrorCode" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_error_code", - "safeName": "anduril_taskmanager_v_1_error_code" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_ERROR_CODE", - "safeName": "ANDURIL_TASKMANAGER_V_1_ERROR_CODE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ErrorCode", - "safeName": "AndurilTaskmanagerV1ErrorCode" - } - }, - "typeId": "anduril.taskmanager.v1.ErrorCode", - "default": null, - "inline": false, - "displayName": "code" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Error code for Task error." - }, - { - "name": { - "name": { - "originalName": "message", - "camelCase": { - "unsafeName": "message", - "safeName": "message" - }, - "snakeCase": { - "unsafeName": "message", - "safeName": "message" - }, - "screamingSnakeCase": { - "unsafeName": "MESSAGE", - "safeName": "MESSAGE" - }, - "pascalCase": { - "unsafeName": "Message", - "safeName": "Message" - } - }, - "wireValue": "message" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Descriptive human-readable string regarding this error." - }, - { - "name": { - "name": { - "originalName": "error_details", - "camelCase": { - "unsafeName": "errorDetails", - "safeName": "errorDetails" - }, - "snakeCase": { - "unsafeName": "error_details", - "safeName": "error_details" - }, - "screamingSnakeCase": { - "unsafeName": "ERROR_DETAILS", - "safeName": "ERROR_DETAILS" - }, - "pascalCase": { - "unsafeName": "ErrorDetails", - "safeName": "ErrorDetails" - } - }, - "wireValue": "error_details" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Any", - "camelCase": { - "unsafeName": "googleProtobufAny", - "safeName": "googleProtobufAny" - }, - "snakeCase": { - "unsafeName": "google_protobuf_any", - "safeName": "google_protobuf_any" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ANY", - "safeName": "GOOGLE_PROTOBUF_ANY" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufAny", - "safeName": "GoogleProtobufAny" - } - }, - "typeId": "google.protobuf.Any", - "default": null, - "inline": false, - "displayName": "error_details" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Any additional details regarding this error." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "TaskError contains an error code and message typically associated to a Task." - }, - "anduril.taskmanager.v1.PrincipalAgent": { - "name": { - "typeId": "anduril.taskmanager.v1.PrincipalAgent", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.PrincipalAgent", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1PrincipalAgent", - "safeName": "andurilTaskmanagerV1PrincipalAgent" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_principal_agent", - "safeName": "anduril_taskmanager_v_1_principal_agent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL_AGENT", - "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL_AGENT" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1PrincipalAgent", - "safeName": "AndurilTaskmanagerV1PrincipalAgent" - } - }, - "displayName": "PrincipalAgent" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.System", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1System", - "safeName": "andurilTaskmanagerV1System" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_system", - "safeName": "anduril_taskmanager_v_1_system" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_SYSTEM", - "safeName": "ANDURIL_TASKMANAGER_V_1_SYSTEM" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1System", - "safeName": "AndurilTaskmanagerV1System" - } - }, - "typeId": "anduril.taskmanager.v1.System", - "default": null, - "inline": false, - "displayName": "system" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.User", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1User", - "safeName": "andurilTaskmanagerV1User" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_user", - "safeName": "anduril_taskmanager_v_1_user" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_USER", - "safeName": "ANDURIL_TASKMANAGER_V_1_USER" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1User", - "safeName": "AndurilTaskmanagerV1User" - } - }, - "typeId": "anduril.taskmanager.v1.User", - "default": null, - "inline": false, - "displayName": "user" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Team", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Team", - "safeName": "andurilTaskmanagerV1Team" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_team", - "safeName": "anduril_taskmanager_v_1_team" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TEAM", - "safeName": "ANDURIL_TASKMANAGER_V_1_TEAM" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Team", - "safeName": "AndurilTaskmanagerV1Team" - } - }, - "typeId": "anduril.taskmanager.v1.Team", - "default": null, - "inline": false, - "displayName": "team" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.taskmanager.v1.Principal": { - "name": { - "typeId": "anduril.taskmanager.v1.Principal", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Principal", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Principal", - "safeName": "andurilTaskmanagerV1Principal" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_principal", - "safeName": "anduril_taskmanager_v_1_principal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", - "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Principal", - "safeName": "AndurilTaskmanagerV1Principal" - } - }, - "displayName": "Principal" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "on_behalf_of", - "camelCase": { - "unsafeName": "onBehalfOf", - "safeName": "onBehalfOf" - }, - "snakeCase": { - "unsafeName": "on_behalf_of", - "safeName": "on_behalf_of" - }, - "screamingSnakeCase": { - "unsafeName": "ON_BEHALF_OF", - "safeName": "ON_BEHALF_OF" - }, - "pascalCase": { - "unsafeName": "OnBehalfOf", - "safeName": "OnBehalfOf" - } - }, - "wireValue": "on_behalf_of" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Principal", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Principal", - "safeName": "andurilTaskmanagerV1Principal" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_principal", - "safeName": "anduril_taskmanager_v_1_principal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", - "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Principal", - "safeName": "AndurilTaskmanagerV1Principal" - } - }, - "typeId": "anduril.taskmanager.v1.Principal", - "default": null, - "inline": false, - "displayName": "on_behalf_of" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Principal _this_ Principal is acting on behalf of.\\n\\n Likely only populated once in the nesting (i.e. the \\"on_behalf_of\\" Principal would not have another \\"on_behalf_of\\" in most cases)." - }, - { - "name": { - "name": { - "originalName": "agent", - "camelCase": { - "unsafeName": "agent", - "safeName": "agent" - }, - "snakeCase": { - "unsafeName": "agent", - "safeName": "agent" - }, - "screamingSnakeCase": { - "unsafeName": "AGENT", - "safeName": "AGENT" - }, - "pascalCase": { - "unsafeName": "Agent", - "safeName": "Agent" - } - }, - "wireValue": "agent" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.PrincipalAgent", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1PrincipalAgent", - "safeName": "andurilTaskmanagerV1PrincipalAgent" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_principal_agent", - "safeName": "anduril_taskmanager_v_1_principal_agent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL_AGENT", - "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL_AGENT" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1PrincipalAgent", - "safeName": "AndurilTaskmanagerV1PrincipalAgent" - } - }, - "typeId": "anduril.taskmanager.v1.PrincipalAgent", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A Principal is an entity that has authority over this Task." - }, - "anduril.taskmanager.v1.System": { - "name": { - "typeId": "anduril.taskmanager.v1.System", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.System", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1System", - "safeName": "andurilTaskmanagerV1System" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_system", - "safeName": "anduril_taskmanager_v_1_system" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_SYSTEM", - "safeName": "ANDURIL_TASKMANAGER_V_1_SYSTEM" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1System", - "safeName": "AndurilTaskmanagerV1System" - } - }, - "displayName": "System" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "service_name", - "camelCase": { - "unsafeName": "serviceName", - "safeName": "serviceName" - }, - "snakeCase": { - "unsafeName": "service_name", - "safeName": "service_name" - }, - "screamingSnakeCase": { - "unsafeName": "SERVICE_NAME", - "safeName": "SERVICE_NAME" - }, - "pascalCase": { - "unsafeName": "ServiceName", - "safeName": "ServiceName" - } - }, - "wireValue": "service_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Name of the service associated with this System." - }, - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The Entity ID of the System." - }, - { - "name": { - "name": { - "originalName": "manages_own_scheduling", - "camelCase": { - "unsafeName": "managesOwnScheduling", - "safeName": "managesOwnScheduling" - }, - "snakeCase": { - "unsafeName": "manages_own_scheduling", - "safeName": "manages_own_scheduling" - }, - "screamingSnakeCase": { - "unsafeName": "MANAGES_OWN_SCHEDULING", - "safeName": "MANAGES_OWN_SCHEDULING" - }, - "pascalCase": { - "unsafeName": "ManagesOwnScheduling", - "safeName": "ManagesOwnScheduling" - } - }, - "wireValue": "manages_own_scheduling" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Whether the System Principal (for example, an Asset) can own scheduling.\\n This means we bypass manager-owned scheduling and defer to the system\\n Principal to handle scheduling and give us status updates for the Task.\\n Regardless of the value defined by the client, the Task Manager will\\n determine and set this value appropriately." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "System Principal representing some autonomous system." - }, - "anduril.taskmanager.v1.User": { - "name": { - "typeId": "anduril.taskmanager.v1.User", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.User", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1User", - "safeName": "andurilTaskmanagerV1User" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_user", - "safeName": "anduril_taskmanager_v_1_user" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_USER", - "safeName": "ANDURIL_TASKMANAGER_V_1_USER" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1User", - "safeName": "AndurilTaskmanagerV1User" - } - }, - "displayName": "User" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "user_id", - "camelCase": { - "unsafeName": "userId", - "safeName": "userId" - }, - "snakeCase": { - "unsafeName": "user_id", - "safeName": "user_id" - }, - "screamingSnakeCase": { - "unsafeName": "USER_ID", - "safeName": "USER_ID" - }, - "pascalCase": { - "unsafeName": "UserId", - "safeName": "UserId" - } - }, - "wireValue": "user_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The User ID associated with this User." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A User Principal representing a human." - }, - "anduril.taskmanager.v1.Relations": { - "name": { - "typeId": "anduril.taskmanager.v1.Relations", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Relations", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Relations", - "safeName": "andurilTaskmanagerV1Relations" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_relations", - "safeName": "anduril_taskmanager_v_1_relations" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS", - "safeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Relations", - "safeName": "AndurilTaskmanagerV1Relations" - } - }, - "displayName": "Relations" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "assignee", - "camelCase": { - "unsafeName": "assignee", - "safeName": "assignee" - }, - "snakeCase": { - "unsafeName": "assignee", - "safeName": "assignee" - }, - "screamingSnakeCase": { - "unsafeName": "ASSIGNEE", - "safeName": "ASSIGNEE" - }, - "pascalCase": { - "unsafeName": "Assignee", - "safeName": "Assignee" - } - }, - "wireValue": "assignee" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Principal", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Principal", - "safeName": "andurilTaskmanagerV1Principal" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_principal", - "safeName": "anduril_taskmanager_v_1_principal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", - "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Principal", - "safeName": "AndurilTaskmanagerV1Principal" - } - }, - "typeId": "anduril.taskmanager.v1.Principal", - "default": null, - "inline": false, - "displayName": "assignee" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Who or what, if anyone, this Task is currently assigned to." - }, - { - "name": { - "name": { - "originalName": "parent_task_id", - "camelCase": { - "unsafeName": "parentTaskId", - "safeName": "parentTaskId" - }, - "snakeCase": { - "unsafeName": "parent_task_id", - "safeName": "parent_task_id" - }, - "screamingSnakeCase": { - "unsafeName": "PARENT_TASK_ID", - "safeName": "PARENT_TASK_ID" - }, - "pascalCase": { - "unsafeName": "ParentTaskId", - "safeName": "ParentTaskId" - } - }, - "wireValue": "parent_task_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If this Task is a \\"sub-Task\\", what is its parent, none if empty." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Relations describes the relationships of this Task, such as assignment, or if the Task has any parents." - }, - "anduril.taskmanager.v1.TaskEvent": { - "name": { - "typeId": "anduril.taskmanager.v1.TaskEvent", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskEvent", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskEvent", - "safeName": "andurilTaskmanagerV1TaskEvent" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_event", - "safeName": "anduril_taskmanager_v_1_task_event" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_EVENT", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_EVENT" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskEvent", - "safeName": "AndurilTaskmanagerV1TaskEvent" - } - }, - "displayName": "TaskEvent" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "event_type", - "camelCase": { - "unsafeName": "eventType", - "safeName": "eventType" - }, - "snakeCase": { - "unsafeName": "event_type", - "safeName": "event_type" - }, - "screamingSnakeCase": { - "unsafeName": "EVENT_TYPE", - "safeName": "EVENT_TYPE" - }, - "pascalCase": { - "unsafeName": "EventType", - "safeName": "EventType" - } - }, - "wireValue": "event_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.EventType", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1EventType", - "safeName": "andurilTaskmanagerV1EventType" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_event_type", - "safeName": "anduril_taskmanager_v_1_event_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_EVENT_TYPE", - "safeName": "ANDURIL_TASKMANAGER_V_1_EVENT_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1EventType", - "safeName": "AndurilTaskmanagerV1EventType" - } - }, - "typeId": "anduril.taskmanager.v1.EventType", - "default": null, - "inline": false, - "displayName": "event_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Type of Event." - }, - { - "name": { - "name": { - "originalName": "task", - "camelCase": { - "unsafeName": "task", - "safeName": "task" - }, - "snakeCase": { - "unsafeName": "task", - "safeName": "task" - }, - "screamingSnakeCase": { - "unsafeName": "TASK", - "safeName": "TASK" - }, - "pascalCase": { - "unsafeName": "Task", - "safeName": "Task" - } - }, - "wireValue": "task" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Task", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Task", - "safeName": "andurilTaskmanagerV1Task" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task", - "safeName": "anduril_taskmanager_v_1_task" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Task", - "safeName": "AndurilTaskmanagerV1Task" - } - }, - "typeId": "anduril.taskmanager.v1.Task", - "default": null, - "inline": false, - "displayName": "task" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Task associated with this TaskEvent." - }, - { - "name": { - "name": { - "originalName": "task_view", - "camelCase": { - "unsafeName": "taskView", - "safeName": "taskView" - }, - "snakeCase": { - "unsafeName": "task_view", - "safeName": "task_view" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_VIEW", - "safeName": "TASK_VIEW" - }, - "pascalCase": { - "unsafeName": "TaskView", - "safeName": "TaskView" - } - }, - "wireValue": "task_view" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskView", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskView", - "safeName": "andurilTaskmanagerV1TaskView" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_view", - "safeName": "anduril_taskmanager_v_1_task_view" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskView", - "safeName": "AndurilTaskmanagerV1TaskView" - } - }, - "typeId": "anduril.taskmanager.v1.TaskView", - "default": null, - "inline": false, - "displayName": "task_view" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "View associated with this task." - }, - { - "name": { - "name": { - "originalName": "time", - "camelCase": { - "unsafeName": "time", - "safeName": "time" - }, - "snakeCase": { - "unsafeName": "time", - "safeName": "time" - }, - "screamingSnakeCase": { - "unsafeName": "TIME", - "safeName": "TIME" - }, - "pascalCase": { - "unsafeName": "Time", - "safeName": "Time" - } - }, - "wireValue": "time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "===== Time Series Updates =====\\n\\n Timestamp for time-series to index." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Holds Tasks and its associated Events, e.g. CREATED." - }, - "anduril.taskmanager.v1.TaskVersion": { - "name": { - "typeId": "anduril.taskmanager.v1.TaskVersion", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskVersion", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskVersion", - "safeName": "andurilTaskmanagerV1TaskVersion" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_version", - "safeName": "anduril_taskmanager_v_1_task_version" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskVersion", - "safeName": "AndurilTaskmanagerV1TaskVersion" - } - }, - "displayName": "TaskVersion" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task_id", - "camelCase": { - "unsafeName": "taskId", - "safeName": "taskId" - }, - "snakeCase": { - "unsafeName": "task_id", - "safeName": "task_id" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_ID", - "safeName": "TASK_ID" - }, - "pascalCase": { - "unsafeName": "TaskId", - "safeName": "TaskId" - } - }, - "wireValue": "task_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The unique ID for this Task." - }, - { - "name": { - "name": { - "originalName": "definition_version", - "camelCase": { - "unsafeName": "definitionVersion", - "safeName": "definitionVersion" - }, - "snakeCase": { - "unsafeName": "definition_version", - "safeName": "definition_version" - }, - "screamingSnakeCase": { - "unsafeName": "DEFINITION_VERSION", - "safeName": "DEFINITION_VERSION" - }, - "pascalCase": { - "unsafeName": "DefinitionVersion", - "safeName": "DefinitionVersion" - } - }, - "wireValue": "definition_version" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Increments on definition (i.e. not TaskStatus) change. 0 is unset, starts at 1 on creation." - }, - { - "name": { - "name": { - "originalName": "status_version", - "camelCase": { - "unsafeName": "statusVersion", - "safeName": "statusVersion" - }, - "snakeCase": { - "unsafeName": "status_version", - "safeName": "status_version" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_VERSION", - "safeName": "STATUS_VERSION" - }, - "pascalCase": { - "unsafeName": "StatusVersion", - "safeName": "StatusVersion" - } - }, - "wireValue": "status_version" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Increments on changes to TaskStatus. 0 is unset, starts at 1 on creation." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Version of a Task." - }, - "anduril.taskmanager.v1.StatusUpdate": { - "name": { - "typeId": "anduril.taskmanager.v1.StatusUpdate", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.StatusUpdate", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1StatusUpdate", - "safeName": "andurilTaskmanagerV1StatusUpdate" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_status_update", - "safeName": "anduril_taskmanager_v_1_status_update" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS_UPDATE", - "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS_UPDATE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1StatusUpdate", - "safeName": "AndurilTaskmanagerV1StatusUpdate" - } - }, - "displayName": "StatusUpdate" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "version", - "camelCase": { - "unsafeName": "version", - "safeName": "version" - }, - "snakeCase": { - "unsafeName": "version", - "safeName": "version" - }, - "screamingSnakeCase": { - "unsafeName": "VERSION", - "safeName": "VERSION" - }, - "pascalCase": { - "unsafeName": "Version", - "safeName": "Version" - } - }, - "wireValue": "version" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskVersion", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskVersion", - "safeName": "andurilTaskmanagerV1TaskVersion" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_version", - "safeName": "anduril_taskmanager_v_1_task_version" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskVersion", - "safeName": "AndurilTaskmanagerV1TaskVersion" - } - }, - "typeId": "anduril.taskmanager.v1.TaskVersion", - "default": null, - "inline": false, - "displayName": "version" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Version of the Task." - }, - { - "name": { - "name": { - "originalName": "status", - "camelCase": { - "unsafeName": "status", - "safeName": "status" - }, - "snakeCase": { - "unsafeName": "status", - "safeName": "status" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS", - "safeName": "STATUS" - }, - "pascalCase": { - "unsafeName": "Status", - "safeName": "Status" - } - }, - "wireValue": "status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskStatus", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskStatus", - "safeName": "andurilTaskmanagerV1TaskStatus" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_status", - "safeName": "anduril_taskmanager_v_1_task_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskStatus", - "safeName": "AndurilTaskmanagerV1TaskStatus" - } - }, - "typeId": "anduril.taskmanager.v1.TaskStatus", - "default": null, - "inline": false, - "displayName": "status" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Status of the Task." - }, - { - "name": { - "name": { - "originalName": "author", - "camelCase": { - "unsafeName": "author", - "safeName": "author" - }, - "snakeCase": { - "unsafeName": "author", - "safeName": "author" - }, - "screamingSnakeCase": { - "unsafeName": "AUTHOR", - "safeName": "AUTHOR" - }, - "pascalCase": { - "unsafeName": "Author", - "safeName": "Author" - } - }, - "wireValue": "author" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Principal", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Principal", - "safeName": "andurilTaskmanagerV1Principal" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_principal", - "safeName": "anduril_taskmanager_v_1_principal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", - "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Principal", - "safeName": "AndurilTaskmanagerV1Principal" - } - }, - "typeId": "anduril.taskmanager.v1.Principal", - "default": null, - "inline": false, - "displayName": "author" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Author of the StatusUpdate message. Used to set the LastUpdatedBy field of the Task." - }, - { - "name": { - "name": { - "originalName": "scheduled_time", - "camelCase": { - "unsafeName": "scheduledTime", - "safeName": "scheduledTime" - }, - "snakeCase": { - "unsafeName": "scheduled_time", - "safeName": "scheduled_time" - }, - "screamingSnakeCase": { - "unsafeName": "SCHEDULED_TIME", - "safeName": "SCHEDULED_TIME" - }, - "pascalCase": { - "unsafeName": "ScheduledTime", - "safeName": "ScheduledTime" - } - }, - "wireValue": "scheduled_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "scheduled_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Typically provided if a user is manually managing a Task, or if an asset owns scheduling." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "a Task status update" - }, - "anduril.taskmanager.v1.DefinitionUpdate": { - "name": { - "typeId": "anduril.taskmanager.v1.DefinitionUpdate", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.DefinitionUpdate", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1DefinitionUpdate", - "safeName": "andurilTaskmanagerV1DefinitionUpdate" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_definition_update", - "safeName": "anduril_taskmanager_v_1_definition_update" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_DEFINITION_UPDATE", - "safeName": "ANDURIL_TASKMANAGER_V_1_DEFINITION_UPDATE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1DefinitionUpdate", - "safeName": "AndurilTaskmanagerV1DefinitionUpdate" - } - }, - "displayName": "DefinitionUpdate" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task", - "camelCase": { - "unsafeName": "task", - "safeName": "task" - }, - "snakeCase": { - "unsafeName": "task", - "safeName": "task" - }, - "screamingSnakeCase": { - "unsafeName": "TASK", - "safeName": "TASK" - }, - "pascalCase": { - "unsafeName": "Task", - "safeName": "Task" - } - }, - "wireValue": "task" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Task", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Task", - "safeName": "andurilTaskmanagerV1Task" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task", - "safeName": "anduril_taskmanager_v_1_task" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Task", - "safeName": "AndurilTaskmanagerV1Task" - } - }, - "typeId": "anduril.taskmanager.v1.Task", - "default": null, - "inline": false, - "displayName": "task" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "New task definition being created or updated.\\n The last_updated_by and specification fields inside the task object must be defined.\\n Definition version must also be incremented by the publisher on updates.\\n We do not look at the fields create_time or last_update_time in this object,\\n they are instead set by task-manager." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Message representing a Task create or update." - }, - "anduril.taskmanager.v1.Owner": { - "name": { - "typeId": "anduril.taskmanager.v1.Owner", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Owner", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Owner", - "safeName": "andurilTaskmanagerV1Owner" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_owner", - "safeName": "anduril_taskmanager_v_1_owner" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_OWNER", - "safeName": "ANDURIL_TASKMANAGER_V_1_OWNER" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Owner", - "safeName": "AndurilTaskmanagerV1Owner" - } - }, - "displayName": "Owner" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Entity ID of the owner." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Owner designates the entity responsible for writes of Task data." - }, - "anduril.taskmanager.v1.Replication": { - "name": { - "typeId": "anduril.taskmanager.v1.Replication", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Replication", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Replication", - "safeName": "andurilTaskmanagerV1Replication" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_replication", - "safeName": "anduril_taskmanager_v_1_replication" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_REPLICATION", - "safeName": "ANDURIL_TASKMANAGER_V_1_REPLICATION" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Replication", - "safeName": "AndurilTaskmanagerV1Replication" - } - }, - "displayName": "Replication" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "stale_time", - "camelCase": { - "unsafeName": "staleTime", - "safeName": "staleTime" - }, - "snakeCase": { - "unsafeName": "stale_time", - "safeName": "stale_time" - }, - "screamingSnakeCase": { - "unsafeName": "STALE_TIME", - "safeName": "STALE_TIME" - }, - "pascalCase": { - "unsafeName": "StaleTime", - "safeName": "StaleTime" - } - }, - "wireValue": "stale_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "stale_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Time by which this Task should be assumed to be stale." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Any metadata associated with the replication of a Task." - }, - "anduril.taskmanager.v1.Allocation": { - "name": { - "typeId": "anduril.taskmanager.v1.Allocation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Allocation", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Allocation", - "safeName": "andurilTaskmanagerV1Allocation" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_allocation", - "safeName": "anduril_taskmanager_v_1_allocation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_ALLOCATION", - "safeName": "ANDURIL_TASKMANAGER_V_1_ALLOCATION" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Allocation", - "safeName": "AndurilTaskmanagerV1Allocation" - } - }, - "displayName": "Allocation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "active_agents", - "camelCase": { - "unsafeName": "activeAgents", - "safeName": "activeAgents" - }, - "snakeCase": { - "unsafeName": "active_agents", - "safeName": "active_agents" - }, - "screamingSnakeCase": { - "unsafeName": "ACTIVE_AGENTS", - "safeName": "ACTIVE_AGENTS" - }, - "pascalCase": { - "unsafeName": "ActiveAgents", - "safeName": "ActiveAgents" - } - }, - "wireValue": "active_agents" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Agent", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Agent", - "safeName": "andurilTaskmanagerV1Agent" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_agent", - "safeName": "anduril_taskmanager_v_1_agent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_AGENT", - "safeName": "ANDURIL_TASKMANAGER_V_1_AGENT" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Agent", - "safeName": "AndurilTaskmanagerV1Agent" - } - }, - "typeId": "anduril.taskmanager.v1.Agent", - "default": null, - "inline": false, - "displayName": "active_agents" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Agents actively being utilized in a Task." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Allocation contains a list of agents allocated to a Task." - }, - "anduril.taskmanager.v1.Team": { - "name": { - "typeId": "anduril.taskmanager.v1.Team", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Team", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Team", - "safeName": "andurilTaskmanagerV1Team" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_team", - "safeName": "anduril_taskmanager_v_1_team" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TEAM", - "safeName": "ANDURIL_TASKMANAGER_V_1_TEAM" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Team", - "safeName": "AndurilTaskmanagerV1Team" - } - }, - "displayName": "Team" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Entity ID of the team" - }, - { - "name": { - "name": { - "originalName": "members", - "camelCase": { - "unsafeName": "members", - "safeName": "members" - }, - "snakeCase": { - "unsafeName": "members", - "safeName": "members" - }, - "screamingSnakeCase": { - "unsafeName": "MEMBERS", - "safeName": "MEMBERS" - }, - "pascalCase": { - "unsafeName": "Members", - "safeName": "Members" - } - }, - "wireValue": "members" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Agent", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Agent", - "safeName": "andurilTaskmanagerV1Agent" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_agent", - "safeName": "anduril_taskmanager_v_1_agent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_AGENT", - "safeName": "ANDURIL_TASKMANAGER_V_1_AGENT" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Agent", - "safeName": "AndurilTaskmanagerV1Agent" - } - }, - "typeId": "anduril.taskmanager.v1.Agent", - "default": null, - "inline": false, - "displayName": "members" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents a team of agents" - }, - "anduril.taskmanager.v1.Agent": { - "name": { - "typeId": "anduril.taskmanager.v1.Agent", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Agent", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Agent", - "safeName": "andurilTaskmanagerV1Agent" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_agent", - "safeName": "anduril_taskmanager_v_1_agent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_AGENT", - "safeName": "ANDURIL_TASKMANAGER_V_1_AGENT" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Agent", - "safeName": "AndurilTaskmanagerV1Agent" - } - }, - "displayName": "Agent" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Entity ID of the agent." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents an Agent in the COP." - }, - "anduril.taskmanager.v1.TaskEntity": { - "name": { - "typeId": "anduril.taskmanager.v1.TaskEntity", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskEntity", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskEntity", - "safeName": "andurilTaskmanagerV1TaskEntity" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_entity", - "safeName": "anduril_taskmanager_v_1_task_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskEntity", - "safeName": "AndurilTaskmanagerV1TaskEntity" - } - }, - "displayName": "TaskEntity" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity", - "camelCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "snakeCase": { - "unsafeName": "entity", - "safeName": "entity" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY", - "safeName": "ENTITY" - }, - "pascalCase": { - "unsafeName": "Entity", - "safeName": "Entity" - } - }, - "wireValue": "entity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.Entity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1Entity", - "safeName": "andurilEntitymanagerV1Entity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_entity", - "safeName": "anduril_entitymanager_v_1_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1Entity", - "safeName": "AndurilEntitymanagerV1Entity" - } - }, - "typeId": "anduril.entitymanager.v1.Entity", - "default": null, - "inline": false, - "displayName": "entity" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The wrapped entity-manager entity." - }, - { - "name": { - "name": { - "originalName": "snapshot", - "camelCase": { - "unsafeName": "snapshot", - "safeName": "snapshot" - }, - "snakeCase": { - "unsafeName": "snapshot", - "safeName": "snapshot" - }, - "screamingSnakeCase": { - "unsafeName": "SNAPSHOT", - "safeName": "SNAPSHOT" - }, - "pascalCase": { - "unsafeName": "Snapshot", - "safeName": "Snapshot" - } - }, - "wireValue": "snapshot" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates that this entity was generated from a snapshot of a live entity." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Wrapper of an entity passed in Tasking, used to hold an additional information, and as a future extension point." - }, - "anduril.taskmanager.v1.ExecuteRequest": { - "name": { - "typeId": "anduril.taskmanager.v1.ExecuteRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ExecuteRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ExecuteRequest", - "safeName": "andurilTaskmanagerV1ExecuteRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_execute_request", - "safeName": "anduril_taskmanager_v_1_execute_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_EXECUTE_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_EXECUTE_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ExecuteRequest", - "safeName": "AndurilTaskmanagerV1ExecuteRequest" - } - }, - "displayName": "ExecuteRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task", - "camelCase": { - "unsafeName": "task", - "safeName": "task" - }, - "snakeCase": { - "unsafeName": "task", - "safeName": "task" - }, - "screamingSnakeCase": { - "unsafeName": "TASK", - "safeName": "TASK" - }, - "pascalCase": { - "unsafeName": "Task", - "safeName": "Task" - } - }, - "wireValue": "task" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Task", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Task", - "safeName": "andurilTaskmanagerV1Task" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task", - "safeName": "anduril_taskmanager_v_1_task" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Task", - "safeName": "AndurilTaskmanagerV1Task" - } - }, - "typeId": "anduril.taskmanager.v1.Task", - "default": null, - "inline": false, - "displayName": "task" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Task to execute." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Request to execute a Task." - }, - "anduril.taskmanager.v1.CancelRequest": { - "name": { - "typeId": "anduril.taskmanager.v1.CancelRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.CancelRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1CancelRequest", - "safeName": "andurilTaskmanagerV1CancelRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_cancel_request", - "safeName": "anduril_taskmanager_v_1_cancel_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_CANCEL_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_CANCEL_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1CancelRequest", - "safeName": "AndurilTaskmanagerV1CancelRequest" - } - }, - "displayName": "CancelRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task_id", - "camelCase": { - "unsafeName": "taskId", - "safeName": "taskId" - }, - "snakeCase": { - "unsafeName": "task_id", - "safeName": "task_id" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_ID", - "safeName": "TASK_ID" - }, - "pascalCase": { - "unsafeName": "TaskId", - "safeName": "TaskId" - } - }, - "wireValue": "task_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "ID of the Task to cancel." - }, - { - "name": { - "name": { - "originalName": "assignee", - "camelCase": { - "unsafeName": "assignee", - "safeName": "assignee" - }, - "snakeCase": { - "unsafeName": "assignee", - "safeName": "assignee" - }, - "screamingSnakeCase": { - "unsafeName": "ASSIGNEE", - "safeName": "ASSIGNEE" - }, - "pascalCase": { - "unsafeName": "Assignee", - "safeName": "Assignee" - } - }, - "wireValue": "assignee" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Principal", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Principal", - "safeName": "andurilTaskmanagerV1Principal" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_principal", - "safeName": "anduril_taskmanager_v_1_principal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", - "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Principal", - "safeName": "AndurilTaskmanagerV1Principal" - } - }, - "typeId": "anduril.taskmanager.v1.Principal", - "default": null, - "inline": false, - "displayName": "assignee" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The assignee of the Task. Useful for agent routing where an endpoint owns multiple agents,\\n especially onBehalfOf assignees." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Request to Cancel a Task." - }, - "anduril.taskmanager.v1.CompleteRequest": { - "name": { - "typeId": "anduril.taskmanager.v1.CompleteRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.CompleteRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1CompleteRequest", - "safeName": "andurilTaskmanagerV1CompleteRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_complete_request", - "safeName": "anduril_taskmanager_v_1_complete_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_COMPLETE_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_COMPLETE_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1CompleteRequest", - "safeName": "AndurilTaskmanagerV1CompleteRequest" - } - }, - "displayName": "CompleteRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task_id", - "camelCase": { - "unsafeName": "taskId", - "safeName": "taskId" - }, - "snakeCase": { - "unsafeName": "task_id", - "safeName": "task_id" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_ID", - "safeName": "TASK_ID" - }, - "pascalCase": { - "unsafeName": "TaskId", - "safeName": "TaskId" - } - }, - "wireValue": "task_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "ID of the task to complete." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Request to Complete a Task." - }, - "anduril.taskmanager.v1.CreateTaskRequest": { - "name": { - "typeId": "anduril.taskmanager.v1.CreateTaskRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.CreateTaskRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1CreateTaskRequest", - "safeName": "andurilTaskmanagerV1CreateTaskRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_create_task_request", - "safeName": "anduril_taskmanager_v_1_create_task_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1CreateTaskRequest", - "safeName": "AndurilTaskmanagerV1CreateTaskRequest" - } - }, - "displayName": "CreateTaskRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "display_name", - "camelCase": { - "unsafeName": "displayName", - "safeName": "displayName" - }, - "snakeCase": { - "unsafeName": "display_name", - "safeName": "display_name" - }, - "screamingSnakeCase": { - "unsafeName": "DISPLAY_NAME", - "safeName": "DISPLAY_NAME" - }, - "pascalCase": { - "unsafeName": "DisplayName", - "safeName": "DisplayName" - } - }, - "wireValue": "display_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Human-readable display name for this Task, should be short (<100 chars)." - }, - { - "name": { - "name": { - "originalName": "specification", - "camelCase": { - "unsafeName": "specification", - "safeName": "specification" - }, - "snakeCase": { - "unsafeName": "specification", - "safeName": "specification" - }, - "screamingSnakeCase": { - "unsafeName": "SPECIFICATION", - "safeName": "SPECIFICATION" - }, - "pascalCase": { - "unsafeName": "Specification", - "safeName": "Specification" - } - }, - "wireValue": "specification" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Any", - "camelCase": { - "unsafeName": "googleProtobufAny", - "safeName": "googleProtobufAny" - }, - "snakeCase": { - "unsafeName": "google_protobuf_any", - "safeName": "google_protobuf_any" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_ANY", - "safeName": "GOOGLE_PROTOBUF_ANY" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufAny", - "safeName": "GoogleProtobufAny" - } - }, - "typeId": "google.protobuf.Any", - "default": null, - "inline": false, - "displayName": "specification" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Full task parameterization, must be a message under anduril/tasks/v*/." - }, - { - "name": { - "name": { - "originalName": "author", - "camelCase": { - "unsafeName": "author", - "safeName": "author" - }, - "snakeCase": { - "unsafeName": "author", - "safeName": "author" - }, - "screamingSnakeCase": { - "unsafeName": "AUTHOR", - "safeName": "AUTHOR" - }, - "pascalCase": { - "unsafeName": "Author", - "safeName": "Author" - } - }, - "wireValue": "author" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Principal", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Principal", - "safeName": "andurilTaskmanagerV1Principal" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_principal", - "safeName": "anduril_taskmanager_v_1_principal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", - "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Principal", - "safeName": "AndurilTaskmanagerV1Principal" - } - }, - "typeId": "anduril.taskmanager.v1.Principal", - "default": null, - "inline": false, - "displayName": "author" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Who or what is creating this Task. For example, if a user created this Task via a UI, it would\\n contain the \\"user\\" Principal type with the user ID of that user. Or if a service is calling the\\n CreateTask endpoint, then a \\"service\\" Principal type is to be provided." - }, - { - "name": { - "name": { - "originalName": "relations", - "camelCase": { - "unsafeName": "relations", - "safeName": "relations" - }, - "snakeCase": { - "unsafeName": "relations", - "safeName": "relations" - }, - "screamingSnakeCase": { - "unsafeName": "RELATIONS", - "safeName": "RELATIONS" - }, - "pascalCase": { - "unsafeName": "Relations", - "safeName": "Relations" - } - }, - "wireValue": "relations" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Relations", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Relations", - "safeName": "andurilTaskmanagerV1Relations" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_relations", - "safeName": "anduril_taskmanager_v_1_relations" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS", - "safeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Relations", - "safeName": "AndurilTaskmanagerV1Relations" - } - }, - "typeId": "anduril.taskmanager.v1.Relations", - "default": null, - "inline": false, - "displayName": "relations" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Any relationships associated with this Task, such as a parent Task or an assignee this Task is designated to\\n for execution." - }, - { - "name": { - "name": { - "originalName": "description", - "camelCase": { - "unsafeName": "description", - "safeName": "description" - }, - "snakeCase": { - "unsafeName": "description", - "safeName": "description" - }, - "screamingSnakeCase": { - "unsafeName": "DESCRIPTION", - "safeName": "DESCRIPTION" - }, - "pascalCase": { - "unsafeName": "Description", - "safeName": "Description" - } - }, - "wireValue": "description" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Longer, free-form, human-readable description of this Task." - }, - { - "name": { - "name": { - "originalName": "is_executed_elsewhere", - "camelCase": { - "unsafeName": "isExecutedElsewhere", - "safeName": "isExecutedElsewhere" - }, - "snakeCase": { - "unsafeName": "is_executed_elsewhere", - "safeName": "is_executed_elsewhere" - }, - "screamingSnakeCase": { - "unsafeName": "IS_EXECUTED_ELSEWHERE", - "safeName": "IS_EXECUTED_ELSEWHERE" - }, - "pascalCase": { - "unsafeName": "IsExecutedElsewhere", - "safeName": "IsExecutedElsewhere" - } - }, - "wireValue": "is_executed_elsewhere" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "BOOLEAN", - "v2": { - "type": "boolean", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If set, then task-manager will not trigger execution of this task on an agent. Useful for when ingesting\\n tasks from an external system that is triggering execution of tasks on agents." - }, - { - "name": { - "name": { - "originalName": "task_id", - "camelCase": { - "unsafeName": "taskId", - "safeName": "taskId" - }, - "snakeCase": { - "unsafeName": "task_id", - "safeName": "task_id" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_ID", - "safeName": "TASK_ID" - }, - "pascalCase": { - "unsafeName": "TaskId", - "safeName": "TaskId" - } - }, - "wireValue": "task_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If non-empty, will set the requested Task ID, otherwise will generate a new random GUID.\\n Will reject if supplied Task ID does not match \`[A-Za-z0-9_-.]{5,36}\`." - }, - { - "name": { - "name": { - "originalName": "initial_entities", - "camelCase": { - "unsafeName": "initialEntities", - "safeName": "initialEntities" - }, - "snakeCase": { - "unsafeName": "initial_entities", - "safeName": "initial_entities" - }, - "screamingSnakeCase": { - "unsafeName": "INITIAL_ENTITIES", - "safeName": "INITIAL_ENTITIES" - }, - "pascalCase": { - "unsafeName": "InitialEntities", - "safeName": "InitialEntities" - } - }, - "wireValue": "initial_entities" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskEntity", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskEntity", - "safeName": "andurilTaskmanagerV1TaskEntity" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_entity", - "safeName": "anduril_taskmanager_v_1_task_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskEntity", - "safeName": "AndurilTaskmanagerV1TaskEntity" - } - }, - "typeId": "anduril.taskmanager.v1.TaskEntity", - "default": null, - "inline": false, - "displayName": "initial_entities" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates an initial set of entities that can be used to execute an entity aware task.\\n For example, an entity Objective, an entity Keep In Zone, etc." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Request to create a Task." - }, - "anduril.taskmanager.v1.CreateTaskResponse": { - "name": { - "typeId": "anduril.taskmanager.v1.CreateTaskResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.CreateTaskResponse", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1CreateTaskResponse", - "safeName": "andurilTaskmanagerV1CreateTaskResponse" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_create_task_response", - "safeName": "anduril_taskmanager_v_1_create_task_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_RESPONSE", - "safeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1CreateTaskResponse", - "safeName": "AndurilTaskmanagerV1CreateTaskResponse" - } - }, - "displayName": "CreateTaskResponse" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task", - "camelCase": { - "unsafeName": "task", - "safeName": "task" - }, - "snakeCase": { - "unsafeName": "task", - "safeName": "task" - }, - "screamingSnakeCase": { - "unsafeName": "TASK", - "safeName": "TASK" - }, - "pascalCase": { - "unsafeName": "Task", - "safeName": "Task" - } - }, - "wireValue": "task" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Task", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Task", - "safeName": "andurilTaskmanagerV1Task" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task", - "safeName": "anduril_taskmanager_v_1_task" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Task", - "safeName": "AndurilTaskmanagerV1Task" - } - }, - "typeId": "anduril.taskmanager.v1.Task", - "default": null, - "inline": false, - "displayName": "task" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Task that was created." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Response to a Create Task request." - }, - "anduril.taskmanager.v1.GetTaskRequest": { - "name": { - "typeId": "anduril.taskmanager.v1.GetTaskRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.GetTaskRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1GetTaskRequest", - "safeName": "andurilTaskmanagerV1GetTaskRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_get_task_request", - "safeName": "anduril_taskmanager_v_1_get_task_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1GetTaskRequest", - "safeName": "AndurilTaskmanagerV1GetTaskRequest" - } - }, - "displayName": "GetTaskRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task_id", - "camelCase": { - "unsafeName": "taskId", - "safeName": "taskId" - }, - "snakeCase": { - "unsafeName": "task_id", - "safeName": "task_id" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_ID", - "safeName": "TASK_ID" - }, - "pascalCase": { - "unsafeName": "TaskId", - "safeName": "TaskId" - } - }, - "wireValue": "task_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "ID of Task to get." - }, - { - "name": { - "name": { - "originalName": "definition_version", - "camelCase": { - "unsafeName": "definitionVersion", - "safeName": "definitionVersion" - }, - "snakeCase": { - "unsafeName": "definition_version", - "safeName": "definition_version" - }, - "screamingSnakeCase": { - "unsafeName": "DEFINITION_VERSION", - "safeName": "DEFINITION_VERSION" - }, - "pascalCase": { - "unsafeName": "DefinitionVersion", - "safeName": "DefinitionVersion" - } - }, - "wireValue": "definition_version" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional - if > 0, will get specific definition_version, otherwise latest (highest) definition_version is used." - }, - { - "name": { - "name": { - "originalName": "task_view", - "camelCase": { - "unsafeName": "taskView", - "safeName": "taskView" - }, - "snakeCase": { - "unsafeName": "task_view", - "safeName": "task_view" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_VIEW", - "safeName": "TASK_VIEW" - }, - "pascalCase": { - "unsafeName": "TaskView", - "safeName": "TaskView" - } - }, - "wireValue": "task_view" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskView", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskView", - "safeName": "andurilTaskmanagerV1TaskView" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_view", - "safeName": "anduril_taskmanager_v_1_task_view" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskView", - "safeName": "AndurilTaskmanagerV1TaskView" - } - }, - "typeId": "anduril.taskmanager.v1.TaskView", - "default": null, - "inline": false, - "displayName": "task_view" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional - select which view of the task to fetch. If not set, defaults to TASK_VIEW_MANAGER." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Request to get a Task." - }, - "anduril.taskmanager.v1.GetTaskResponse": { - "name": { - "typeId": "anduril.taskmanager.v1.GetTaskResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.GetTaskResponse", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1GetTaskResponse", - "safeName": "andurilTaskmanagerV1GetTaskResponse" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_get_task_response", - "safeName": "anduril_taskmanager_v_1_get_task_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_RESPONSE", - "safeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1GetTaskResponse", - "safeName": "AndurilTaskmanagerV1GetTaskResponse" - } - }, - "displayName": "GetTaskResponse" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task", - "camelCase": { - "unsafeName": "task", - "safeName": "task" - }, - "snakeCase": { - "unsafeName": "task", - "safeName": "task" - }, - "screamingSnakeCase": { - "unsafeName": "TASK", - "safeName": "TASK" - }, - "pascalCase": { - "unsafeName": "Task", - "safeName": "Task" - } - }, - "wireValue": "task" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Task", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Task", - "safeName": "andurilTaskmanagerV1Task" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task", - "safeName": "anduril_taskmanager_v_1_task" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Task", - "safeName": "AndurilTaskmanagerV1Task" - } - }, - "typeId": "anduril.taskmanager.v1.Task", - "default": null, - "inline": false, - "displayName": "task" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Task that was returned." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Response to a Get Task request." - }, - "anduril.taskmanager.v1.QueryTasksRequest.TimeRange": { - "name": { - "typeId": "QueryTasksRequest.TimeRange", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TimeRange", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TimeRange", - "safeName": "andurilTaskmanagerV1TimeRange" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_time_range", - "safeName": "anduril_taskmanager_v_1_time_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TIME_RANGE", - "safeName": "ANDURIL_TASKMANAGER_V_1_TIME_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TimeRange", - "safeName": "AndurilTaskmanagerV1TimeRange" - } - }, - "displayName": "TimeRange" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "update_start_time", - "camelCase": { - "unsafeName": "updateStartTime", - "safeName": "updateStartTime" - }, - "snakeCase": { - "unsafeName": "update_start_time", - "safeName": "update_start_time" - }, - "screamingSnakeCase": { - "unsafeName": "UPDATE_START_TIME", - "safeName": "UPDATE_START_TIME" - }, - "pascalCase": { - "unsafeName": "UpdateStartTime", - "safeName": "UpdateStartTime" - } - }, - "wireValue": "update_start_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "update_start_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If provided, returns Tasks only updated after this time." - }, - { - "name": { - "name": { - "originalName": "update_end_time", - "camelCase": { - "unsafeName": "updateEndTime", - "safeName": "updateEndTime" - }, - "snakeCase": { - "unsafeName": "update_end_time", - "safeName": "update_end_time" - }, - "screamingSnakeCase": { - "unsafeName": "UPDATE_END_TIME", - "safeName": "UPDATE_END_TIME" - }, - "pascalCase": { - "unsafeName": "UpdateEndTime", - "safeName": "UpdateEndTime" - } - }, - "wireValue": "update_end_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "update_end_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If provided, returns Tasks only updated before this time." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A time range query for Tasks." - }, - "anduril.taskmanager.v1.QueryTasksRequest.StatusFilter": { - "name": { - "typeId": "QueryTasksRequest.StatusFilter", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.StatusFilter", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1StatusFilter", - "safeName": "andurilTaskmanagerV1StatusFilter" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_status_filter", - "safeName": "anduril_taskmanager_v_1_status_filter" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS_FILTER", - "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS_FILTER" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1StatusFilter", - "safeName": "AndurilTaskmanagerV1StatusFilter" - } - }, - "displayName": "StatusFilter" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "status", - "camelCase": { - "unsafeName": "status", - "safeName": "status" - }, - "snakeCase": { - "unsafeName": "status", - "safeName": "status" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS", - "safeName": "STATUS" - }, - "pascalCase": { - "unsafeName": "Status", - "safeName": "Status" - } - }, - "wireValue": "status" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Status", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Status", - "safeName": "andurilTaskmanagerV1Status" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_status", - "safeName": "anduril_taskmanager_v_1_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS", - "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Status", - "safeName": "AndurilTaskmanagerV1Status" - } - }, - "typeId": "anduril.taskmanager.v1.Status", - "default": null, - "inline": false, - "displayName": "status" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Statuses to be part of the filter." - }, - { - "name": { - "name": { - "originalName": "filter_type", - "camelCase": { - "unsafeName": "filterType", - "safeName": "filterType" - }, - "snakeCase": { - "unsafeName": "filter_type", - "safeName": "filter_type" - }, - "screamingSnakeCase": { - "unsafeName": "FILTER_TYPE", - "safeName": "FILTER_TYPE" - }, - "pascalCase": { - "unsafeName": "FilterType", - "safeName": "FilterType" - } - }, - "wireValue": "filter_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.QueryTasksRequest.FilterType", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1QueryTasksRequestFilterType", - "safeName": "andurilTaskmanagerV1QueryTasksRequestFilterType" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_query_tasks_request_filter_type", - "safeName": "anduril_taskmanager_v_1_query_tasks_request_filter_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_FILTER_TYPE", - "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_FILTER_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1QueryTasksRequestFilterType", - "safeName": "AndurilTaskmanagerV1QueryTasksRequestFilterType" - } - }, - "typeId": "anduril.taskmanager.v1.QueryTasksRequest.FilterType", - "default": null, - "inline": false, - "displayName": "filter_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The type of filter to apply." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A filter for statuses." - }, - "anduril.taskmanager.v1.QueryTasksRequest.FilterType": { - "name": { - "typeId": "QueryTasksRequest.FilterType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.FilterType", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1FilterType", - "safeName": "andurilTaskmanagerV1FilterType" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_filter_type", - "safeName": "anduril_taskmanager_v_1_filter_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_FILTER_TYPE", - "safeName": "ANDURIL_TASKMANAGER_V_1_FILTER_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1FilterType", - "safeName": "AndurilTaskmanagerV1FilterType" - } - }, - "displayName": "FilterType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "FILTER_TYPE_INVALID", - "camelCase": { - "unsafeName": "filterTypeInvalid", - "safeName": "filterTypeInvalid" - }, - "snakeCase": { - "unsafeName": "filter_type_invalid", - "safeName": "filter_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "FILTER_TYPE_INVALID", - "safeName": "FILTER_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "FilterTypeInvalid", - "safeName": "FilterTypeInvalid" - } - }, - "wireValue": "FILTER_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "FILTER_TYPE_INCLUSIVE", - "camelCase": { - "unsafeName": "filterTypeInclusive", - "safeName": "filterTypeInclusive" - }, - "snakeCase": { - "unsafeName": "filter_type_inclusive", - "safeName": "filter_type_inclusive" - }, - "screamingSnakeCase": { - "unsafeName": "FILTER_TYPE_INCLUSIVE", - "safeName": "FILTER_TYPE_INCLUSIVE" - }, - "pascalCase": { - "unsafeName": "FilterTypeInclusive", - "safeName": "FilterTypeInclusive" - } - }, - "wireValue": "FILTER_TYPE_INCLUSIVE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "FILTER_TYPE_EXCLUSIVE", - "camelCase": { - "unsafeName": "filterTypeExclusive", - "safeName": "filterTypeExclusive" - }, - "snakeCase": { - "unsafeName": "filter_type_exclusive", - "safeName": "filter_type_exclusive" - }, - "screamingSnakeCase": { - "unsafeName": "FILTER_TYPE_EXCLUSIVE", - "safeName": "FILTER_TYPE_EXCLUSIVE" - }, - "pascalCase": { - "unsafeName": "FilterTypeExclusive", - "safeName": "FilterTypeExclusive" - } - }, - "wireValue": "FILTER_TYPE_EXCLUSIVE" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "The type of filter." - }, - "anduril.taskmanager.v1.QueryTasksRequest": { - "name": { - "typeId": "anduril.taskmanager.v1.QueryTasksRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.QueryTasksRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1QueryTasksRequest", - "safeName": "andurilTaskmanagerV1QueryTasksRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_query_tasks_request", - "safeName": "anduril_taskmanager_v_1_query_tasks_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1QueryTasksRequest", - "safeName": "AndurilTaskmanagerV1QueryTasksRequest" - } - }, - "displayName": "QueryTasksRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "parent_task_id", - "camelCase": { - "unsafeName": "parentTaskId", - "safeName": "parentTaskId" - }, - "snakeCase": { - "unsafeName": "parent_task_id", - "safeName": "parent_task_id" - }, - "screamingSnakeCase": { - "unsafeName": "PARENT_TASK_ID", - "safeName": "PARENT_TASK_ID" - }, - "pascalCase": { - "unsafeName": "ParentTaskId", - "safeName": "ParentTaskId" - } - }, - "wireValue": "parent_task_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If present matches Tasks with this parent Task ID.\\n Note: this is mutually exclusive with all other query parameters, i.e., either provide parent Task ID, or\\n any of the remaining parameters, but not both." - }, - { - "name": { - "name": { - "originalName": "page_token", - "camelCase": { - "unsafeName": "pageToken", - "safeName": "pageToken" - }, - "snakeCase": { - "unsafeName": "page_token", - "safeName": "page_token" - }, - "screamingSnakeCase": { - "unsafeName": "PAGE_TOKEN", - "safeName": "PAGE_TOKEN" - }, - "pascalCase": { - "unsafeName": "PageToken", - "safeName": "PageToken" - } - }, - "wireValue": "page_token" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If set, returns results starting from the given page token." - }, - { - "name": { - "name": { - "originalName": "status_filter", - "camelCase": { - "unsafeName": "statusFilter", - "safeName": "statusFilter" - }, - "snakeCase": { - "unsafeName": "status_filter", - "safeName": "status_filter" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_FILTER", - "safeName": "STATUS_FILTER" - }, - "pascalCase": { - "unsafeName": "StatusFilter", - "safeName": "StatusFilter" - } - }, - "wireValue": "status_filter" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.QueryTasksRequest.StatusFilter", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1QueryTasksRequestStatusFilter", - "safeName": "andurilTaskmanagerV1QueryTasksRequestStatusFilter" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_query_tasks_request_status_filter", - "safeName": "anduril_taskmanager_v_1_query_tasks_request_status_filter" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_STATUS_FILTER", - "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_STATUS_FILTER" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1QueryTasksRequestStatusFilter", - "safeName": "AndurilTaskmanagerV1QueryTasksRequestStatusFilter" - } - }, - "typeId": "anduril.taskmanager.v1.QueryTasksRequest.StatusFilter", - "default": null, - "inline": false, - "displayName": "status_filter" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Filters on provided status types in the filter." - }, - { - "name": { - "name": { - "originalName": "update_time_range", - "camelCase": { - "unsafeName": "updateTimeRange", - "safeName": "updateTimeRange" - }, - "snakeCase": { - "unsafeName": "update_time_range", - "safeName": "update_time_range" - }, - "screamingSnakeCase": { - "unsafeName": "UPDATE_TIME_RANGE", - "safeName": "UPDATE_TIME_RANGE" - }, - "pascalCase": { - "unsafeName": "UpdateTimeRange", - "safeName": "UpdateTimeRange" - } - }, - "wireValue": "update_time_range" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.QueryTasksRequest.TimeRange", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1QueryTasksRequestTimeRange", - "safeName": "andurilTaskmanagerV1QueryTasksRequestTimeRange" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_query_tasks_request_time_range", - "safeName": "anduril_taskmanager_v_1_query_tasks_request_time_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_TIME_RANGE", - "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_TIME_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1QueryTasksRequestTimeRange", - "safeName": "AndurilTaskmanagerV1QueryTasksRequestTimeRange" - } - }, - "typeId": "anduril.taskmanager.v1.QueryTasksRequest.TimeRange", - "default": null, - "inline": false, - "displayName": "update_time_range" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "If provided, only provides Tasks updated within the time range." - }, - { - "name": { - "name": { - "originalName": "view", - "camelCase": { - "unsafeName": "view", - "safeName": "view" - }, - "snakeCase": { - "unsafeName": "view", - "safeName": "view" - }, - "screamingSnakeCase": { - "unsafeName": "VIEW", - "safeName": "VIEW" - }, - "pascalCase": { - "unsafeName": "View", - "safeName": "View" - } - }, - "wireValue": "view" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.TaskView", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1TaskView", - "safeName": "andurilTaskmanagerV1TaskView" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task_view", - "safeName": "anduril_taskmanager_v_1_task_view" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1TaskView", - "safeName": "AndurilTaskmanagerV1TaskView" - } - }, - "typeId": "anduril.taskmanager.v1.TaskView", - "default": null, - "inline": false, - "displayName": "view" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional filter for view of a Task.\\n If not set, defaults to TASK_VIEW_MANAGER." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Request to query for Tasks. Returns the each latest Task by Status ID and Version ID by default with no filters." - }, - "anduril.taskmanager.v1.QueryTasksResponse": { - "name": { - "typeId": "anduril.taskmanager.v1.QueryTasksResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.QueryTasksResponse", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1QueryTasksResponse", - "safeName": "andurilTaskmanagerV1QueryTasksResponse" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_query_tasks_response", - "safeName": "anduril_taskmanager_v_1_query_tasks_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_RESPONSE", - "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1QueryTasksResponse", - "safeName": "AndurilTaskmanagerV1QueryTasksResponse" - } - }, - "displayName": "QueryTasksResponse" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "tasks", - "camelCase": { - "unsafeName": "tasks", - "safeName": "tasks" - }, - "snakeCase": { - "unsafeName": "tasks", - "safeName": "tasks" - }, - "screamingSnakeCase": { - "unsafeName": "TASKS", - "safeName": "TASKS" - }, - "pascalCase": { - "unsafeName": "Tasks", - "safeName": "Tasks" - } - }, - "wireValue": "tasks" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Task", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Task", - "safeName": "andurilTaskmanagerV1Task" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task", - "safeName": "anduril_taskmanager_v_1_task" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Task", - "safeName": "AndurilTaskmanagerV1Task" - } - }, - "typeId": "anduril.taskmanager.v1.Task", - "default": null, - "inline": false, - "displayName": "tasks" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Tasks matching the Query Task request." - }, - { - "name": { - "name": { - "originalName": "page_token", - "camelCase": { - "unsafeName": "pageToken", - "safeName": "pageToken" - }, - "snakeCase": { - "unsafeName": "page_token", - "safeName": "page_token" - }, - "screamingSnakeCase": { - "unsafeName": "PAGE_TOKEN", - "safeName": "PAGE_TOKEN" - }, - "pascalCase": { - "unsafeName": "PageToken", - "safeName": "PageToken" - } - }, - "wireValue": "page_token" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Page token to the next page of Tasks." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Response to a Query Task request." - }, - "anduril.taskmanager.v1.UpdateStatusRequest": { - "name": { - "typeId": "anduril.taskmanager.v1.UpdateStatusRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.UpdateStatusRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1UpdateStatusRequest", - "safeName": "andurilTaskmanagerV1UpdateStatusRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_update_status_request", - "safeName": "anduril_taskmanager_v_1_update_status_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1UpdateStatusRequest", - "safeName": "AndurilTaskmanagerV1UpdateStatusRequest" - } - }, - "displayName": "UpdateStatusRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "status_update", - "camelCase": { - "unsafeName": "statusUpdate", - "safeName": "statusUpdate" - }, - "snakeCase": { - "unsafeName": "status_update", - "safeName": "status_update" - }, - "screamingSnakeCase": { - "unsafeName": "STATUS_UPDATE", - "safeName": "STATUS_UPDATE" - }, - "pascalCase": { - "unsafeName": "StatusUpdate", - "safeName": "StatusUpdate" - } - }, - "wireValue": "status_update" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.StatusUpdate", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1StatusUpdate", - "safeName": "andurilTaskmanagerV1StatusUpdate" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_status_update", - "safeName": "anduril_taskmanager_v_1_status_update" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS_UPDATE", - "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS_UPDATE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1StatusUpdate", - "safeName": "AndurilTaskmanagerV1StatusUpdate" - } - }, - "typeId": "anduril.taskmanager.v1.StatusUpdate", - "default": null, - "inline": false, - "displayName": "status_update" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The updated status." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Request to update a Task's status." - }, - "anduril.taskmanager.v1.UpdateStatusResponse": { - "name": { - "typeId": "anduril.taskmanager.v1.UpdateStatusResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.UpdateStatusResponse", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1UpdateStatusResponse", - "safeName": "andurilTaskmanagerV1UpdateStatusResponse" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_update_status_response", - "safeName": "anduril_taskmanager_v_1_update_status_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_RESPONSE", - "safeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1UpdateStatusResponse", - "safeName": "AndurilTaskmanagerV1UpdateStatusResponse" - } - }, - "displayName": "UpdateStatusResponse" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "task", - "camelCase": { - "unsafeName": "task", - "safeName": "task" - }, - "snakeCase": { - "unsafeName": "task", - "safeName": "task" - }, - "screamingSnakeCase": { - "unsafeName": "TASK", - "safeName": "TASK" - }, - "pascalCase": { - "unsafeName": "Task", - "safeName": "Task" - } - }, - "wireValue": "task" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Task", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Task", - "safeName": "andurilTaskmanagerV1Task" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_task", - "safeName": "anduril_taskmanager_v_1_task" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", - "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Task", - "safeName": "AndurilTaskmanagerV1Task" - } - }, - "typeId": "anduril.taskmanager.v1.Task", - "default": null, - "inline": false, - "displayName": "task" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The updated Task." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Response to an Update Status request." - }, - "anduril.taskmanager.v1.ListenAsAgentRequestAgent_selector": { - "name": { - "typeId": "anduril.taskmanager.v1.ListenAsAgentRequestAgent_selector", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ListenAsAgentRequestAgent_selector", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ListenAsAgentRequestAgentSelector", - "safeName": "andurilTaskmanagerV1ListenAsAgentRequestAgentSelector" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_request_agent_selector", - "safeName": "anduril_taskmanager_v_1_listen_as_agent_request_agent_selector" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST_AGENT_SELECTOR", - "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST_AGENT_SELECTOR" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ListenAsAgentRequestAgentSelector", - "safeName": "AndurilTaskmanagerV1ListenAsAgentRequestAgentSelector" - } - }, - "displayName": "ListenAsAgentRequestAgent_selector" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.EntityIds", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1EntityIds", - "safeName": "andurilTaskmanagerV1EntityIds" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_entity_ids", - "safeName": "anduril_taskmanager_v_1_entity_ids" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_ENTITY_IDS", - "safeName": "ANDURIL_TASKMANAGER_V_1_ENTITY_IDS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1EntityIds", - "safeName": "AndurilTaskmanagerV1EntityIds" - } - }, - "typeId": "anduril.taskmanager.v1.EntityIds", - "default": null, - "inline": false, - "displayName": "entity_ids" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.taskmanager.v1.ListenAsAgentRequest": { - "name": { - "typeId": "anduril.taskmanager.v1.ListenAsAgentRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ListenAsAgentRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ListenAsAgentRequest", - "safeName": "andurilTaskmanagerV1ListenAsAgentRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_request", - "safeName": "anduril_taskmanager_v_1_listen_as_agent_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ListenAsAgentRequest", - "safeName": "AndurilTaskmanagerV1ListenAsAgentRequest" - } - }, - "displayName": "ListenAsAgentRequest" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "agent_selector", - "camelCase": { - "unsafeName": "agentSelector", - "safeName": "agentSelector" - }, - "snakeCase": { - "unsafeName": "agent_selector", - "safeName": "agent_selector" - }, - "screamingSnakeCase": { - "unsafeName": "AGENT_SELECTOR", - "safeName": "AGENT_SELECTOR" - }, - "pascalCase": { - "unsafeName": "AgentSelector", - "safeName": "AgentSelector" - } - }, - "wireValue": "agent_selector" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ListenAsAgentRequestAgent_selector", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ListenAsAgentRequestAgentSelector", - "safeName": "andurilTaskmanagerV1ListenAsAgentRequestAgentSelector" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_request_agent_selector", - "safeName": "anduril_taskmanager_v_1_listen_as_agent_request_agent_selector" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST_AGENT_SELECTOR", - "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST_AGENT_SELECTOR" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ListenAsAgentRequestAgentSelector", - "safeName": "AndurilTaskmanagerV1ListenAsAgentRequestAgentSelector" - } - }, - "typeId": "anduril.taskmanager.v1.ListenAsAgentRequestAgent_selector", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Request for streaming Tasks ready for agent execution." - }, - "anduril.taskmanager.v1.ListenAsAgentResponseRequest": { - "name": { - "typeId": "anduril.taskmanager.v1.ListenAsAgentResponseRequest", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ListenAsAgentResponseRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ListenAsAgentResponseRequest", - "safeName": "andurilTaskmanagerV1ListenAsAgentResponseRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_response_request", - "safeName": "anduril_taskmanager_v_1_listen_as_agent_response_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ListenAsAgentResponseRequest", - "safeName": "AndurilTaskmanagerV1ListenAsAgentResponseRequest" - } - }, - "displayName": "ListenAsAgentResponseRequest" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ExecuteRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ExecuteRequest", - "safeName": "andurilTaskmanagerV1ExecuteRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_execute_request", - "safeName": "anduril_taskmanager_v_1_execute_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_EXECUTE_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_EXECUTE_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ExecuteRequest", - "safeName": "AndurilTaskmanagerV1ExecuteRequest" - } - }, - "typeId": "anduril.taskmanager.v1.ExecuteRequest", - "default": null, - "inline": false, - "displayName": "execute_request" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.CancelRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1CancelRequest", - "safeName": "andurilTaskmanagerV1CancelRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_cancel_request", - "safeName": "anduril_taskmanager_v_1_cancel_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_CANCEL_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_CANCEL_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1CancelRequest", - "safeName": "AndurilTaskmanagerV1CancelRequest" - } - }, - "typeId": "anduril.taskmanager.v1.CancelRequest", - "default": null, - "inline": false, - "displayName": "cancel_request" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.CompleteRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1CompleteRequest", - "safeName": "andurilTaskmanagerV1CompleteRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_complete_request", - "safeName": "anduril_taskmanager_v_1_complete_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_COMPLETE_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_COMPLETE_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1CompleteRequest", - "safeName": "AndurilTaskmanagerV1CompleteRequest" - } - }, - "typeId": "anduril.taskmanager.v1.CompleteRequest", - "default": null, - "inline": false, - "displayName": "complete_request" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.taskmanager.v1.ListenAsAgentResponse": { - "name": { - "typeId": "anduril.taskmanager.v1.ListenAsAgentResponse", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ListenAsAgentResponse", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ListenAsAgentResponse", - "safeName": "andurilTaskmanagerV1ListenAsAgentResponse" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_response", - "safeName": "anduril_taskmanager_v_1_listen_as_agent_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE", - "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ListenAsAgentResponse", - "safeName": "AndurilTaskmanagerV1ListenAsAgentResponse" - } - }, - "displayName": "ListenAsAgentResponse" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "request", - "camelCase": { - "unsafeName": "request", - "safeName": "request" - }, - "snakeCase": { - "unsafeName": "request", - "safeName": "request" - }, - "screamingSnakeCase": { - "unsafeName": "REQUEST", - "safeName": "REQUEST" - }, - "pascalCase": { - "unsafeName": "Request", - "safeName": "Request" - } - }, - "wireValue": "request" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ListenAsAgentResponseRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ListenAsAgentResponseRequest", - "safeName": "andurilTaskmanagerV1ListenAsAgentResponseRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_response_request", - "safeName": "anduril_taskmanager_v_1_listen_as_agent_response_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ListenAsAgentResponseRequest", - "safeName": "AndurilTaskmanagerV1ListenAsAgentResponseRequest" - } - }, - "typeId": "anduril.taskmanager.v1.ListenAsAgentResponseRequest", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Response for streaming Tasks ready for agent execution." - }, - "anduril.taskmanager.v1.RateLimit": { - "name": { - "typeId": "anduril.taskmanager.v1.RateLimit", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.RateLimit", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1RateLimit", - "safeName": "andurilTaskmanagerV1RateLimit" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_rate_limit", - "safeName": "anduril_taskmanager_v_1_rate_limit" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_RATE_LIMIT", - "safeName": "ANDURIL_TASKMANAGER_V_1_RATE_LIMIT" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1RateLimit", - "safeName": "AndurilTaskmanagerV1RateLimit" - } - }, - "displayName": "RateLimit" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "update_per_task_limit_ms", - "camelCase": { - "unsafeName": "updatePerTaskLimitMs", - "safeName": "updatePerTaskLimitMs" - }, - "snakeCase": { - "unsafeName": "update_per_task_limit_ms", - "safeName": "update_per_task_limit_ms" - }, - "screamingSnakeCase": { - "unsafeName": "UPDATE_PER_TASK_LIMIT_MS", - "safeName": "UPDATE_PER_TASK_LIMIT_MS" - }, - "pascalCase": { - "unsafeName": "UpdatePerTaskLimitMs", - "safeName": "UpdatePerTaskLimitMs" - } - }, - "wireValue": "update_per_task_limit_ms" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Specifies a minimum duration in milliseconds after an update for a given task before another one\\n will be sent for the same task.\\n A value of 0 is treated as unset. If set, value must be >= 250.\\n Example: if set to 1000, and 4 events occur (ms since start) at T0, T500, T900, T2100, then\\n event from T0 will be sent at T0, T500 will be dropped, T900 will be sent at minimum of T1000,\\n and T2100 will be sent on time (2100)\\n This will only limit updates, other events will be sent immediately, with a delete clearing anything held" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Rate limiting / down-sampling parameters." - }, - "anduril.taskmanager.v1.Heartbeat": { - "name": { - "typeId": "anduril.taskmanager.v1.Heartbeat", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.Heartbeat", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1Heartbeat", - "safeName": "andurilTaskmanagerV1Heartbeat" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_heartbeat", - "safeName": "anduril_taskmanager_v_1_heartbeat" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_HEARTBEAT", - "safeName": "ANDURIL_TASKMANAGER_V_1_HEARTBEAT" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1Heartbeat", - "safeName": "AndurilTaskmanagerV1Heartbeat" - } - }, - "displayName": "Heartbeat" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "timestamp", - "camelCase": { - "unsafeName": "timestamp", - "safeName": "timestamp" - }, - "snakeCase": { - "unsafeName": "timestamp", - "safeName": "timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "TIMESTAMP", - "safeName": "TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "Timestamp", - "safeName": "Timestamp" - } - }, - "wireValue": "timestamp" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "timestamp" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The time at which the Heartbeat was sent." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.taskmanager.v1.EntityIds": { - "name": { - "typeId": "anduril.taskmanager.v1.EntityIds", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.EntityIds", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1EntityIds", - "safeName": "andurilTaskmanagerV1EntityIds" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_entity_ids", - "safeName": "anduril_taskmanager_v_1_entity_ids" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_ENTITY_IDS", - "safeName": "ANDURIL_TASKMANAGER_V_1_ENTITY_IDS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1EntityIds", - "safeName": "AndurilTaskmanagerV1EntityIds" - } - }, - "displayName": "EntityIds" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_ids", - "camelCase": { - "unsafeName": "entityIds", - "safeName": "entityIds" - }, - "snakeCase": { - "unsafeName": "entity_ids", - "safeName": "entity_ids" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_IDS", - "safeName": "ENTITY_IDS" - }, - "pascalCase": { - "unsafeName": "EntityIds", - "safeName": "EntityIds" - } - }, - "wireValue": "entity_ids" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Entity IDs wrapper." - }, - "anduril.tasks.ad.desertguardian.common.v1.PowerState": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.common.v1.PowerState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.common.v1.PowerState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianCommonV1PowerState", - "safeName": "andurilTasksAdDesertguardianCommonV1PowerState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_power_state", - "safeName": "anduril_tasks_ad_desertguardian_common_v_1_power_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_POWER_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_POWER_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianCommonV1PowerState", - "safeName": "AndurilTasksAdDesertguardianCommonV1PowerState" - } - }, - "displayName": "PowerState" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "POWER_STATE_INVALID", - "camelCase": { - "unsafeName": "powerStateInvalid", - "safeName": "powerStateInvalid" - }, - "snakeCase": { - "unsafeName": "power_state_invalid", - "safeName": "power_state_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATE_INVALID", - "safeName": "POWER_STATE_INVALID" - }, - "pascalCase": { - "unsafeName": "PowerStateInvalid", - "safeName": "PowerStateInvalid" - } - }, - "wireValue": "POWER_STATE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "POWER_STATE_ON", - "camelCase": { - "unsafeName": "powerStateOn", - "safeName": "powerStateOn" - }, - "snakeCase": { - "unsafeName": "power_state_on", - "safeName": "power_state_on" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATE_ON", - "safeName": "POWER_STATE_ON" - }, - "pascalCase": { - "unsafeName": "PowerStateOn", - "safeName": "PowerStateOn" - } - }, - "wireValue": "POWER_STATE_ON" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "POWER_STATE_OFF", - "camelCase": { - "unsafeName": "powerStateOff", - "safeName": "powerStateOff" - }, - "snakeCase": { - "unsafeName": "power_state_off", - "safeName": "power_state_off" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATE_OFF", - "safeName": "POWER_STATE_OFF" - }, - "pascalCase": { - "unsafeName": "PowerStateOff", - "safeName": "PowerStateOff" - } - }, - "wireValue": "POWER_STATE_OFF" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.tasks.ad.desertguardian.common.v1.SetPowerState": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.common.v1.SetPowerState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.common.v1.SetPowerState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianCommonV1SetPowerState", - "safeName": "andurilTasksAdDesertguardianCommonV1SetPowerState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_set_power_state", - "safeName": "anduril_tasks_ad_desertguardian_common_v_1_set_power_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_SET_POWER_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_SET_POWER_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianCommonV1SetPowerState", - "safeName": "AndurilTasksAdDesertguardianCommonV1SetPowerState" - } - }, - "displayName": "SetPowerState" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "power_state", - "camelCase": { - "unsafeName": "powerState", - "safeName": "powerState" - }, - "snakeCase": { - "unsafeName": "power_state", - "safeName": "power_state" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATE", - "safeName": "POWER_STATE" - }, - "pascalCase": { - "unsafeName": "PowerState", - "safeName": "PowerState" - } - }, - "wireValue": "power_state" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.common.v1.PowerState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianCommonV1PowerState", - "safeName": "andurilTasksAdDesertguardianCommonV1PowerState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_power_state", - "safeName": "anduril_tasks_ad_desertguardian_common_v_1_power_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_POWER_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_POWER_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianCommonV1PowerState", - "safeName": "AndurilTasksAdDesertguardianCommonV1PowerState" - } - }, - "typeId": "anduril.tasks.ad.desertguardian.common.v1.PowerState", - "default": null, - "inline": false, - "displayName": "power_state" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Set the power state of a Platform. It is up to the Platform to interpret the power state and act accordingly." - }, - "anduril.tasks.ad.desertguardian.common.v1.DeleteTrack": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.common.v1.DeleteTrack", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.common.v1.DeleteTrack", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianCommonV1DeleteTrack", - "safeName": "andurilTasksAdDesertguardianCommonV1DeleteTrack" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_delete_track", - "safeName": "anduril_tasks_ad_desertguardian_common_v_1_delete_track" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_DELETE_TRACK", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_DELETE_TRACK" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianCommonV1DeleteTrack", - "safeName": "AndurilTasksAdDesertguardianCommonV1DeleteTrack" - } - }, - "displayName": "DeleteTrack" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Delete an entity from the internal tracker of a Platform.\\n Does not silence or suppress the track from re-forming if the tracking conditions are satisfied." - }, - "anduril.tasks.ad.desertguardian.common.v1.SetHighPriorityTrack": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.common.v1.SetHighPriorityTrack", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.common.v1.SetHighPriorityTrack", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianCommonV1SetHighPriorityTrack", - "safeName": "andurilTasksAdDesertguardianCommonV1SetHighPriorityTrack" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_set_high_priority_track", - "safeName": "anduril_tasks_ad_desertguardian_common_v_1_set_high_priority_track" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_SET_HIGH_PRIORITY_TRACK", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_SET_HIGH_PRIORITY_TRACK" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianCommonV1SetHighPriorityTrack", - "safeName": "AndurilTasksAdDesertguardianCommonV1SetHighPriorityTrack" - } - }, - "displayName": "SetHighPriorityTrack" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Set this entity as a \\"High Priority Track\\".\\n The tasked Platform is responsible for maintaining a list of current High-Priority tracks." - }, - "anduril.tasks.ad.desertguardian.common.v1.RemoveHighPriorityTrack": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.common.v1.RemoveHighPriorityTrack", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.common.v1.RemoveHighPriorityTrack", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianCommonV1RemoveHighPriorityTrack", - "safeName": "andurilTasksAdDesertguardianCommonV1RemoveHighPriorityTrack" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_remove_high_priority_track", - "safeName": "anduril_tasks_ad_desertguardian_common_v_1_remove_high_priority_track" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_REMOVE_HIGH_PRIORITY_TRACK", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_REMOVE_HIGH_PRIORITY_TRACK" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianCommonV1RemoveHighPriorityTrack", - "safeName": "AndurilTasksAdDesertguardianCommonV1RemoveHighPriorityTrack" - } - }, - "displayName": "RemoveHighPriorityTrack" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Unset this entity as a \\"High Priority Track\\".\\n The tasked Platform is responsible for maintaining a list of current High-Priority tracks." - }, - "anduril.tasks.ad.desertguardian.rf.v1.TransmitState": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.rf.v1.TransmitState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.rf.v1.TransmitState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianRfV1TransmitState", - "safeName": "andurilTasksAdDesertguardianRfV1TransmitState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_transmit_state", - "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_transmit_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_TRANSMIT_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_TRANSMIT_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianRfV1TransmitState", - "safeName": "AndurilTasksAdDesertguardianRfV1TransmitState" - } - }, - "displayName": "TransmitState" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "TRANSMIT_STATE_INVALID", - "camelCase": { - "unsafeName": "transmitStateInvalid", - "safeName": "transmitStateInvalid" - }, - "snakeCase": { - "unsafeName": "transmit_state_invalid", - "safeName": "transmit_state_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "TRANSMIT_STATE_INVALID", - "safeName": "TRANSMIT_STATE_INVALID" - }, - "pascalCase": { - "unsafeName": "TransmitStateInvalid", - "safeName": "TransmitStateInvalid" - } - }, - "wireValue": "TRANSMIT_STATE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TRANSMIT_STATE_TRANSMITTING", - "camelCase": { - "unsafeName": "transmitStateTransmitting", - "safeName": "transmitStateTransmitting" - }, - "snakeCase": { - "unsafeName": "transmit_state_transmitting", - "safeName": "transmit_state_transmitting" - }, - "screamingSnakeCase": { - "unsafeName": "TRANSMIT_STATE_TRANSMITTING", - "safeName": "TRANSMIT_STATE_TRANSMITTING" - }, - "pascalCase": { - "unsafeName": "TransmitStateTransmitting", - "safeName": "TransmitStateTransmitting" - } - }, - "wireValue": "TRANSMIT_STATE_TRANSMITTING" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "TRANSMIT_STATE_NOT_TRANSMITTING", - "camelCase": { - "unsafeName": "transmitStateNotTransmitting", - "safeName": "transmitStateNotTransmitting" - }, - "snakeCase": { - "unsafeName": "transmit_state_not_transmitting", - "safeName": "transmit_state_not_transmitting" - }, - "screamingSnakeCase": { - "unsafeName": "TRANSMIT_STATE_NOT_TRANSMITTING", - "safeName": "TRANSMIT_STATE_NOT_TRANSMITTING" - }, - "pascalCase": { - "unsafeName": "TransmitStateNotTransmitting", - "safeName": "TransmitStateNotTransmitting" - } - }, - "wireValue": "TRANSMIT_STATE_NOT_TRANSMITTING" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.tasks.ad.desertguardian.rf.v1.SurveillanceState": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.rf.v1.SurveillanceState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.rf.v1.SurveillanceState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianRfV1SurveillanceState", - "safeName": "andurilTasksAdDesertguardianRfV1SurveillanceState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_surveillance_state", - "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_surveillance_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SURVEILLANCE_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SURVEILLANCE_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianRfV1SurveillanceState", - "safeName": "AndurilTasksAdDesertguardianRfV1SurveillanceState" - } - }, - "displayName": "SurveillanceState" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "SURVEILLANCE_STATE_INVALID", - "camelCase": { - "unsafeName": "surveillanceStateInvalid", - "safeName": "surveillanceStateInvalid" - }, - "snakeCase": { - "unsafeName": "surveillance_state_invalid", - "safeName": "surveillance_state_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "SURVEILLANCE_STATE_INVALID", - "safeName": "SURVEILLANCE_STATE_INVALID" - }, - "pascalCase": { - "unsafeName": "SurveillanceStateInvalid", - "safeName": "SurveillanceStateInvalid" - } - }, - "wireValue": "SURVEILLANCE_STATE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SURVEILLANCE_STATE_SURVEILLING", - "camelCase": { - "unsafeName": "surveillanceStateSurveilling", - "safeName": "surveillanceStateSurveilling" - }, - "snakeCase": { - "unsafeName": "surveillance_state_surveilling", - "safeName": "surveillance_state_surveilling" - }, - "screamingSnakeCase": { - "unsafeName": "SURVEILLANCE_STATE_SURVEILLING", - "safeName": "SURVEILLANCE_STATE_SURVEILLING" - }, - "pascalCase": { - "unsafeName": "SurveillanceStateSurveilling", - "safeName": "SurveillanceStateSurveilling" - } - }, - "wireValue": "SURVEILLANCE_STATE_SURVEILLING" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "SURVEILLANCE_STATE_NOT_SURVEILLING", - "camelCase": { - "unsafeName": "surveillanceStateNotSurveilling", - "safeName": "surveillanceStateNotSurveilling" - }, - "snakeCase": { - "unsafeName": "surveillance_state_not_surveilling", - "safeName": "surveillance_state_not_surveilling" - }, - "screamingSnakeCase": { - "unsafeName": "SURVEILLANCE_STATE_NOT_SURVEILLING", - "safeName": "SURVEILLANCE_STATE_NOT_SURVEILLING" - }, - "pascalCase": { - "unsafeName": "SurveillanceStateNotSurveilling", - "safeName": "SurveillanceStateNotSurveilling" - } - }, - "wireValue": "SURVEILLANCE_STATE_NOT_SURVEILLING" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.tasks.ad.desertguardian.rf.v1.EmissionControlState": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.rf.v1.EmissionControlState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.rf.v1.EmissionControlState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianRfV1EmissionControlState", - "safeName": "andurilTasksAdDesertguardianRfV1EmissionControlState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_emission_control_state", - "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_emission_control_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_EMISSION_CONTROL_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_EMISSION_CONTROL_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianRfV1EmissionControlState", - "safeName": "AndurilTasksAdDesertguardianRfV1EmissionControlState" - } - }, - "displayName": "EmissionControlState" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "EMISSION_CONTROL_STATE_INVALID", - "camelCase": { - "unsafeName": "emissionControlStateInvalid", - "safeName": "emissionControlStateInvalid" - }, - "snakeCase": { - "unsafeName": "emission_control_state_invalid", - "safeName": "emission_control_state_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "EMISSION_CONTROL_STATE_INVALID", - "safeName": "EMISSION_CONTROL_STATE_INVALID" - }, - "pascalCase": { - "unsafeName": "EmissionControlStateInvalid", - "safeName": "EmissionControlStateInvalid" - } - }, - "wireValue": "EMISSION_CONTROL_STATE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EMISSION_CONTROL_STATE_ALLOWED", - "camelCase": { - "unsafeName": "emissionControlStateAllowed", - "safeName": "emissionControlStateAllowed" - }, - "snakeCase": { - "unsafeName": "emission_control_state_allowed", - "safeName": "emission_control_state_allowed" - }, - "screamingSnakeCase": { - "unsafeName": "EMISSION_CONTROL_STATE_ALLOWED", - "safeName": "EMISSION_CONTROL_STATE_ALLOWED" - }, - "pascalCase": { - "unsafeName": "EmissionControlStateAllowed", - "safeName": "EmissionControlStateAllowed" - } - }, - "wireValue": "EMISSION_CONTROL_STATE_ALLOWED" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "EMISSION_CONTROL_STATE_NOT_ALLOWED", - "camelCase": { - "unsafeName": "emissionControlStateNotAllowed", - "safeName": "emissionControlStateNotAllowed" - }, - "snakeCase": { - "unsafeName": "emission_control_state_not_allowed", - "safeName": "emission_control_state_not_allowed" - }, - "screamingSnakeCase": { - "unsafeName": "EMISSION_CONTROL_STATE_NOT_ALLOWED", - "safeName": "EMISSION_CONTROL_STATE_NOT_ALLOWED" - }, - "pascalCase": { - "unsafeName": "EmissionControlStateNotAllowed", - "safeName": "EmissionControlStateNotAllowed" - } - }, - "wireValue": "EMISSION_CONTROL_STATE_NOT_ALLOWED" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.tasks.ad.desertguardian.rf.v1.SetTransmitState": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.rf.v1.SetTransmitState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.rf.v1.SetTransmitState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianRfV1SetTransmitState", - "safeName": "andurilTasksAdDesertguardianRfV1SetTransmitState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_transmit_state", - "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_transmit_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_TRANSMIT_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_TRANSMIT_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianRfV1SetTransmitState", - "safeName": "AndurilTasksAdDesertguardianRfV1SetTransmitState" - } - }, - "displayName": "SetTransmitState" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "transmit_state", - "camelCase": { - "unsafeName": "transmitState", - "safeName": "transmitState" - }, - "snakeCase": { - "unsafeName": "transmit_state", - "safeName": "transmit_state" - }, - "screamingSnakeCase": { - "unsafeName": "TRANSMIT_STATE", - "safeName": "TRANSMIT_STATE" - }, - "pascalCase": { - "unsafeName": "TransmitState", - "safeName": "TransmitState" - } - }, - "wireValue": "transmit_state" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.rf.v1.TransmitState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianRfV1TransmitState", - "safeName": "andurilTasksAdDesertguardianRfV1TransmitState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_transmit_state", - "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_transmit_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_TRANSMIT_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_TRANSMIT_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianRfV1TransmitState", - "safeName": "AndurilTasksAdDesertguardianRfV1TransmitState" - } - }, - "typeId": "anduril.tasks.ad.desertguardian.rf.v1.TransmitState", - "default": null, - "inline": false, - "displayName": "transmit_state" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Set the transmit state of an RF Platform such as a Radar, Beacon, or Radio." - }, - "anduril.tasks.ad.desertguardian.rf.v1.SetSurveillanceState": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.rf.v1.SetSurveillanceState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.rf.v1.SetSurveillanceState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianRfV1SetSurveillanceState", - "safeName": "andurilTasksAdDesertguardianRfV1SetSurveillanceState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_surveillance_state", - "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_surveillance_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_SURVEILLANCE_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_SURVEILLANCE_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianRfV1SetSurveillanceState", - "safeName": "AndurilTasksAdDesertguardianRfV1SetSurveillanceState" - } - }, - "displayName": "SetSurveillanceState" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "surveillance_state", - "camelCase": { - "unsafeName": "surveillanceState", - "safeName": "surveillanceState" - }, - "snakeCase": { - "unsafeName": "surveillance_state", - "safeName": "surveillance_state" - }, - "screamingSnakeCase": { - "unsafeName": "SURVEILLANCE_STATE", - "safeName": "SURVEILLANCE_STATE" - }, - "pascalCase": { - "unsafeName": "SurveillanceState", - "safeName": "SurveillanceState" - } - }, - "wireValue": "surveillance_state" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.rf.v1.SurveillanceState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianRfV1SurveillanceState", - "safeName": "andurilTasksAdDesertguardianRfV1SurveillanceState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_surveillance_state", - "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_surveillance_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SURVEILLANCE_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SURVEILLANCE_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianRfV1SurveillanceState", - "safeName": "AndurilTasksAdDesertguardianRfV1SurveillanceState" - } - }, - "typeId": "anduril.tasks.ad.desertguardian.rf.v1.SurveillanceState", - "default": null, - "inline": false, - "displayName": "surveillance_state" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Set the surveillance state of a passive (listen-only) RF Platform." - }, - "anduril.tasks.ad.desertguardian.rf.v1.SetEmissionControlState": { - "name": { - "typeId": "anduril.tasks.ad.desertguardian.rf.v1.SetEmissionControlState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.rf.v1.SetEmissionControlState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianRfV1SetEmissionControlState", - "safeName": "andurilTasksAdDesertguardianRfV1SetEmissionControlState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_emission_control_state", - "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_emission_control_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_EMISSION_CONTROL_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_EMISSION_CONTROL_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianRfV1SetEmissionControlState", - "safeName": "AndurilTasksAdDesertguardianRfV1SetEmissionControlState" - } - }, - "displayName": "SetEmissionControlState" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "emcon_state", - "camelCase": { - "unsafeName": "emconState", - "safeName": "emconState" - }, - "snakeCase": { - "unsafeName": "emcon_state", - "safeName": "emcon_state" - }, - "screamingSnakeCase": { - "unsafeName": "EMCON_STATE", - "safeName": "EMCON_STATE" - }, - "pascalCase": { - "unsafeName": "EmconState", - "safeName": "EmconState" - } - }, - "wireValue": "emcon_state" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ad.desertguardian.rf.v1.EmissionControlState", - "camelCase": { - "unsafeName": "andurilTasksAdDesertguardianRfV1EmissionControlState", - "safeName": "andurilTasksAdDesertguardianRfV1EmissionControlState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_emission_control_state", - "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_emission_control_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_EMISSION_CONTROL_STATE", - "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_EMISSION_CONTROL_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdDesertguardianRfV1EmissionControlState", - "safeName": "AndurilTasksAdDesertguardianRfV1EmissionControlState" - } - }, - "typeId": "anduril.tasks.ad.desertguardian.rf.v1.EmissionControlState", - "default": null, - "inline": false, - "displayName": "emcon_state" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Set whether or not an RF Platform has Emmission Control (EmCon).\\n If supported, RF platforms should only expose the SetTransmitState task when EmissionControlState is EMISSION_CONTROL_STATE_ALLOWED.\\n When in EMISSION_CONTROL_STATE_NOT_ALLOWED, the Platform should be in TRANSMIT_STATE_NOT_TRANSMITTING, and should remove SetTransmitState from the task Catalog." - }, - "anduril.tasks.v2.ObjectiveObjective": { - "name": { - "typeId": "anduril.tasks.v2.ObjectiveObjective", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ObjectiveObjective", - "camelCase": { - "unsafeName": "andurilTasksV2ObjectiveObjective", - "safeName": "andurilTasksV2ObjectiveObjective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective_objective", - "safeName": "anduril_tasks_v_2_objective_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ObjectiveObjective", - "safeName": "AndurilTasksV2ObjectiveObjective" - } - }, - "displayName": "ObjectiveObjective" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Point", - "camelCase": { - "unsafeName": "andurilTasksV2Point", - "safeName": "andurilTasksV2Point" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_point", - "safeName": "anduril_tasks_v_2_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_POINT", - "safeName": "ANDURIL_TASKS_V_2_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Point", - "safeName": "AndurilTasksV2Point" - } - }, - "typeId": "anduril.tasks.v2.Point", - "default": null, - "inline": false, - "displayName": "point" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.Objective": { - "name": { - "typeId": "anduril.tasks.v2.Objective", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "displayName": "Objective" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ObjectiveObjective", - "camelCase": { - "unsafeName": "andurilTasksV2ObjectiveObjective", - "safeName": "andurilTasksV2ObjectiveObjective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective_objective", - "safeName": "anduril_tasks_v_2_objective_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ObjectiveObjective", - "safeName": "AndurilTasksV2ObjectiveObjective" - } - }, - "typeId": "anduril.tasks.v2.ObjectiveObjective", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Describes the objective of a task." - }, - "anduril.tasks.v2.Point": { - "name": { - "typeId": "anduril.tasks.v2.Point", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Point", - "camelCase": { - "unsafeName": "andurilTasksV2Point", - "safeName": "andurilTasksV2Point" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_point", - "safeName": "anduril_tasks_v_2_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_POINT", - "safeName": "ANDURIL_TASKS_V_2_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Point", - "safeName": "AndurilTasksV2Point" - } - }, - "displayName": "Point" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "reference_name", - "camelCase": { - "unsafeName": "referenceName", - "safeName": "referenceName" - }, - "snakeCase": { - "unsafeName": "reference_name", - "safeName": "reference_name" - }, - "screamingSnakeCase": { - "unsafeName": "REFERENCE_NAME", - "safeName": "REFERENCE_NAME" - }, - "pascalCase": { - "unsafeName": "ReferenceName", - "safeName": "ReferenceName" - } - }, - "wireValue": "reference_name" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "A human readable name for the point." - }, - { - "name": { - "name": { - "originalName": "lla", - "camelCase": { - "unsafeName": "lla", - "safeName": "lla" - }, - "snakeCase": { - "unsafeName": "lla", - "safeName": "lla" - }, - "screamingSnakeCase": { - "unsafeName": "LLA", - "safeName": "LLA" - }, - "pascalCase": { - "unsafeName": "Lla", - "safeName": "Lla" - } - }, - "wireValue": "lla" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLA", - "camelCase": { - "unsafeName": "andurilTypeLla", - "safeName": "andurilTypeLla" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla", - "safeName": "anduril_type_lla" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA", - "safeName": "ANDURIL_TYPE_LLA" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLla", - "safeName": "AndurilTypeLla" - } - }, - "typeId": "anduril.type.LLA", - "default": null, - "inline": false, - "displayName": "lla" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the objective is the provided location." - }, - { - "name": { - "name": { - "originalName": "backing_entity_id", - "camelCase": { - "unsafeName": "backingEntityId", - "safeName": "backingEntityId" - }, - "snakeCase": { - "unsafeName": "backing_entity_id", - "safeName": "backing_entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "BACKING_ENTITY_ID", - "safeName": "BACKING_ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "BackingEntityId", - "safeName": "BackingEntityId" - } - }, - "wireValue": "backing_entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "An optional entity id that is provided for reverse lookup purposes. This may be used any time the UI might\\n have to convert a geoentity to statically defined LLA." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Describes a single point location." - }, - "anduril.tasks.ads.thirdparty.v1.LineFormation": { - "name": { - "typeId": "anduril.tasks.ads.thirdparty.v1.LineFormation", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ads.thirdparty.v1.LineFormation", - "camelCase": { - "unsafeName": "andurilTasksAdsThirdpartyV1LineFormation", - "safeName": "andurilTasksAdsThirdpartyV1LineFormation" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ads_thirdparty_v_1_line_formation", - "safeName": "anduril_tasks_ads_thirdparty_v_1_line_formation" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_ADS_THIRDPARTY_V_1_LINE_FORMATION", - "safeName": "ANDURIL_TASKS_ADS_THIRDPARTY_V_1_LINE_FORMATION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdsThirdpartyV1LineFormation", - "safeName": "AndurilTasksAdsThirdpartyV1LineFormation" - } - }, - "displayName": "LineFormation" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "line_start", - "camelCase": { - "unsafeName": "lineStart", - "safeName": "lineStart" - }, - "snakeCase": { - "unsafeName": "line_start", - "safeName": "line_start" - }, - "screamingSnakeCase": { - "unsafeName": "LINE_START", - "safeName": "LINE_START" - }, - "pascalCase": { - "unsafeName": "LineStart", - "safeName": "LineStart" - } - }, - "wireValue": "line_start" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "line_start" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Line start" - }, - { - "name": { - "name": { - "originalName": "line_end", - "camelCase": { - "unsafeName": "lineEnd", - "safeName": "lineEnd" - }, - "snakeCase": { - "unsafeName": "line_end", - "safeName": "line_end" - }, - "screamingSnakeCase": { - "unsafeName": "LINE_END", - "safeName": "LINE_END" - }, - "pascalCase": { - "unsafeName": "LineEnd", - "safeName": "LineEnd" - } - }, - "wireValue": "line_end" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "line_end" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Line end" - }, - { - "name": { - "name": { - "originalName": "surface_speed_ms", - "camelCase": { - "unsafeName": "surfaceSpeedMs", - "safeName": "surfaceSpeedMs" - }, - "snakeCase": { - "unsafeName": "surface_speed_ms", - "safeName": "surface_speed_ms" - }, - "screamingSnakeCase": { - "unsafeName": "SURFACE_SPEED_MS", - "safeName": "SURFACE_SPEED_MS" - }, - "pascalCase": { - "unsafeName": "SurfaceSpeedMs", - "safeName": "SurfaceSpeedMs" - } - }, - "wireValue": "surface_speed_ms" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "surface_speed_ms" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Speed in Meters/Second to get in Line Formation" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to a Line formation of assets with a speed. This is a simple line with two LLAs." - }, - "anduril.tasks.ads.thirdparty.v1.Marshal": { - "name": { - "typeId": "anduril.tasks.ads.thirdparty.v1.Marshal", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.ads.thirdparty.v1.Marshal", - "camelCase": { - "unsafeName": "andurilTasksAdsThirdpartyV1Marshal", - "safeName": "andurilTasksAdsThirdpartyV1Marshal" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_ads_thirdparty_v_1_marshal", - "safeName": "anduril_tasks_ads_thirdparty_v_1_marshal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_ADS_THIRDPARTY_V_1_MARSHAL", - "safeName": "ANDURIL_TASKS_ADS_THIRDPARTY_V_1_MARSHAL" - }, - "pascalCase": { - "unsafeName": "AndurilTasksAdsThirdpartyV1Marshal", - "safeName": "AndurilTasksAdsThirdpartyV1Marshal" - } - }, - "displayName": "Marshal" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Objective to Marshal to." - }, - { - "name": { - "name": { - "originalName": "surface_speed_ms", - "camelCase": { - "unsafeName": "surfaceSpeedMs", - "safeName": "surfaceSpeedMs" - }, - "snakeCase": { - "unsafeName": "surface_speed_ms", - "safeName": "surface_speed_ms" - }, - "screamingSnakeCase": { - "unsafeName": "SURFACE_SPEED_MS", - "safeName": "SURFACE_SPEED_MS" - }, - "pascalCase": { - "unsafeName": "SurfaceSpeedMs", - "safeName": "SurfaceSpeedMs" - } - }, - "wireValue": "surface_speed_ms" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "surface_speed_ms" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Speed in Meters/Second" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to BREVITY code Marshal.\\n Establish(ed) at a specific point, typically used to posture forces in preparation for an offensive operation." - }, - "anduril.tasks.jadc2.thirdparty.v1.PowerState": { - "name": { - "typeId": "anduril.tasks.jadc2.thirdparty.v1.PowerState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.jadc2.thirdparty.v1.PowerState", - "camelCase": { - "unsafeName": "andurilTasksJadc2ThirdpartyV1PowerState", - "safeName": "andurilTasksJadc2ThirdpartyV1PowerState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_power_state", - "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_power_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_POWER_STATE", - "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_POWER_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksJadc2ThirdpartyV1PowerState", - "safeName": "AndurilTasksJadc2ThirdpartyV1PowerState" - } - }, - "displayName": "PowerState" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "POWER_STATE_INVALID", - "camelCase": { - "unsafeName": "powerStateInvalid", - "safeName": "powerStateInvalid" - }, - "snakeCase": { - "unsafeName": "power_state_invalid", - "safeName": "power_state_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATE_INVALID", - "safeName": "POWER_STATE_INVALID" - }, - "pascalCase": { - "unsafeName": "PowerStateInvalid", - "safeName": "PowerStateInvalid" - } - }, - "wireValue": "POWER_STATE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "POWER_STATE_ON", - "camelCase": { - "unsafeName": "powerStateOn", - "safeName": "powerStateOn" - }, - "snakeCase": { - "unsafeName": "power_state_on", - "safeName": "power_state_on" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATE_ON", - "safeName": "POWER_STATE_ON" - }, - "pascalCase": { - "unsafeName": "PowerStateOn", - "safeName": "PowerStateOn" - } - }, - "wireValue": "POWER_STATE_ON" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "POWER_STATE_OFF", - "camelCase": { - "unsafeName": "powerStateOff", - "safeName": "powerStateOff" - }, - "snakeCase": { - "unsafeName": "power_state_off", - "safeName": "power_state_off" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATE_OFF", - "safeName": "POWER_STATE_OFF" - }, - "pascalCase": { - "unsafeName": "PowerStateOff", - "safeName": "PowerStateOff" - } - }, - "wireValue": "POWER_STATE_OFF" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.tasks.jadc2.thirdparty.v1.SetPowerState": { - "name": { - "typeId": "anduril.tasks.jadc2.thirdparty.v1.SetPowerState", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.jadc2.thirdparty.v1.SetPowerState", - "camelCase": { - "unsafeName": "andurilTasksJadc2ThirdpartyV1SetPowerState", - "safeName": "andurilTasksJadc2ThirdpartyV1SetPowerState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_set_power_state", - "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_set_power_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_SET_POWER_STATE", - "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_SET_POWER_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksJadc2ThirdpartyV1SetPowerState", - "safeName": "AndurilTasksJadc2ThirdpartyV1SetPowerState" - } - }, - "displayName": "SetPowerState" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "power_state", - "camelCase": { - "unsafeName": "powerState", - "safeName": "powerState" - }, - "snakeCase": { - "unsafeName": "power_state", - "safeName": "power_state" - }, - "screamingSnakeCase": { - "unsafeName": "POWER_STATE", - "safeName": "POWER_STATE" - }, - "pascalCase": { - "unsafeName": "PowerState", - "safeName": "PowerState" - } - }, - "wireValue": "power_state" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.jadc2.thirdparty.v1.PowerState", - "camelCase": { - "unsafeName": "andurilTasksJadc2ThirdpartyV1PowerState", - "safeName": "andurilTasksJadc2ThirdpartyV1PowerState" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_power_state", - "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_power_state" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_POWER_STATE", - "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_POWER_STATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksJadc2ThirdpartyV1PowerState", - "safeName": "AndurilTasksJadc2ThirdpartyV1PowerState" - } - }, - "typeId": "anduril.tasks.jadc2.thirdparty.v1.PowerState", - "default": null, - "inline": false, - "displayName": "power_state" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Set the power state of a robot. It is up to the robot to interpret the power state and act accordingly." - }, - "anduril.tasks.jadc2.thirdparty.v1.Transit": { - "name": { - "typeId": "anduril.tasks.jadc2.thirdparty.v1.Transit", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.jadc2.thirdparty.v1.Transit", - "camelCase": { - "unsafeName": "andurilTasksJadc2ThirdpartyV1Transit", - "safeName": "andurilTasksJadc2ThirdpartyV1Transit" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_transit", - "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_transit" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_TRANSIT", - "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_TRANSIT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksJadc2ThirdpartyV1Transit", - "safeName": "AndurilTasksJadc2ThirdpartyV1Transit" - } - }, - "displayName": "Transit" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "path", - "camelCase": { - "unsafeName": "path", - "safeName": "path" - }, - "snakeCase": { - "unsafeName": "path", - "safeName": "path" - }, - "screamingSnakeCase": { - "unsafeName": "PATH", - "safeName": "PATH" - }, - "pascalCase": { - "unsafeName": "Path", - "safeName": "Path" - } - }, - "wireValue": "path" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.jadc2.thirdparty.v1.PathSegment", - "camelCase": { - "unsafeName": "andurilTasksJadc2ThirdpartyV1PathSegment", - "safeName": "andurilTasksJadc2ThirdpartyV1PathSegment" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_path_segment", - "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_path_segment" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_PATH_SEGMENT", - "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_PATH_SEGMENT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksJadc2ThirdpartyV1PathSegment", - "safeName": "AndurilTasksJadc2ThirdpartyV1PathSegment" - } - }, - "typeId": "anduril.tasks.jadc2.thirdparty.v1.PathSegment", - "default": null, - "inline": false, - "displayName": "path" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The path consisting of all segments to be taken for this transit task." - }, - { - "name": { - "name": { - "originalName": "surface_speed_ms", - "camelCase": { - "unsafeName": "surfaceSpeedMs", - "safeName": "surfaceSpeedMs" - }, - "snakeCase": { - "unsafeName": "surface_speed_ms", - "safeName": "surface_speed_ms" - }, - "screamingSnakeCase": { - "unsafeName": "SURFACE_SPEED_MS", - "safeName": "SURFACE_SPEED_MS" - }, - "pascalCase": { - "unsafeName": "SurfaceSpeedMs", - "safeName": "SurfaceSpeedMs" - } - }, - "wireValue": "surface_speed_ms" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "surface_speed_ms" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Speed in which the vehicle will move through each of the path segments." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Transit represents moving a vehicle on a path through one or more points." - }, - "anduril.tasks.jadc2.thirdparty.v1.PathSegment": { - "name": { - "typeId": "anduril.tasks.jadc2.thirdparty.v1.PathSegment", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.jadc2.thirdparty.v1.PathSegment", - "camelCase": { - "unsafeName": "andurilTasksJadc2ThirdpartyV1PathSegment", - "safeName": "andurilTasksJadc2ThirdpartyV1PathSegment" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_path_segment", - "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_path_segment" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_PATH_SEGMENT", - "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_PATH_SEGMENT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksJadc2ThirdpartyV1PathSegment", - "safeName": "AndurilTasksJadc2ThirdpartyV1PathSegment" - } - }, - "displayName": "PathSegment" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "endpoint", - "camelCase": { - "unsafeName": "endpoint", - "safeName": "endpoint" - }, - "snakeCase": { - "unsafeName": "endpoint", - "safeName": "endpoint" - }, - "screamingSnakeCase": { - "unsafeName": "ENDPOINT", - "safeName": "ENDPOINT" - }, - "pascalCase": { - "unsafeName": "Endpoint", - "safeName": "Endpoint" - } - }, - "wireValue": "endpoint" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLA", - "camelCase": { - "unsafeName": "andurilTypeLla", - "safeName": "andurilTypeLla" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla", - "safeName": "anduril_type_lla" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA", - "safeName": "ANDURIL_TYPE_LLA" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLla", - "safeName": "AndurilTypeLla" - } - }, - "typeId": "anduril.type.LLA", - "default": null, - "inline": false, - "displayName": "endpoint" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Describes the end of the path segment, the starting point is the end of the previous segment or the\\n current position if first. Note that the Altitude reference for a given waypoint dictates the height\\n mode used when traversing TO that waypoint." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.jadc2.thirdparty.v1.TeamTransit": { - "name": { - "typeId": "anduril.tasks.jadc2.thirdparty.v1.TeamTransit", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.jadc2.thirdparty.v1.TeamTransit", - "camelCase": { - "unsafeName": "andurilTasksJadc2ThirdpartyV1TeamTransit", - "safeName": "andurilTasksJadc2ThirdpartyV1TeamTransit" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_team_transit", - "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_team_transit" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_TEAM_TRANSIT", - "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_TEAM_TRANSIT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksJadc2ThirdpartyV1TeamTransit", - "safeName": "AndurilTasksJadc2ThirdpartyV1TeamTransit" - } - }, - "displayName": "TeamTransit" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "transit_zone_entity_id", - "camelCase": { - "unsafeName": "transitZoneEntityId", - "safeName": "transitZoneEntityId" - }, - "snakeCase": { - "unsafeName": "transit_zone_entity_id", - "safeName": "transit_zone_entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "TRANSIT_ZONE_ENTITY_ID", - "safeName": "TRANSIT_ZONE_ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "TransitZoneEntityId", - "safeName": "TransitZoneEntityId" - } - }, - "wireValue": "transit_zone_entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Reference to GeoPolygon GeoEntity representing the transit zone area." - }, - { - "name": { - "name": { - "originalName": "surface_speed_ms", - "camelCase": { - "unsafeName": "surfaceSpeedMs", - "safeName": "surfaceSpeedMs" - }, - "snakeCase": { - "unsafeName": "surface_speed_ms", - "safeName": "surface_speed_ms" - }, - "screamingSnakeCase": { - "unsafeName": "SURFACE_SPEED_MS", - "safeName": "SURFACE_SPEED_MS" - }, - "pascalCase": { - "unsafeName": "SurfaceSpeedMs", - "safeName": "SurfaceSpeedMs" - } - }, - "wireValue": "surface_speed_ms" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "surface_speed_ms" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Speed in which the vehicles will move to the zone." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "TeamTransit represents moving a team of vehicles into a zone.\\n The specifics of how each vehicle in the team behaves is determined by the specific autonomy logic." - }, - "google.protobuf.Duration": { - "name": { - "typeId": "google.protobuf.Duration", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Duration", - "camelCase": { - "unsafeName": "googleProtobufDuration", - "safeName": "googleProtobufDuration" - }, - "snakeCase": { - "unsafeName": "google_protobuf_duration", - "safeName": "google_protobuf_duration" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DURATION", - "safeName": "GOOGLE_PROTOBUF_DURATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDuration", - "safeName": "GoogleProtobufDuration" - } - }, - "displayName": "Duration" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "seconds", - "camelCase": { - "unsafeName": "seconds", - "safeName": "seconds" - }, - "snakeCase": { - "unsafeName": "seconds", - "safeName": "seconds" - }, - "screamingSnakeCase": { - "unsafeName": "SECONDS", - "safeName": "SECONDS" - }, - "pascalCase": { - "unsafeName": "Seconds", - "safeName": "Seconds" - } - }, - "wireValue": "seconds" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "LONG", - "v2": { - "type": "long", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "nanos", - "camelCase": { - "unsafeName": "nanos", - "safeName": "nanos" - }, - "snakeCase": { - "unsafeName": "nanos", - "safeName": "nanos" - }, - "screamingSnakeCase": { - "unsafeName": "NANOS", - "safeName": "NANOS" - }, - "pascalCase": { - "unsafeName": "Nanos", - "safeName": "Nanos" - } - }, - "wireValue": "nanos" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "INTEGER", - "v2": { - "type": "integer", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.ControlAreaType": { - "name": { - "typeId": "anduril.tasks.v2.ControlAreaType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ControlAreaType", - "camelCase": { - "unsafeName": "andurilTasksV2ControlAreaType", - "safeName": "andurilTasksV2ControlAreaType" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_control_area_type", - "safeName": "anduril_tasks_v_2_control_area_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_CONTROL_AREA_TYPE", - "safeName": "ANDURIL_TASKS_V_2_CONTROL_AREA_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ControlAreaType", - "safeName": "AndurilTasksV2ControlAreaType" - } - }, - "displayName": "ControlAreaType" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "CONTROL_AREA_TYPE_INVALID", - "camelCase": { - "unsafeName": "controlAreaTypeInvalid", - "safeName": "controlAreaTypeInvalid" - }, - "snakeCase": { - "unsafeName": "control_area_type_invalid", - "safeName": "control_area_type_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "CONTROL_AREA_TYPE_INVALID", - "safeName": "CONTROL_AREA_TYPE_INVALID" - }, - "pascalCase": { - "unsafeName": "ControlAreaTypeInvalid", - "safeName": "ControlAreaTypeInvalid" - } - }, - "wireValue": "CONTROL_AREA_TYPE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CONTROL_AREA_TYPE_KEEP_IN_ZONE", - "camelCase": { - "unsafeName": "controlAreaTypeKeepInZone", - "safeName": "controlAreaTypeKeepInZone" - }, - "snakeCase": { - "unsafeName": "control_area_type_keep_in_zone", - "safeName": "control_area_type_keep_in_zone" - }, - "screamingSnakeCase": { - "unsafeName": "CONTROL_AREA_TYPE_KEEP_IN_ZONE", - "safeName": "CONTROL_AREA_TYPE_KEEP_IN_ZONE" - }, - "pascalCase": { - "unsafeName": "ControlAreaTypeKeepInZone", - "safeName": "ControlAreaTypeKeepInZone" - } - }, - "wireValue": "CONTROL_AREA_TYPE_KEEP_IN_ZONE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CONTROL_AREA_TYPE_KEEP_OUT_ZONE", - "camelCase": { - "unsafeName": "controlAreaTypeKeepOutZone", - "safeName": "controlAreaTypeKeepOutZone" - }, - "snakeCase": { - "unsafeName": "control_area_type_keep_out_zone", - "safeName": "control_area_type_keep_out_zone" - }, - "screamingSnakeCase": { - "unsafeName": "CONTROL_AREA_TYPE_KEEP_OUT_ZONE", - "safeName": "CONTROL_AREA_TYPE_KEEP_OUT_ZONE" - }, - "pascalCase": { - "unsafeName": "ControlAreaTypeKeepOutZone", - "safeName": "ControlAreaTypeKeepOutZone" - } - }, - "wireValue": "CONTROL_AREA_TYPE_KEEP_OUT_ZONE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "CONTROL_AREA_TYPE_DITCH_ZONE", - "camelCase": { - "unsafeName": "controlAreaTypeDitchZone", - "safeName": "controlAreaTypeDitchZone" - }, - "snakeCase": { - "unsafeName": "control_area_type_ditch_zone", - "safeName": "control_area_type_ditch_zone" - }, - "screamingSnakeCase": { - "unsafeName": "CONTROL_AREA_TYPE_DITCH_ZONE", - "safeName": "CONTROL_AREA_TYPE_DITCH_ZONE" - }, - "pascalCase": { - "unsafeName": "ControlAreaTypeDitchZone", - "safeName": "ControlAreaTypeDitchZone" - } - }, - "wireValue": "CONTROL_AREA_TYPE_DITCH_ZONE" - }, - "availability": null, - "docs": "Zone for an autonomous asset to nose-dive into\\n when its assignment has been concluded" - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.DurationRange": { - "name": { - "typeId": "anduril.tasks.v2.DurationRange", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.DurationRange", - "camelCase": { - "unsafeName": "andurilTasksV2DurationRange", - "safeName": "andurilTasksV2DurationRange" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_duration_range", - "safeName": "anduril_tasks_v_2_duration_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_DURATION_RANGE", - "safeName": "ANDURIL_TASKS_V_2_DURATION_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2DurationRange", - "safeName": "AndurilTasksV2DurationRange" - } - }, - "displayName": "DurationRange" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "min", - "camelCase": { - "unsafeName": "min", - "safeName": "min" - }, - "snakeCase": { - "unsafeName": "min", - "safeName": "min" - }, - "screamingSnakeCase": { - "unsafeName": "MIN", - "safeName": "MIN" - }, - "pascalCase": { - "unsafeName": "Min", - "safeName": "Min" - } - }, - "wireValue": "min" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Duration", - "camelCase": { - "unsafeName": "googleProtobufDuration", - "safeName": "googleProtobufDuration" - }, - "snakeCase": { - "unsafeName": "google_protobuf_duration", - "safeName": "google_protobuf_duration" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DURATION", - "safeName": "GOOGLE_PROTOBUF_DURATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDuration", - "safeName": "GoogleProtobufDuration" - } - }, - "typeId": "google.protobuf.Duration", - "default": null, - "inline": false, - "displayName": "min" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "max", - "camelCase": { - "unsafeName": "max", - "safeName": "max" - }, - "snakeCase": { - "unsafeName": "max", - "safeName": "max" - }, - "screamingSnakeCase": { - "unsafeName": "MAX", - "safeName": "MAX" - }, - "pascalCase": { - "unsafeName": "Max", - "safeName": "Max" - } - }, - "wireValue": "max" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Duration", - "camelCase": { - "unsafeName": "googleProtobufDuration", - "safeName": "googleProtobufDuration" - }, - "snakeCase": { - "unsafeName": "google_protobuf_duration", - "safeName": "google_protobuf_duration" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DURATION", - "safeName": "GOOGLE_PROTOBUF_DURATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDuration", - "safeName": "GoogleProtobufDuration" - } - }, - "typeId": "google.protobuf.Duration", - "default": null, - "inline": false, - "displayName": "max" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to the UCI DurationRangeType." - }, - "anduril.tasks.v2.AnglePair": { - "name": { - "typeId": "anduril.tasks.v2.AnglePair", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.AnglePair", - "camelCase": { - "unsafeName": "andurilTasksV2AnglePair", - "safeName": "andurilTasksV2AnglePair" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_angle_pair", - "safeName": "anduril_tasks_v_2_angle_pair" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ANGLE_PAIR", - "safeName": "ANDURIL_TASKS_V_2_ANGLE_PAIR" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2AnglePair", - "safeName": "AndurilTasksV2AnglePair" - } - }, - "displayName": "AnglePair" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "min", - "camelCase": { - "unsafeName": "min", - "safeName": "min" - }, - "snakeCase": { - "unsafeName": "min", - "safeName": "min" - }, - "screamingSnakeCase": { - "unsafeName": "MIN", - "safeName": "MIN" - }, - "pascalCase": { - "unsafeName": "Min", - "safeName": "Min" - } - }, - "wireValue": "min" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Angle lower bound in radians." - }, - { - "name": { - "name": { - "originalName": "max", - "camelCase": { - "unsafeName": "max", - "safeName": "max" - }, - "snakeCase": { - "unsafeName": "max", - "safeName": "max" - }, - "screamingSnakeCase": { - "unsafeName": "MAX", - "safeName": "MAX" - }, - "pascalCase": { - "unsafeName": "Max", - "safeName": "Max" - } - }, - "wireValue": "max" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Angle lower bound in radians." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to the UCI AnglePair." - }, - "anduril.tasks.v2.AreaConstraints": { - "name": { - "typeId": "anduril.tasks.v2.AreaConstraints", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.AreaConstraints", - "camelCase": { - "unsafeName": "andurilTasksV2AreaConstraints", - "safeName": "andurilTasksV2AreaConstraints" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_area_constraints", - "safeName": "anduril_tasks_v_2_area_constraints" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_AREA_CONSTRAINTS", - "safeName": "ANDURIL_TASKS_V_2_AREA_CONSTRAINTS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2AreaConstraints", - "safeName": "AndurilTasksV2AreaConstraints" - } - }, - "displayName": "AreaConstraints" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "altitude_constraint", - "camelCase": { - "unsafeName": "altitudeConstraint", - "safeName": "altitudeConstraint" - }, - "snakeCase": { - "unsafeName": "altitude_constraint", - "safeName": "altitude_constraint" - }, - "screamingSnakeCase": { - "unsafeName": "ALTITUDE_CONSTRAINT", - "safeName": "ALTITUDE_CONSTRAINT" - }, - "pascalCase": { - "unsafeName": "AltitudeConstraint", - "safeName": "AltitudeConstraint" - } - }, - "wireValue": "altitude_constraint" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.AltitudeConstraint", - "camelCase": { - "unsafeName": "andurilTasksV2AltitudeConstraint", - "safeName": "andurilTasksV2AltitudeConstraint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_altitude_constraint", - "safeName": "anduril_tasks_v_2_altitude_constraint" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ALTITUDE_CONSTRAINT", - "safeName": "ANDURIL_TASKS_V_2_ALTITUDE_CONSTRAINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2AltitudeConstraint", - "safeName": "AndurilTasksV2AltitudeConstraint" - } - }, - "typeId": "anduril.tasks.v2.AltitudeConstraint", - "default": null, - "inline": false, - "displayName": "altitude_constraint" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to UCI AreaConstraints." - }, - "anduril.tasks.v2.AltitudeConstraint": { - "name": { - "typeId": "anduril.tasks.v2.AltitudeConstraint", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.AltitudeConstraint", - "camelCase": { - "unsafeName": "andurilTasksV2AltitudeConstraint", - "safeName": "andurilTasksV2AltitudeConstraint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_altitude_constraint", - "safeName": "anduril_tasks_v_2_altitude_constraint" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ALTITUDE_CONSTRAINT", - "safeName": "ANDURIL_TASKS_V_2_ALTITUDE_CONSTRAINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2AltitudeConstraint", - "safeName": "AndurilTasksV2AltitudeConstraint" - } - }, - "displayName": "AltitudeConstraint" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "min", - "camelCase": { - "unsafeName": "min", - "safeName": "min" - }, - "snakeCase": { - "unsafeName": "min", - "safeName": "min" - }, - "screamingSnakeCase": { - "unsafeName": "MIN", - "safeName": "MIN" - }, - "pascalCase": { - "unsafeName": "Min", - "safeName": "Min" - } - }, - "wireValue": "min" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Minimum altitude (AGL) in meters." - }, - { - "name": { - "name": { - "originalName": "max", - "camelCase": { - "unsafeName": "max", - "safeName": "max" - }, - "snakeCase": { - "unsafeName": "max", - "safeName": "max" - }, - "screamingSnakeCase": { - "unsafeName": "MAX", - "safeName": "MAX" - }, - "pascalCase": { - "unsafeName": "Max", - "safeName": "Max" - } - }, - "wireValue": "max" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Maximum altitude (AGL) in meters." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.Agent": { - "name": { - "typeId": "anduril.tasks.v2.Agent", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Agent", - "camelCase": { - "unsafeName": "andurilTasksV2Agent", - "safeName": "andurilTasksV2Agent" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_agent", - "safeName": "anduril_tasks_v_2_agent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_AGENT", - "safeName": "ANDURIL_TASKS_V_2_AGENT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Agent", - "safeName": "AndurilTasksV2Agent" - } - }, - "displayName": "Agent" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Includes information about an Agent." - }, - "anduril.tasks.v2.ControlArea": { - "name": { - "typeId": "anduril.tasks.v2.ControlArea", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ControlArea", - "camelCase": { - "unsafeName": "andurilTasksV2ControlArea", - "safeName": "andurilTasksV2ControlArea" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_control_area", - "safeName": "anduril_tasks_v_2_control_area" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_CONTROL_AREA", - "safeName": "ANDURIL_TASKS_V_2_CONTROL_AREA" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ControlArea", - "safeName": "AndurilTasksV2ControlArea" - } - }, - "displayName": "ControlArea" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "entity_id", - "camelCase": { - "unsafeName": "entityId", - "safeName": "entityId" - }, - "snakeCase": { - "unsafeName": "entity_id", - "safeName": "entity_id" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_ID", - "safeName": "ENTITY_ID" - }, - "pascalCase": { - "unsafeName": "EntityId", - "safeName": "EntityId" - } - }, - "wireValue": "entity_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Reference to GeoPolygon GeoEntity representing the ControlArea." - }, - { - "name": { - "name": { - "originalName": "control_area_type", - "camelCase": { - "unsafeName": "controlAreaType", - "safeName": "controlAreaType" - }, - "snakeCase": { - "unsafeName": "control_area_type", - "safeName": "control_area_type" - }, - "screamingSnakeCase": { - "unsafeName": "CONTROL_AREA_TYPE", - "safeName": "CONTROL_AREA_TYPE" - }, - "pascalCase": { - "unsafeName": "ControlAreaType", - "safeName": "ControlAreaType" - } - }, - "wireValue": "control_area_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ControlAreaType", - "camelCase": { - "unsafeName": "andurilTasksV2ControlAreaType", - "safeName": "andurilTasksV2ControlAreaType" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_control_area_type", - "safeName": "anduril_tasks_v_2_control_area_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_CONTROL_AREA_TYPE", - "safeName": "ANDURIL_TASKS_V_2_CONTROL_AREA_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ControlAreaType", - "safeName": "AndurilTasksV2ControlAreaType" - } - }, - "typeId": "anduril.tasks.v2.ControlAreaType", - "default": null, - "inline": false, - "displayName": "control_area_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Type of ControlArea." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Models a Control Area within which Agents must operate." - }, - "anduril.tasks.v2.OrbitDirection": { - "name": { - "typeId": "anduril.tasks.v2.OrbitDirection", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.OrbitDirection", - "camelCase": { - "unsafeName": "andurilTasksV2OrbitDirection", - "safeName": "andurilTasksV2OrbitDirection" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_orbit_direction", - "safeName": "anduril_tasks_v_2_orbit_direction" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DIRECTION", - "safeName": "ANDURIL_TASKS_V_2_ORBIT_DIRECTION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2OrbitDirection", - "safeName": "AndurilTasksV2OrbitDirection" - } - }, - "displayName": "OrbitDirection" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "ORBIT_DIRECTION_DIRECTION_INVALID", - "camelCase": { - "unsafeName": "orbitDirectionDirectionInvalid", - "safeName": "orbitDirectionDirectionInvalid" - }, - "snakeCase": { - "unsafeName": "orbit_direction_direction_invalid", - "safeName": "orbit_direction_direction_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "ORBIT_DIRECTION_DIRECTION_INVALID", - "safeName": "ORBIT_DIRECTION_DIRECTION_INVALID" - }, - "pascalCase": { - "unsafeName": "OrbitDirectionDirectionInvalid", - "safeName": "OrbitDirectionDirectionInvalid" - } - }, - "wireValue": "ORBIT_DIRECTION_DIRECTION_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ORBIT_DIRECTION_RIGHT", - "camelCase": { - "unsafeName": "orbitDirectionRight", - "safeName": "orbitDirectionRight" - }, - "snakeCase": { - "unsafeName": "orbit_direction_right", - "safeName": "orbit_direction_right" - }, - "screamingSnakeCase": { - "unsafeName": "ORBIT_DIRECTION_RIGHT", - "safeName": "ORBIT_DIRECTION_RIGHT" - }, - "pascalCase": { - "unsafeName": "OrbitDirectionRight", - "safeName": "OrbitDirectionRight" - } - }, - "wireValue": "ORBIT_DIRECTION_RIGHT" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ORBIT_DIRECTION_LEFT", - "camelCase": { - "unsafeName": "orbitDirectionLeft", - "safeName": "orbitDirectionLeft" - }, - "snakeCase": { - "unsafeName": "orbit_direction_left", - "safeName": "orbit_direction_left" - }, - "screamingSnakeCase": { - "unsafeName": "ORBIT_DIRECTION_LEFT", - "safeName": "ORBIT_DIRECTION_LEFT" - }, - "pascalCase": { - "unsafeName": "OrbitDirectionLeft", - "safeName": "OrbitDirectionLeft" - } - }, - "wireValue": "ORBIT_DIRECTION_LEFT" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": "Direction of the loiter relative to the front of the vehicle." - }, - "anduril.tasks.v2.OrbitPattern": { - "name": { - "typeId": "anduril.tasks.v2.OrbitPattern", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.OrbitPattern", - "camelCase": { - "unsafeName": "andurilTasksV2OrbitPattern", - "safeName": "andurilTasksV2OrbitPattern" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_orbit_pattern", - "safeName": "anduril_tasks_v_2_orbit_pattern" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_PATTERN", - "safeName": "ANDURIL_TASKS_V_2_ORBIT_PATTERN" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2OrbitPattern", - "safeName": "AndurilTasksV2OrbitPattern" - } - }, - "displayName": "OrbitPattern" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "ORBIT_PATTERN_INVALID", - "camelCase": { - "unsafeName": "orbitPatternInvalid", - "safeName": "orbitPatternInvalid" - }, - "snakeCase": { - "unsafeName": "orbit_pattern_invalid", - "safeName": "orbit_pattern_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "ORBIT_PATTERN_INVALID", - "safeName": "ORBIT_PATTERN_INVALID" - }, - "pascalCase": { - "unsafeName": "OrbitPatternInvalid", - "safeName": "OrbitPatternInvalid" - } - }, - "wireValue": "ORBIT_PATTERN_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ORBIT_PATTERN_CIRCLE", - "camelCase": { - "unsafeName": "orbitPatternCircle", - "safeName": "orbitPatternCircle" - }, - "snakeCase": { - "unsafeName": "orbit_pattern_circle", - "safeName": "orbit_pattern_circle" - }, - "screamingSnakeCase": { - "unsafeName": "ORBIT_PATTERN_CIRCLE", - "safeName": "ORBIT_PATTERN_CIRCLE" - }, - "pascalCase": { - "unsafeName": "OrbitPatternCircle", - "safeName": "OrbitPatternCircle" - } - }, - "wireValue": "ORBIT_PATTERN_CIRCLE" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ORBIT_PATTERN_RACETRACK", - "camelCase": { - "unsafeName": "orbitPatternRacetrack", - "safeName": "orbitPatternRacetrack" - }, - "snakeCase": { - "unsafeName": "orbit_pattern_racetrack", - "safeName": "orbit_pattern_racetrack" - }, - "screamingSnakeCase": { - "unsafeName": "ORBIT_PATTERN_RACETRACK", - "safeName": "ORBIT_PATTERN_RACETRACK" - }, - "pascalCase": { - "unsafeName": "OrbitPatternRacetrack", - "safeName": "OrbitPatternRacetrack" - } - }, - "wireValue": "ORBIT_PATTERN_RACETRACK" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "ORBIT_PATTERN_FIGURE_EIGHT", - "camelCase": { - "unsafeName": "orbitPatternFigureEight", - "safeName": "orbitPatternFigureEight" - }, - "snakeCase": { - "unsafeName": "orbit_pattern_figure_eight", - "safeName": "orbit_pattern_figure_eight" - }, - "screamingSnakeCase": { - "unsafeName": "ORBIT_PATTERN_FIGURE_EIGHT", - "safeName": "ORBIT_PATTERN_FIGURE_EIGHT" - }, - "pascalCase": { - "unsafeName": "OrbitPatternFigureEight", - "safeName": "OrbitPatternFigureEight" - } - }, - "wireValue": "ORBIT_PATTERN_FIGURE_EIGHT" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.Investigate": { - "name": { - "typeId": "anduril.tasks.v2.Investigate", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Investigate", - "camelCase": { - "unsafeName": "andurilTasksV2Investigate", - "safeName": "andurilTasksV2Investigate" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_investigate", - "safeName": "anduril_tasks_v_2_investigate" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_INVESTIGATE", - "safeName": "ANDURIL_TASKS_V_2_INVESTIGATE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Investigate", - "safeName": "AndurilTasksV2Investigate" - } - }, - "displayName": "Investigate" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates where to investigate." - }, - { - "name": { - "name": { - "originalName": "parameters", - "camelCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "snakeCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "screamingSnakeCase": { - "unsafeName": "PARAMETERS", - "safeName": "PARAMETERS" - }, - "pascalCase": { - "unsafeName": "Parameters", - "safeName": "Parameters" - } - }, - "wireValue": "parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ISRParameters", - "camelCase": { - "unsafeName": "andurilTasksV2IsrParameters", - "safeName": "andurilTasksV2IsrParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_isr_parameters", - "safeName": "anduril_tasks_v_2_isr_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2IsrParameters", - "safeName": "AndurilTasksV2IsrParameters" - } - }, - "typeId": "anduril.tasks.v2.ISRParameters", - "default": null, - "inline": false, - "displayName": "parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional common ISR parameters." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to BREVITY code INVESTIGATE." - }, - "anduril.tasks.v2.VisualId": { - "name": { - "typeId": "anduril.tasks.v2.VisualId", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.VisualId", - "camelCase": { - "unsafeName": "andurilTasksV2VisualId", - "safeName": "andurilTasksV2VisualId" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_visual_id", - "safeName": "anduril_tasks_v_2_visual_id" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_VISUAL_ID", - "safeName": "ANDURIL_TASKS_V_2_VISUAL_ID" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2VisualId", - "safeName": "AndurilTasksV2VisualId" - } - }, - "displayName": "VisualId" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates what to identify." - }, - { - "name": { - "name": { - "originalName": "parameters", - "camelCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "snakeCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "screamingSnakeCase": { - "unsafeName": "PARAMETERS", - "safeName": "PARAMETERS" - }, - "pascalCase": { - "unsafeName": "Parameters", - "safeName": "Parameters" - } - }, - "wireValue": "parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ISRParameters", - "camelCase": { - "unsafeName": "andurilTasksV2IsrParameters", - "safeName": "andurilTasksV2IsrParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_isr_parameters", - "safeName": "anduril_tasks_v_2_isr_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2IsrParameters", - "safeName": "AndurilTasksV2IsrParameters" - } - }, - "typeId": "anduril.tasks.v2.ISRParameters", - "default": null, - "inline": false, - "displayName": "parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional common ISR parameters." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to BREVITY code ID with type Visual." - }, - "anduril.tasks.v2.Map": { - "name": { - "typeId": "anduril.tasks.v2.Map", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Map", - "camelCase": { - "unsafeName": "andurilTasksV2Map", - "safeName": "andurilTasksV2Map" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_map", - "safeName": "anduril_tasks_v_2_map" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_MAP", - "safeName": "ANDURIL_TASKS_V_2_MAP" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Map", - "safeName": "AndurilTasksV2Map" - } - }, - "displayName": "Map" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates where to perform the SAR." - }, - { - "name": { - "name": { - "originalName": "parameters", - "camelCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "snakeCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "screamingSnakeCase": { - "unsafeName": "PARAMETERS", - "safeName": "PARAMETERS" - }, - "pascalCase": { - "unsafeName": "Parameters", - "safeName": "Parameters" - } - }, - "wireValue": "parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ISRParameters", - "camelCase": { - "unsafeName": "andurilTasksV2IsrParameters", - "safeName": "andurilTasksV2IsrParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_isr_parameters", - "safeName": "anduril_tasks_v_2_isr_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2IsrParameters", - "safeName": "AndurilTasksV2IsrParameters" - } - }, - "typeId": "anduril.tasks.v2.ISRParameters", - "default": null, - "inline": false, - "displayName": "parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional common ISR parameters." - }, - { - "name": { - "name": { - "originalName": "min_niirs", - "camelCase": { - "unsafeName": "minNiirs", - "safeName": "minNiirs" - }, - "snakeCase": { - "unsafeName": "min_niirs", - "safeName": "min_niirs" - }, - "screamingSnakeCase": { - "unsafeName": "MIN_NIIRS", - "safeName": "MIN_NIIRS" - }, - "pascalCase": { - "unsafeName": "MinNiirs", - "safeName": "MinNiirs" - } - }, - "wireValue": "min_niirs" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UInt32Value", - "camelCase": { - "unsafeName": "googleProtobufUInt32Value", - "safeName": "googleProtobufUInt32Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_u_int_32_value", - "safeName": "google_protobuf_u_int_32_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", - "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUInt32Value", - "safeName": "GoogleProtobufUInt32Value" - } - }, - "typeId": "google.protobuf.UInt32Value", - "default": null, - "inline": false, - "displayName": "min_niirs" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "minimum desired NIIRS (National Image Interpretability Rating Scales) see https://irp.fas.org/imint/niirs.htm" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to BREVITY code MAP." - }, - "anduril.tasks.v2.Loiter": { - "name": { - "typeId": "anduril.tasks.v2.Loiter", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Loiter", - "camelCase": { - "unsafeName": "andurilTasksV2Loiter", - "safeName": "andurilTasksV2Loiter" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_loiter", - "safeName": "anduril_tasks_v_2_loiter" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_LOITER", - "safeName": "ANDURIL_TASKS_V_2_LOITER" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Loiter", - "safeName": "AndurilTasksV2Loiter" - } - }, - "displayName": "Loiter" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates where to perform the loiter." - }, - { - "name": { - "name": { - "originalName": "loiter_type", - "camelCase": { - "unsafeName": "loiterType", - "safeName": "loiterType" - }, - "snakeCase": { - "unsafeName": "loiter_type", - "safeName": "loiter_type" - }, - "screamingSnakeCase": { - "unsafeName": "LOITER_TYPE", - "safeName": "LOITER_TYPE" - }, - "pascalCase": { - "unsafeName": "LoiterType", - "safeName": "LoiterType" - } - }, - "wireValue": "loiter_type" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.LoiterType", - "camelCase": { - "unsafeName": "andurilTasksV2LoiterType", - "safeName": "andurilTasksV2LoiterType" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_loiter_type", - "safeName": "anduril_tasks_v_2_loiter_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_LOITER_TYPE", - "safeName": "ANDURIL_TASKS_V_2_LOITER_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2LoiterType", - "safeName": "AndurilTasksV2LoiterType" - } - }, - "typeId": "anduril.tasks.v2.LoiterType", - "default": null, - "inline": false, - "displayName": "loiter_type" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Specifies the details of the loiter." - }, - { - "name": { - "name": { - "originalName": "parameters", - "camelCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "snakeCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "screamingSnakeCase": { - "unsafeName": "PARAMETERS", - "safeName": "PARAMETERS" - }, - "pascalCase": { - "unsafeName": "Parameters", - "safeName": "Parameters" - } - }, - "wireValue": "parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ISRParameters", - "camelCase": { - "unsafeName": "andurilTasksV2IsrParameters", - "safeName": "andurilTasksV2IsrParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_isr_parameters", - "safeName": "anduril_tasks_v_2_isr_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2IsrParameters", - "safeName": "AndurilTasksV2IsrParameters" - } - }, - "typeId": "anduril.tasks.v2.ISRParameters", - "default": null, - "inline": false, - "displayName": "parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional common ISR parameters.\\n The loiter radius and bearing should be inferred from the standoff_distance and standoff_angle respectively." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to the Loiter behavior within the FlightTask type within UCI v2." - }, - "anduril.tasks.v2.AreaSearch": { - "name": { - "typeId": "anduril.tasks.v2.AreaSearch", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.AreaSearch", - "camelCase": { - "unsafeName": "andurilTasksV2AreaSearch", - "safeName": "andurilTasksV2AreaSearch" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_area_search", - "safeName": "anduril_tasks_v_2_area_search" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_AREA_SEARCH", - "safeName": "ANDURIL_TASKS_V_2_AREA_SEARCH" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2AreaSearch", - "safeName": "AndurilTasksV2AreaSearch" - } - }, - "displayName": "AreaSearch" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates where to perform the area search." - }, - { - "name": { - "name": { - "originalName": "priors", - "camelCase": { - "unsafeName": "priors", - "safeName": "priors" - }, - "snakeCase": { - "unsafeName": "priors", - "safeName": "priors" - }, - "screamingSnakeCase": { - "unsafeName": "PRIORS", - "safeName": "PRIORS" - }, - "pascalCase": { - "unsafeName": "Priors", - "safeName": "Priors" - } - }, - "wireValue": "priors" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Prior", - "camelCase": { - "unsafeName": "andurilTasksV2Prior", - "safeName": "andurilTasksV2Prior" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_prior", - "safeName": "anduril_tasks_v_2_prior" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PRIOR", - "safeName": "ANDURIL_TASKS_V_2_PRIOR" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Prior", - "safeName": "AndurilTasksV2Prior" - } - }, - "typeId": "anduril.tasks.v2.Prior", - "default": null, - "inline": false, - "displayName": "priors" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Priors that can be used to inform this AreaSearch." - }, - { - "name": { - "name": { - "originalName": "participants", - "camelCase": { - "unsafeName": "participants", - "safeName": "participants" - }, - "snakeCase": { - "unsafeName": "participants", - "safeName": "participants" - }, - "screamingSnakeCase": { - "unsafeName": "PARTICIPANTS", - "safeName": "PARTICIPANTS" - }, - "pascalCase": { - "unsafeName": "Participants", - "safeName": "Participants" - } - }, - "wireValue": "participants" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Agent", - "camelCase": { - "unsafeName": "andurilTasksV2Agent", - "safeName": "andurilTasksV2Agent" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_agent", - "safeName": "anduril_tasks_v_2_agent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_AGENT", - "safeName": "ANDURIL_TASKS_V_2_AGENT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Agent", - "safeName": "AndurilTasksV2Agent" - } - }, - "typeId": "anduril.tasks.v2.Agent", - "default": null, - "inline": false, - "displayName": "participants" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Agents participating in this AreaSearch." - }, - { - "name": { - "name": { - "originalName": "control_areas", - "camelCase": { - "unsafeName": "controlAreas", - "safeName": "controlAreas" - }, - "snakeCase": { - "unsafeName": "control_areas", - "safeName": "control_areas" - }, - "screamingSnakeCase": { - "unsafeName": "CONTROL_AREAS", - "safeName": "CONTROL_AREAS" - }, - "pascalCase": { - "unsafeName": "ControlAreas", - "safeName": "ControlAreas" - } - }, - "wireValue": "control_areas" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ControlArea", - "camelCase": { - "unsafeName": "andurilTasksV2ControlArea", - "safeName": "andurilTasksV2ControlArea" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_control_area", - "safeName": "anduril_tasks_v_2_control_area" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_CONTROL_AREA", - "safeName": "ANDURIL_TASKS_V_2_CONTROL_AREA" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ControlArea", - "safeName": "AndurilTasksV2ControlArea" - } - }, - "typeId": "anduril.tasks.v2.ControlArea", - "default": null, - "inline": false, - "displayName": "control_areas" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Control Area for this AreaSearch." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents intent to search an area. Maps to the Area Search Team Task within the Mission Autonomy Task Model." - }, - "anduril.tasks.v2.VolumeSearch": { - "name": { - "typeId": "anduril.tasks.v2.VolumeSearch", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.VolumeSearch", - "camelCase": { - "unsafeName": "andurilTasksV2VolumeSearch", - "safeName": "andurilTasksV2VolumeSearch" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_volume_search", - "safeName": "anduril_tasks_v_2_volume_search" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_VOLUME_SEARCH", - "safeName": "ANDURIL_TASKS_V_2_VOLUME_SEARCH" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2VolumeSearch", - "safeName": "AndurilTasksV2VolumeSearch" - } - }, - "displayName": "VolumeSearch" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates where to perform the volume search." - }, - { - "name": { - "name": { - "originalName": "priors", - "camelCase": { - "unsafeName": "priors", - "safeName": "priors" - }, - "snakeCase": { - "unsafeName": "priors", - "safeName": "priors" - }, - "screamingSnakeCase": { - "unsafeName": "PRIORS", - "safeName": "PRIORS" - }, - "pascalCase": { - "unsafeName": "Priors", - "safeName": "Priors" - } - }, - "wireValue": "priors" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Prior", - "camelCase": { - "unsafeName": "andurilTasksV2Prior", - "safeName": "andurilTasksV2Prior" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_prior", - "safeName": "anduril_tasks_v_2_prior" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PRIOR", - "safeName": "ANDURIL_TASKS_V_2_PRIOR" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Prior", - "safeName": "AndurilTasksV2Prior" - } - }, - "typeId": "anduril.tasks.v2.Prior", - "default": null, - "inline": false, - "displayName": "priors" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Priors that can be used to inform this VolumeSearch." - }, - { - "name": { - "name": { - "originalName": "participants", - "camelCase": { - "unsafeName": "participants", - "safeName": "participants" - }, - "snakeCase": { - "unsafeName": "participants", - "safeName": "participants" - }, - "screamingSnakeCase": { - "unsafeName": "PARTICIPANTS", - "safeName": "PARTICIPANTS" - }, - "pascalCase": { - "unsafeName": "Participants", - "safeName": "Participants" - } - }, - "wireValue": "participants" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Agent", - "camelCase": { - "unsafeName": "andurilTasksV2Agent", - "safeName": "andurilTasksV2Agent" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_agent", - "safeName": "anduril_tasks_v_2_agent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_AGENT", - "safeName": "ANDURIL_TASKS_V_2_AGENT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Agent", - "safeName": "AndurilTasksV2Agent" - } - }, - "typeId": "anduril.tasks.v2.Agent", - "default": null, - "inline": false, - "displayName": "participants" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Agents participating in this VolumeSearch." - }, - { - "name": { - "name": { - "originalName": "control_areas", - "camelCase": { - "unsafeName": "controlAreas", - "safeName": "controlAreas" - }, - "snakeCase": { - "unsafeName": "control_areas", - "safeName": "control_areas" - }, - "screamingSnakeCase": { - "unsafeName": "CONTROL_AREAS", - "safeName": "CONTROL_AREAS" - }, - "pascalCase": { - "unsafeName": "ControlAreas", - "safeName": "ControlAreas" - } - }, - "wireValue": "control_areas" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ControlArea", - "camelCase": { - "unsafeName": "andurilTasksV2ControlArea", - "safeName": "andurilTasksV2ControlArea" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_control_area", - "safeName": "anduril_tasks_v_2_control_area" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_CONTROL_AREA", - "safeName": "ANDURIL_TASKS_V_2_CONTROL_AREA" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ControlArea", - "safeName": "AndurilTasksV2ControlArea" - } - }, - "typeId": "anduril.tasks.v2.ControlArea", - "default": null, - "inline": false, - "displayName": "control_areas" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Control Area for this VolumeSearch." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Represents intent to search a volume. Maps to the Volume Search Team Task within the Mission Autonomy Task Model." - }, - "anduril.tasks.v2.ImproveTrackQuality": { - "name": { - "typeId": "anduril.tasks.v2.ImproveTrackQuality", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ImproveTrackQuality", - "camelCase": { - "unsafeName": "andurilTasksV2ImproveTrackQuality", - "safeName": "andurilTasksV2ImproveTrackQuality" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_improve_track_quality", - "safeName": "anduril_tasks_v_2_improve_track_quality" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_IMPROVE_TRACK_QUALITY", - "safeName": "ANDURIL_TASKS_V_2_IMPROVE_TRACK_QUALITY" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ImproveTrackQuality", - "safeName": "AndurilTasksV2ImproveTrackQuality" - } - }, - "displayName": "ImproveTrackQuality" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the target track that is having its quality improved." - }, - { - "name": { - "name": { - "originalName": "termination_track_quality", - "camelCase": { - "unsafeName": "terminationTrackQuality", - "safeName": "terminationTrackQuality" - }, - "snakeCase": { - "unsafeName": "termination_track_quality", - "safeName": "termination_track_quality" - }, - "screamingSnakeCase": { - "unsafeName": "TERMINATION_TRACK_QUALITY", - "safeName": "TERMINATION_TRACK_QUALITY" - }, - "pascalCase": { - "unsafeName": "TerminationTrackQuality", - "safeName": "TerminationTrackQuality" - } - }, - "wireValue": "termination_track_quality" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Task will complete when the requested track reaches a TQ >= the termination_track_quality." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Task to improve the quality of a track. Maps to the Improve Track Task within the Mission Autonomy Task Model." - }, - "anduril.tasks.v2.Shadow": { - "name": { - "typeId": "anduril.tasks.v2.Shadow", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Shadow", - "camelCase": { - "unsafeName": "andurilTasksV2Shadow", - "safeName": "andurilTasksV2Shadow" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_shadow", - "safeName": "anduril_tasks_v_2_shadow" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_SHADOW", - "safeName": "ANDURIL_TASKS_V_2_SHADOW" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Shadow", - "safeName": "AndurilTasksV2Shadow" - } - }, - "displayName": "Shadow" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates what to follow." - }, - { - "name": { - "name": { - "originalName": "parameters", - "camelCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "snakeCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "screamingSnakeCase": { - "unsafeName": "PARAMETERS", - "safeName": "PARAMETERS" - }, - "pascalCase": { - "unsafeName": "Parameters", - "safeName": "Parameters" - } - }, - "wireValue": "parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ISRParameters", - "camelCase": { - "unsafeName": "andurilTasksV2IsrParameters", - "safeName": "andurilTasksV2IsrParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_isr_parameters", - "safeName": "anduril_tasks_v_2_isr_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2IsrParameters", - "safeName": "AndurilTasksV2IsrParameters" - } - }, - "typeId": "anduril.tasks.v2.ISRParameters", - "default": null, - "inline": false, - "displayName": "parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional common ISR parameters." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Indicates intent to follow an Objective. Maps to Brevity code SHADOW." - }, - "anduril.tasks.v2.LoiterTypeLoiter_type": { - "name": { - "typeId": "anduril.tasks.v2.LoiterTypeLoiter_type", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.LoiterTypeLoiter_type", - "camelCase": { - "unsafeName": "andurilTasksV2LoiterTypeLoiterType", - "safeName": "andurilTasksV2LoiterTypeLoiterType" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_loiter_type_loiter_type", - "safeName": "anduril_tasks_v_2_loiter_type_loiter_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_LOITER_TYPE_LOITER_TYPE", - "safeName": "ANDURIL_TASKS_V_2_LOITER_TYPE_LOITER_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2LoiterTypeLoiterType", - "safeName": "AndurilTasksV2LoiterTypeLoiterType" - } - }, - "displayName": "LoiterTypeLoiter_type" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.OrbitType", - "camelCase": { - "unsafeName": "andurilTasksV2OrbitType", - "safeName": "andurilTasksV2OrbitType" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_orbit_type", - "safeName": "anduril_tasks_v_2_orbit_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_TYPE", - "safeName": "ANDURIL_TASKS_V_2_ORBIT_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2OrbitType", - "safeName": "AndurilTasksV2OrbitType" - } - }, - "typeId": "anduril.tasks.v2.OrbitType", - "default": null, - "inline": false, - "displayName": "orbit_type" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.LoiterType": { - "name": { - "typeId": "anduril.tasks.v2.LoiterType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.LoiterType", - "camelCase": { - "unsafeName": "andurilTasksV2LoiterType", - "safeName": "andurilTasksV2LoiterType" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_loiter_type", - "safeName": "anduril_tasks_v_2_loiter_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_LOITER_TYPE", - "safeName": "ANDURIL_TASKS_V_2_LOITER_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2LoiterType", - "safeName": "AndurilTasksV2LoiterType" - } - }, - "displayName": "LoiterType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "loiter_type", - "camelCase": { - "unsafeName": "loiterType", - "safeName": "loiterType" - }, - "snakeCase": { - "unsafeName": "loiter_type", - "safeName": "loiter_type" - }, - "screamingSnakeCase": { - "unsafeName": "LOITER_TYPE", - "safeName": "LOITER_TYPE" - }, - "pascalCase": { - "unsafeName": "LoiterType", - "safeName": "LoiterType" - } - }, - "wireValue": "loiter_type" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.LoiterTypeLoiter_type", - "camelCase": { - "unsafeName": "andurilTasksV2LoiterTypeLoiterType", - "safeName": "andurilTasksV2LoiterTypeLoiterType" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_loiter_type_loiter_type", - "safeName": "anduril_tasks_v_2_loiter_type_loiter_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_LOITER_TYPE_LOITER_TYPE", - "safeName": "ANDURIL_TASKS_V_2_LOITER_TYPE_LOITER_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2LoiterTypeLoiterType", - "safeName": "AndurilTasksV2LoiterTypeLoiterType" - } - }, - "typeId": "anduril.tasks.v2.LoiterTypeLoiter_type", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to UCI v2 LoiterType." - }, - "anduril.tasks.v2.OrbitType": { - "name": { - "typeId": "anduril.tasks.v2.OrbitType", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.OrbitType", - "camelCase": { - "unsafeName": "andurilTasksV2OrbitType", - "safeName": "andurilTasksV2OrbitType" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_orbit_type", - "safeName": "anduril_tasks_v_2_orbit_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_TYPE", - "safeName": "ANDURIL_TASKS_V_2_ORBIT_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2OrbitType", - "safeName": "AndurilTasksV2OrbitType" - } - }, - "displayName": "OrbitType" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "direction", - "camelCase": { - "unsafeName": "direction", - "safeName": "direction" - }, - "snakeCase": { - "unsafeName": "direction", - "safeName": "direction" - }, - "screamingSnakeCase": { - "unsafeName": "DIRECTION", - "safeName": "DIRECTION" - }, - "pascalCase": { - "unsafeName": "Direction", - "safeName": "Direction" - } - }, - "wireValue": "direction" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.OrbitDirection", - "camelCase": { - "unsafeName": "andurilTasksV2OrbitDirection", - "safeName": "andurilTasksV2OrbitDirection" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_orbit_direction", - "safeName": "anduril_tasks_v_2_orbit_direction" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DIRECTION", - "safeName": "ANDURIL_TASKS_V_2_ORBIT_DIRECTION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2OrbitDirection", - "safeName": "AndurilTasksV2OrbitDirection" - } - }, - "typeId": "anduril.tasks.v2.OrbitDirection", - "default": null, - "inline": false, - "displayName": "direction" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the direction in which to perform the loiter." - }, - { - "name": { - "name": { - "originalName": "pattern", - "camelCase": { - "unsafeName": "pattern", - "safeName": "pattern" - }, - "snakeCase": { - "unsafeName": "pattern", - "safeName": "pattern" - }, - "screamingSnakeCase": { - "unsafeName": "PATTERN", - "safeName": "PATTERN" - }, - "pascalCase": { - "unsafeName": "Pattern", - "safeName": "Pattern" - } - }, - "wireValue": "pattern" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.OrbitPattern", - "camelCase": { - "unsafeName": "andurilTasksV2OrbitPattern", - "safeName": "andurilTasksV2OrbitPattern" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_orbit_pattern", - "safeName": "anduril_tasks_v_2_orbit_pattern" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_PATTERN", - "safeName": "ANDURIL_TASKS_V_2_ORBIT_PATTERN" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2OrbitPattern", - "safeName": "AndurilTasksV2OrbitPattern" - } - }, - "typeId": "anduril.tasks.v2.OrbitPattern", - "default": null, - "inline": false, - "displayName": "pattern" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the loiter pattern to perform." - }, - { - "name": { - "name": { - "originalName": "duration", - "camelCase": { - "unsafeName": "duration", - "safeName": "duration" - }, - "snakeCase": { - "unsafeName": "duration", - "safeName": "duration" - }, - "screamingSnakeCase": { - "unsafeName": "DURATION", - "safeName": "DURATION" - }, - "pascalCase": { - "unsafeName": "Duration", - "safeName": "Duration" - } - }, - "wireValue": "duration" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.OrbitDuration", - "camelCase": { - "unsafeName": "andurilTasksV2OrbitDuration", - "safeName": "andurilTasksV2OrbitDuration" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_orbit_duration", - "safeName": "anduril_tasks_v_2_orbit_duration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION", - "safeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2OrbitDuration", - "safeName": "AndurilTasksV2OrbitDuration" - } - }, - "typeId": "anduril.tasks.v2.OrbitDuration", - "default": null, - "inline": false, - "displayName": "duration" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the amount of time to be spent in loiter." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.OrbitDurationDuration": { - "name": { - "typeId": "anduril.tasks.v2.OrbitDurationDuration", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.OrbitDurationDuration", - "camelCase": { - "unsafeName": "andurilTasksV2OrbitDurationDuration", - "safeName": "andurilTasksV2OrbitDurationDuration" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_orbit_duration_duration", - "safeName": "anduril_tasks_v_2_orbit_duration_duration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION_DURATION", - "safeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION_DURATION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2OrbitDurationDuration", - "safeName": "AndurilTasksV2OrbitDurationDuration" - } - }, - "displayName": "OrbitDurationDuration" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.DurationRange", - "camelCase": { - "unsafeName": "andurilTasksV2DurationRange", - "safeName": "andurilTasksV2DurationRange" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_duration_range", - "safeName": "anduril_tasks_v_2_duration_range" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_DURATION_RANGE", - "safeName": "ANDURIL_TASKS_V_2_DURATION_RANGE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2DurationRange", - "safeName": "AndurilTasksV2DurationRange" - } - }, - "typeId": "anduril.tasks.v2.DurationRange", - "default": null, - "inline": false, - "displayName": "duration_range" - }, - "docs": null - }, - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "UINT_64", - "v2": { - "type": "uint64" - } - } - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.OrbitDuration": { - "name": { - "typeId": "anduril.tasks.v2.OrbitDuration", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.OrbitDuration", - "camelCase": { - "unsafeName": "andurilTasksV2OrbitDuration", - "safeName": "andurilTasksV2OrbitDuration" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_orbit_duration", - "safeName": "anduril_tasks_v_2_orbit_duration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION", - "safeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2OrbitDuration", - "safeName": "AndurilTasksV2OrbitDuration" - } - }, - "displayName": "OrbitDuration" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "duration", - "camelCase": { - "unsafeName": "duration", - "safeName": "duration" - }, - "snakeCase": { - "unsafeName": "duration", - "safeName": "duration" - }, - "screamingSnakeCase": { - "unsafeName": "DURATION", - "safeName": "DURATION" - }, - "pascalCase": { - "unsafeName": "Duration", - "safeName": "Duration" - } - }, - "wireValue": "duration" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.OrbitDurationDuration", - "camelCase": { - "unsafeName": "andurilTasksV2OrbitDurationDuration", - "safeName": "andurilTasksV2OrbitDurationDuration" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_orbit_duration_duration", - "safeName": "anduril_tasks_v_2_orbit_duration_duration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION_DURATION", - "safeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION_DURATION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2OrbitDurationDuration", - "safeName": "AndurilTasksV2OrbitDurationDuration" - } - }, - "typeId": "anduril.tasks.v2.OrbitDurationDuration", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.PriorPrior": { - "name": { - "typeId": "anduril.tasks.v2.PriorPrior", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.PriorPrior", - "camelCase": { - "unsafeName": "andurilTasksV2PriorPrior", - "safeName": "andurilTasksV2PriorPrior" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_prior_prior", - "safeName": "anduril_tasks_v_2_prior_prior" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PRIOR_PRIOR", - "safeName": "ANDURIL_TASKS_V_2_PRIOR_PRIOR" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2PriorPrior", - "safeName": "AndurilTasksV2PriorPrior" - } - }, - "displayName": "PriorPrior" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Point", - "camelCase": { - "unsafeName": "andurilTasksV2Point", - "safeName": "andurilTasksV2Point" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_point", - "safeName": "anduril_tasks_v_2_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_POINT", - "safeName": "ANDURIL_TASKS_V_2_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Point", - "safeName": "AndurilTasksV2Point" - } - }, - "typeId": "anduril.tasks.v2.Point", - "default": null, - "inline": false, - "displayName": "point" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.Prior": { - "name": { - "typeId": "anduril.tasks.v2.Prior", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Prior", - "camelCase": { - "unsafeName": "andurilTasksV2Prior", - "safeName": "andurilTasksV2Prior" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_prior", - "safeName": "anduril_tasks_v_2_prior" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PRIOR", - "safeName": "ANDURIL_TASKS_V_2_PRIOR" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Prior", - "safeName": "AndurilTasksV2Prior" - } - }, - "displayName": "Prior" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "prior", - "camelCase": { - "unsafeName": "prior", - "safeName": "prior" - }, - "snakeCase": { - "unsafeName": "prior", - "safeName": "prior" - }, - "screamingSnakeCase": { - "unsafeName": "PRIOR", - "safeName": "PRIOR" - }, - "pascalCase": { - "unsafeName": "Prior", - "safeName": "Prior" - } - }, - "wireValue": "prior" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.PriorPrior", - "camelCase": { - "unsafeName": "andurilTasksV2PriorPrior", - "safeName": "andurilTasksV2PriorPrior" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_prior_prior", - "safeName": "anduril_tasks_v_2_prior_prior" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PRIOR_PRIOR", - "safeName": "ANDURIL_TASKS_V_2_PRIOR_PRIOR" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2PriorPrior", - "safeName": "AndurilTasksV2PriorPrior" - } - }, - "typeId": "anduril.tasks.v2.PriorPrior", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A Prior that can be used to inform an ISR Task." - }, - "anduril.tasks.v2.ISRParameters": { - "name": { - "typeId": "anduril.tasks.v2.ISRParameters", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ISRParameters", - "camelCase": { - "unsafeName": "andurilTasksV2IsrParameters", - "safeName": "andurilTasksV2IsrParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_isr_parameters", - "safeName": "anduril_tasks_v_2_isr_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2IsrParameters", - "safeName": "AndurilTasksV2IsrParameters" - } - }, - "displayName": "ISRParameters" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "speed_m_s", - "camelCase": { - "unsafeName": "speedMS", - "safeName": "speedMS" - }, - "snakeCase": { - "unsafeName": "speed_m_s", - "safeName": "speed_m_s" - }, - "screamingSnakeCase": { - "unsafeName": "SPEED_M_S", - "safeName": "SPEED_M_S" - }, - "pascalCase": { - "unsafeName": "SpeedMS", - "safeName": "SpeedMS" - } - }, - "wireValue": "speed_m_s" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FloatValue", - "camelCase": { - "unsafeName": "googleProtobufFloatValue", - "safeName": "googleProtobufFloatValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_float_value", - "safeName": "google_protobuf_float_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", - "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFloatValue", - "safeName": "GoogleProtobufFloatValue" - } - }, - "typeId": "google.protobuf.FloatValue", - "default": null, - "inline": false, - "displayName": "speed_m_s" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the target speed of the asset. Units are meters per second." - }, - { - "name": { - "name": { - "originalName": "standoff_distance_m", - "camelCase": { - "unsafeName": "standoffDistanceM", - "safeName": "standoffDistanceM" - }, - "snakeCase": { - "unsafeName": "standoff_distance_m", - "safeName": "standoff_distance_m" - }, - "screamingSnakeCase": { - "unsafeName": "STANDOFF_DISTANCE_M", - "safeName": "STANDOFF_DISTANCE_M" - }, - "pascalCase": { - "unsafeName": "StandoffDistanceM", - "safeName": "StandoffDistanceM" - } - }, - "wireValue": "standoff_distance_m" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FloatValue", - "camelCase": { - "unsafeName": "googleProtobufFloatValue", - "safeName": "googleProtobufFloatValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_float_value", - "safeName": "google_protobuf_float_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", - "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFloatValue", - "safeName": "GoogleProtobufFloatValue" - } - }, - "typeId": "google.protobuf.FloatValue", - "default": null, - "inline": false, - "displayName": "standoff_distance_m" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the standoff distance from the objective. The units are in meters." - }, - { - "name": { - "name": { - "originalName": "standoff_angle", - "camelCase": { - "unsafeName": "standoffAngle", - "safeName": "standoffAngle" - }, - "snakeCase": { - "unsafeName": "standoff_angle", - "safeName": "standoff_angle" - }, - "screamingSnakeCase": { - "unsafeName": "STANDOFF_ANGLE", - "safeName": "STANDOFF_ANGLE" - }, - "pascalCase": { - "unsafeName": "StandoffAngle", - "safeName": "StandoffAngle" - } - }, - "wireValue": "standoff_angle" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FloatValue", - "camelCase": { - "unsafeName": "googleProtobufFloatValue", - "safeName": "googleProtobufFloatValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_float_value", - "safeName": "google_protobuf_float_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", - "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFloatValue", - "safeName": "GoogleProtobufFloatValue" - } - }, - "typeId": "google.protobuf.FloatValue", - "default": null, - "inline": false, - "displayName": "standoff_angle" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the standoff angle relative to the objective's bearing orientation (defaults to north).\\n In particular, the asset should approach target from this angle. Units in degrees." - }, - { - "name": { - "name": { - "originalName": "expiration_time_ms", - "camelCase": { - "unsafeName": "expirationTimeMs", - "safeName": "expirationTimeMs" - }, - "snakeCase": { - "unsafeName": "expiration_time_ms", - "safeName": "expiration_time_ms" - }, - "screamingSnakeCase": { - "unsafeName": "EXPIRATION_TIME_MS", - "safeName": "EXPIRATION_TIME_MS" - }, - "pascalCase": { - "unsafeName": "ExpirationTimeMs", - "safeName": "ExpirationTimeMs" - } - }, - "wireValue": "expiration_time_ms" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.UInt64Value", - "camelCase": { - "unsafeName": "googleProtobufUInt64Value", - "safeName": "googleProtobufUInt64Value" - }, - "snakeCase": { - "unsafeName": "google_protobuf_u_int_64_value", - "safeName": "google_protobuf_u_int_64_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_U_INT_64_VALUE", - "safeName": "GOOGLE_PROTOBUF_U_INT_64_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufUInt64Value", - "safeName": "GoogleProtobufUInt64Value" - } - }, - "typeId": "google.protobuf.UInt64Value", - "default": null, - "inline": false, - "displayName": "expiration_time_ms" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates the amount of time in milliseconds to execute an ISR task before expiring. 0 value indicates no\\n expiration." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Common parameters for ISR Tasks." - }, - "anduril.tasks.v2.GimbalPointPoint_type": { - "name": { - "typeId": "anduril.tasks.v2.GimbalPointPoint_type", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.GimbalPointPoint_type", - "camelCase": { - "unsafeName": "andurilTasksV2GimbalPointPointType", - "safeName": "andurilTasksV2GimbalPointPointType" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_gimbal_point_point_type", - "safeName": "anduril_tasks_v_2_gimbal_point_point_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT_POINT_TYPE", - "safeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT_POINT_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2GimbalPointPointType", - "safeName": "AndurilTasksV2GimbalPointPointType" - } - }, - "displayName": "GimbalPointPoint_type" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "look_at" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.AzimuthElevationPoint", - "camelCase": { - "unsafeName": "andurilTasksV2AzimuthElevationPoint", - "safeName": "andurilTasksV2AzimuthElevationPoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_azimuth_elevation_point", - "safeName": "anduril_tasks_v_2_azimuth_elevation_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_AZIMUTH_ELEVATION_POINT", - "safeName": "ANDURIL_TASKS_V_2_AZIMUTH_ELEVATION_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2AzimuthElevationPoint", - "safeName": "AndurilTasksV2AzimuthElevationPoint" - } - }, - "typeId": "anduril.tasks.v2.AzimuthElevationPoint", - "default": null, - "inline": false, - "displayName": "celestial_location" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.FramePoint", - "camelCase": { - "unsafeName": "andurilTasksV2FramePoint", - "safeName": "andurilTasksV2FramePoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_frame_point", - "safeName": "anduril_tasks_v_2_frame_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_FRAME_POINT", - "safeName": "ANDURIL_TASKS_V_2_FRAME_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2FramePoint", - "safeName": "AndurilTasksV2FramePoint" - } - }, - "typeId": "anduril.tasks.v2.FramePoint", - "default": null, - "inline": false, - "displayName": "frame_location" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.GimbalPoint": { - "name": { - "typeId": "anduril.tasks.v2.GimbalPoint", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.GimbalPoint", - "camelCase": { - "unsafeName": "andurilTasksV2GimbalPoint", - "safeName": "andurilTasksV2GimbalPoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_gimbal_point", - "safeName": "anduril_tasks_v_2_gimbal_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT", - "safeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2GimbalPoint", - "safeName": "AndurilTasksV2GimbalPoint" - } - }, - "displayName": "GimbalPoint" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "parameters", - "camelCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "snakeCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "screamingSnakeCase": { - "unsafeName": "PARAMETERS", - "safeName": "PARAMETERS" - }, - "pascalCase": { - "unsafeName": "Parameters", - "safeName": "Parameters" - } - }, - "wireValue": "parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ISRParameters", - "camelCase": { - "unsafeName": "andurilTasksV2IsrParameters", - "safeName": "andurilTasksV2IsrParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_isr_parameters", - "safeName": "anduril_tasks_v_2_isr_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2IsrParameters", - "safeName": "AndurilTasksV2IsrParameters" - } - }, - "typeId": "anduril.tasks.v2.ISRParameters", - "default": null, - "inline": false, - "displayName": "parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional common ISR parameters." - }, - { - "name": { - "name": { - "originalName": "point_type", - "camelCase": { - "unsafeName": "pointType", - "safeName": "pointType" - }, - "snakeCase": { - "unsafeName": "point_type", - "safeName": "point_type" - }, - "screamingSnakeCase": { - "unsafeName": "POINT_TYPE", - "safeName": "POINT_TYPE" - }, - "pascalCase": { - "unsafeName": "PointType", - "safeName": "PointType" - } - }, - "wireValue": "point_type" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.GimbalPointPoint_type", - "camelCase": { - "unsafeName": "andurilTasksV2GimbalPointPointType", - "safeName": "andurilTasksV2GimbalPointPointType" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_gimbal_point_point_type", - "safeName": "anduril_tasks_v_2_gimbal_point_point_type" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT_POINT_TYPE", - "safeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT_POINT_TYPE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2GimbalPointPointType", - "safeName": "AndurilTasksV2GimbalPointPointType" - } - }, - "typeId": "anduril.tasks.v2.GimbalPointPoint_type", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Gimbal pointing command." - }, - "anduril.tasks.v2.AzimuthElevationPoint": { - "name": { - "typeId": "anduril.tasks.v2.AzimuthElevationPoint", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.AzimuthElevationPoint", - "camelCase": { - "unsafeName": "andurilTasksV2AzimuthElevationPoint", - "safeName": "andurilTasksV2AzimuthElevationPoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_azimuth_elevation_point", - "safeName": "anduril_tasks_v_2_azimuth_elevation_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_AZIMUTH_ELEVATION_POINT", - "safeName": "ANDURIL_TASKS_V_2_AZIMUTH_ELEVATION_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2AzimuthElevationPoint", - "safeName": "AndurilTasksV2AzimuthElevationPoint" - } - }, - "displayName": "AzimuthElevationPoint" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "azimuth", - "camelCase": { - "unsafeName": "azimuth", - "safeName": "azimuth" - }, - "snakeCase": { - "unsafeName": "azimuth", - "safeName": "azimuth" - }, - "screamingSnakeCase": { - "unsafeName": "AZIMUTH", - "safeName": "AZIMUTH" - }, - "pascalCase": { - "unsafeName": "Azimuth", - "safeName": "Azimuth" - } - }, - "wireValue": "azimuth" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "elevation", - "camelCase": { - "unsafeName": "elevation", - "safeName": "elevation" - }, - "snakeCase": { - "unsafeName": "elevation", - "safeName": "elevation" - }, - "screamingSnakeCase": { - "unsafeName": "ELEVATION", - "safeName": "ELEVATION" - }, - "pascalCase": { - "unsafeName": "Elevation", - "safeName": "Elevation" - } - }, - "wireValue": "elevation" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Celestial location with respect to a platform frame." - }, - "anduril.tasks.v2.FramePoint": { - "name": { - "typeId": "anduril.tasks.v2.FramePoint", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.FramePoint", - "camelCase": { - "unsafeName": "andurilTasksV2FramePoint", - "safeName": "andurilTasksV2FramePoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_frame_point", - "safeName": "anduril_tasks_v_2_frame_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_FRAME_POINT", - "safeName": "ANDURIL_TASKS_V_2_FRAME_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2FramePoint", - "safeName": "AndurilTasksV2FramePoint" - } - }, - "displayName": "FramePoint" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "x", - "camelCase": { - "unsafeName": "x", - "safeName": "x" - }, - "snakeCase": { - "unsafeName": "x", - "safeName": "x" - }, - "screamingSnakeCase": { - "unsafeName": "X", - "safeName": "X" - }, - "pascalCase": { - "unsafeName": "X", - "safeName": "X" - } - }, - "wireValue": "x" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Frame-normalized location in frame on the x-axis, range (0, 1).\\n For example, x = 0.3 implies a pixel location of 0.3 * image_width." - }, - { - "name": { - "name": { - "originalName": "y", - "camelCase": { - "unsafeName": "y", - "safeName": "y" - }, - "snakeCase": { - "unsafeName": "y", - "safeName": "y" - }, - "screamingSnakeCase": { - "unsafeName": "Y", - "safeName": "Y" - }, - "pascalCase": { - "unsafeName": "Y", - "safeName": "Y" - } - }, - "wireValue": "y" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "FLOAT", - "v2": { - "type": "float" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Frame-normalized location in frame on the y-axis, range (0, 1).\\n For example, y = 0.3 implies a pixel location of 0.3 * image_height." - }, - { - "name": { - "name": { - "originalName": "timestamp", - "camelCase": { - "unsafeName": "timestamp", - "safeName": "timestamp" - }, - "snakeCase": { - "unsafeName": "timestamp", - "safeName": "timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "TIMESTAMP", - "safeName": "TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "Timestamp", - "safeName": "Timestamp" - } - }, - "wireValue": "timestamp" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Timestamp", - "camelCase": { - "unsafeName": "googleProtobufTimestamp", - "safeName": "googleProtobufTimestamp" - }, - "snakeCase": { - "unsafeName": "google_protobuf_timestamp", - "safeName": "google_protobuf_timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", - "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufTimestamp", - "safeName": "GoogleProtobufTimestamp" - } - }, - "typeId": "google.protobuf.Timestamp", - "default": null, - "inline": false, - "displayName": "timestamp" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Timestamp of frame" - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Point clicked in the frame of the video feed." - }, - "anduril.tasks.v2.GimbalZoomMode": { - "name": { - "typeId": "anduril.tasks.v2.GimbalZoomMode", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.GimbalZoomMode", - "camelCase": { - "unsafeName": "andurilTasksV2GimbalZoomMode", - "safeName": "andurilTasksV2GimbalZoomMode" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_gimbal_zoom_mode", - "safeName": "anduril_tasks_v_2_gimbal_zoom_mode" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM_MODE", - "safeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM_MODE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2GimbalZoomMode", - "safeName": "AndurilTasksV2GimbalZoomMode" - } - }, - "displayName": "GimbalZoomMode" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.DoubleValue", - "camelCase": { - "unsafeName": "googleProtobufDoubleValue", - "safeName": "googleProtobufDoubleValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_double_value", - "safeName": "google_protobuf_double_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", - "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDoubleValue", - "safeName": "GoogleProtobufDoubleValue" - } - }, - "typeId": "google.protobuf.DoubleValue", - "default": null, - "inline": false, - "displayName": "set_horizontal_fov" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.FloatValue", - "camelCase": { - "unsafeName": "googleProtobufFloatValue", - "safeName": "googleProtobufFloatValue" - }, - "snakeCase": { - "unsafeName": "google_protobuf_float_value", - "safeName": "google_protobuf_float_value" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", - "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufFloatValue", - "safeName": "GoogleProtobufFloatValue" - } - }, - "typeId": "google.protobuf.FloatValue", - "default": null, - "inline": false, - "displayName": "set_magnification" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.GimbalZoom": { - "name": { - "typeId": "anduril.tasks.v2.GimbalZoom", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.GimbalZoom", - "camelCase": { - "unsafeName": "andurilTasksV2GimbalZoom", - "safeName": "andurilTasksV2GimbalZoom" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_gimbal_zoom", - "safeName": "anduril_tasks_v_2_gimbal_zoom" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM", - "safeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2GimbalZoom", - "safeName": "AndurilTasksV2GimbalZoom" - } - }, - "displayName": "GimbalZoom" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "mode", - "camelCase": { - "unsafeName": "mode", - "safeName": "mode" - }, - "snakeCase": { - "unsafeName": "mode", - "safeName": "mode" - }, - "screamingSnakeCase": { - "unsafeName": "MODE", - "safeName": "MODE" - }, - "pascalCase": { - "unsafeName": "Mode", - "safeName": "Mode" - } - }, - "wireValue": "mode" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.GimbalZoomMode", - "camelCase": { - "unsafeName": "andurilTasksV2GimbalZoomMode", - "safeName": "andurilTasksV2GimbalZoomMode" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_gimbal_zoom_mode", - "safeName": "anduril_tasks_v_2_gimbal_zoom_mode" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM_MODE", - "safeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM_MODE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2GimbalZoomMode", - "safeName": "AndurilTasksV2GimbalZoomMode" - } - }, - "typeId": "anduril.tasks.v2.GimbalZoomMode", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Command for setting gimbal zoom levels." - }, - "anduril.tasks.v2.Monitor": { - "name": { - "typeId": "anduril.tasks.v2.Monitor", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Monitor", - "camelCase": { - "unsafeName": "andurilTasksV2Monitor", - "safeName": "andurilTasksV2Monitor" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_monitor", - "safeName": "anduril_tasks_v_2_monitor" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_MONITOR", - "safeName": "ANDURIL_TASKS_V_2_MONITOR" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Monitor", - "safeName": "AndurilTasksV2Monitor" - } - }, - "displayName": "Monitor" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates objective to monitor." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to BREVITY code ID with type MONITOR. To task assets to maintain sensor awareness\\n on a given objective." - }, - "anduril.tasks.v2.Scan": { - "name": { - "typeId": "anduril.tasks.v2.Scan", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Scan", - "camelCase": { - "unsafeName": "andurilTasksV2Scan", - "safeName": "andurilTasksV2Scan" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_scan", - "safeName": "anduril_tasks_v_2_scan" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_SCAN", - "safeName": "ANDURIL_TASKS_V_2_SCAN" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Scan", - "safeName": "AndurilTasksV2Scan" - } - }, - "displayName": "Scan" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Indicates where to scan." - }, - { - "name": { - "name": { - "originalName": "parameters", - "camelCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "snakeCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "screamingSnakeCase": { - "unsafeName": "PARAMETERS", - "safeName": "PARAMETERS" - }, - "pascalCase": { - "unsafeName": "Parameters", - "safeName": "Parameters" - } - }, - "wireValue": "parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ISRParameters", - "camelCase": { - "unsafeName": "andurilTasksV2IsrParameters", - "safeName": "andurilTasksV2IsrParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_isr_parameters", - "safeName": "anduril_tasks_v_2_isr_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2IsrParameters", - "safeName": "AndurilTasksV2IsrParameters" - } - }, - "typeId": "anduril.tasks.v2.ISRParameters", - "default": null, - "inline": false, - "displayName": "parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional common ISR parameters." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to BREVITY code ID with type SCAN. To task assets to find and report any tracks in a geographic area." - }, - "anduril.tasks.v2.BattleDamageAssessment": { - "name": { - "typeId": "anduril.tasks.v2.BattleDamageAssessment", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.BattleDamageAssessment", - "camelCase": { - "unsafeName": "andurilTasksV2BattleDamageAssessment", - "safeName": "andurilTasksV2BattleDamageAssessment" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_battle_damage_assessment", - "safeName": "anduril_tasks_v_2_battle_damage_assessment" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_BATTLE_DAMAGE_ASSESSMENT", - "safeName": "ANDURIL_TASKS_V_2_BATTLE_DAMAGE_ASSESSMENT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2BattleDamageAssessment", - "safeName": "AndurilTasksV2BattleDamageAssessment" - } - }, - "displayName": "BattleDamageAssessment" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Objective to perform BDA on." - }, - { - "name": { - "name": { - "originalName": "parameters", - "camelCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "snakeCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "screamingSnakeCase": { - "unsafeName": "PARAMETERS", - "safeName": "PARAMETERS" - }, - "pascalCase": { - "unsafeName": "Parameters", - "safeName": "Parameters" - } - }, - "wireValue": "parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ISRParameters", - "camelCase": { - "unsafeName": "andurilTasksV2IsrParameters", - "safeName": "andurilTasksV2IsrParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_isr_parameters", - "safeName": "anduril_tasks_v_2_isr_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2IsrParameters", - "safeName": "AndurilTasksV2IsrParameters" - } - }, - "typeId": "anduril.tasks.v2.ISRParameters", - "default": null, - "inline": false, - "displayName": "parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional common ISR parameters." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Performs a Battle Damage Assessment (BDA). Does not map to any Task in either UCI or BREVITY." - }, - "anduril.tasks.v2.LaunchTrackingMode": { - "name": { - "typeId": "anduril.tasks.v2.LaunchTrackingMode", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.LaunchTrackingMode", - "camelCase": { - "unsafeName": "andurilTasksV2LaunchTrackingMode", - "safeName": "andurilTasksV2LaunchTrackingMode" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_launch_tracking_mode", - "safeName": "anduril_tasks_v_2_launch_tracking_mode" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_LAUNCH_TRACKING_MODE", - "safeName": "ANDURIL_TASKS_V_2_LAUNCH_TRACKING_MODE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2LaunchTrackingMode", - "safeName": "AndurilTasksV2LaunchTrackingMode" - } - }, - "displayName": "LaunchTrackingMode" - }, - "shape": { - "_type": "enum", - "default": null, - "values": [ - { - "name": { - "name": { - "originalName": "LAUNCH_TRACKING_MODE_INVALID", - "camelCase": { - "unsafeName": "launchTrackingModeInvalid", - "safeName": "launchTrackingModeInvalid" - }, - "snakeCase": { - "unsafeName": "launch_tracking_mode_invalid", - "safeName": "launch_tracking_mode_invalid" - }, - "screamingSnakeCase": { - "unsafeName": "LAUNCH_TRACKING_MODE_INVALID", - "safeName": "LAUNCH_TRACKING_MODE_INVALID" - }, - "pascalCase": { - "unsafeName": "LaunchTrackingModeInvalid", - "safeName": "LaunchTrackingModeInvalid" - } - }, - "wireValue": "LAUNCH_TRACKING_MODE_INVALID" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "LAUNCH_TRACKING_MODE_GO_TO_WAYPOINT", - "camelCase": { - "unsafeName": "launchTrackingModeGoToWaypoint", - "safeName": "launchTrackingModeGoToWaypoint" - }, - "snakeCase": { - "unsafeName": "launch_tracking_mode_go_to_waypoint", - "safeName": "launch_tracking_mode_go_to_waypoint" - }, - "screamingSnakeCase": { - "unsafeName": "LAUNCH_TRACKING_MODE_GO_TO_WAYPOINT", - "safeName": "LAUNCH_TRACKING_MODE_GO_TO_WAYPOINT" - }, - "pascalCase": { - "unsafeName": "LaunchTrackingModeGoToWaypoint", - "safeName": "LaunchTrackingModeGoToWaypoint" - } - }, - "wireValue": "LAUNCH_TRACKING_MODE_GO_TO_WAYPOINT" - }, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "LAUNCH_TRACKING_MODE_TRACK_TO_WAYPOINT", - "camelCase": { - "unsafeName": "launchTrackingModeTrackToWaypoint", - "safeName": "launchTrackingModeTrackToWaypoint" - }, - "snakeCase": { - "unsafeName": "launch_tracking_mode_track_to_waypoint", - "safeName": "launch_tracking_mode_track_to_waypoint" - }, - "screamingSnakeCase": { - "unsafeName": "LAUNCH_TRACKING_MODE_TRACK_TO_WAYPOINT", - "safeName": "LAUNCH_TRACKING_MODE_TRACK_TO_WAYPOINT" - }, - "pascalCase": { - "unsafeName": "LaunchTrackingModeTrackToWaypoint", - "safeName": "LaunchTrackingModeTrackToWaypoint" - } - }, - "wireValue": "LAUNCH_TRACKING_MODE_TRACK_TO_WAYPOINT" - }, - "availability": null, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.Marshal": { - "name": { - "typeId": "anduril.tasks.v2.Marshal", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Marshal", - "camelCase": { - "unsafeName": "andurilTasksV2Marshal", - "safeName": "andurilTasksV2Marshal" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_marshal", - "safeName": "anduril_tasks_v_2_marshal" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_MARSHAL", - "safeName": "ANDURIL_TASKS_V_2_MARSHAL" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Marshal", - "safeName": "AndurilTasksV2Marshal" - } - }, - "displayName": "Marshal" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Objective to Marshal to." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to BREVITY code Marshal.\\n Establish(ed) at a specific point, typically used to posture forces in preparation for an offensive operation." - }, - "anduril.tasks.v2.Transit": { - "name": { - "typeId": "anduril.tasks.v2.Transit", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Transit", - "camelCase": { - "unsafeName": "andurilTasksV2Transit", - "safeName": "andurilTasksV2Transit" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_transit", - "safeName": "anduril_tasks_v_2_transit" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_TRANSIT", - "safeName": "ANDURIL_TASKS_V_2_TRANSIT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Transit", - "safeName": "AndurilTasksV2Transit" - } - }, - "displayName": "Transit" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "plan", - "camelCase": { - "unsafeName": "plan", - "safeName": "plan" - }, - "snakeCase": { - "unsafeName": "plan", - "safeName": "plan" - }, - "screamingSnakeCase": { - "unsafeName": "PLAN", - "safeName": "PLAN" - }, - "pascalCase": { - "unsafeName": "Plan", - "safeName": "Plan" - } - }, - "wireValue": "plan" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.RoutePlan", - "camelCase": { - "unsafeName": "andurilTasksV2RoutePlan", - "safeName": "andurilTasksV2RoutePlan" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_route_plan", - "safeName": "anduril_tasks_v_2_route_plan" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN", - "safeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2RoutePlan", - "safeName": "AndurilTasksV2RoutePlan" - } - }, - "typeId": "anduril.tasks.v2.RoutePlan", - "default": null, - "inline": false, - "displayName": "plan" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to UCI code RoutePlan.\\n Used to command a platform between locations by requesting to make this RoutePlan the single primary active route." - }, - "anduril.tasks.v2.RoutePlan": { - "name": { - "typeId": "anduril.tasks.v2.RoutePlan", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.RoutePlan", - "camelCase": { - "unsafeName": "andurilTasksV2RoutePlan", - "safeName": "andurilTasksV2RoutePlan" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_route_plan", - "safeName": "anduril_tasks_v_2_route_plan" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN", - "safeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2RoutePlan", - "safeName": "AndurilTasksV2RoutePlan" - } - }, - "displayName": "RoutePlan" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "route", - "camelCase": { - "unsafeName": "route", - "safeName": "route" - }, - "snakeCase": { - "unsafeName": "route", - "safeName": "route" - }, - "screamingSnakeCase": { - "unsafeName": "ROUTE", - "safeName": "ROUTE" - }, - "pascalCase": { - "unsafeName": "Route", - "safeName": "Route" - } - }, - "wireValue": "route" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Route", - "camelCase": { - "unsafeName": "andurilTasksV2Route", - "safeName": "andurilTasksV2Route" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_route", - "safeName": "anduril_tasks_v_2_route" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ROUTE", - "safeName": "ANDURIL_TASKS_V_2_ROUTE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Route", - "safeName": "AndurilTasksV2Route" - } - }, - "typeId": "anduril.tasks.v2.Route", - "default": null, - "inline": false, - "displayName": "route" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.Route": { - "name": { - "typeId": "anduril.tasks.v2.Route", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Route", - "camelCase": { - "unsafeName": "andurilTasksV2Route", - "safeName": "andurilTasksV2Route" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_route", - "safeName": "anduril_tasks_v_2_route" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ROUTE", - "safeName": "ANDURIL_TASKS_V_2_ROUTE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Route", - "safeName": "AndurilTasksV2Route" - } - }, - "displayName": "Route" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "path", - "camelCase": { - "unsafeName": "path", - "safeName": "path" - }, - "snakeCase": { - "unsafeName": "path", - "safeName": "path" - }, - "screamingSnakeCase": { - "unsafeName": "PATH", - "safeName": "PATH" - }, - "pascalCase": { - "unsafeName": "Path", - "safeName": "Path" - } - }, - "wireValue": "path" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.PathSegment", - "camelCase": { - "unsafeName": "andurilTasksV2PathSegment", - "safeName": "andurilTasksV2PathSegment" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_path_segment", - "safeName": "anduril_tasks_v_2_path_segment" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT", - "safeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2PathSegment", - "safeName": "AndurilTasksV2PathSegment" - } - }, - "typeId": "anduril.tasks.v2.PathSegment", - "default": null, - "inline": false, - "displayName": "path" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.PathSegmentEnd_point": { - "name": { - "typeId": "anduril.tasks.v2.PathSegmentEnd_point", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.PathSegmentEnd_point", - "camelCase": { - "unsafeName": "andurilTasksV2PathSegmentEndPoint", - "safeName": "andurilTasksV2PathSegmentEndPoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_path_segment_end_point", - "safeName": "anduril_tasks_v_2_path_segment_end_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT_END_POINT", - "safeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT_END_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2PathSegmentEndPoint", - "safeName": "AndurilTasksV2PathSegmentEndPoint" - } - }, - "displayName": "PathSegmentEnd_point" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Waypoint", - "camelCase": { - "unsafeName": "andurilTasksV2Waypoint", - "safeName": "andurilTasksV2Waypoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_waypoint", - "safeName": "anduril_tasks_v_2_waypoint" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_WAYPOINT", - "safeName": "ANDURIL_TASKS_V_2_WAYPOINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Waypoint", - "safeName": "AndurilTasksV2Waypoint" - } - }, - "typeId": "anduril.tasks.v2.Waypoint", - "default": null, - "inline": false, - "displayName": "waypoint" - }, - "docs": null - }, - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Loiter", - "camelCase": { - "unsafeName": "andurilTasksV2Loiter", - "safeName": "andurilTasksV2Loiter" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_loiter", - "safeName": "anduril_tasks_v_2_loiter" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_LOITER", - "safeName": "ANDURIL_TASKS_V_2_LOITER" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Loiter", - "safeName": "AndurilTasksV2Loiter" - } - }, - "typeId": "anduril.tasks.v2.Loiter", - "default": null, - "inline": false, - "displayName": "loiter" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.PathSegment": { - "name": { - "typeId": "anduril.tasks.v2.PathSegment", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.PathSegment", - "camelCase": { - "unsafeName": "andurilTasksV2PathSegment", - "safeName": "andurilTasksV2PathSegment" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_path_segment", - "safeName": "anduril_tasks_v_2_path_segment" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT", - "safeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2PathSegment", - "safeName": "AndurilTasksV2PathSegment" - } - }, - "displayName": "PathSegment" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "end_point", - "camelCase": { - "unsafeName": "endPoint", - "safeName": "endPoint" - }, - "snakeCase": { - "unsafeName": "end_point", - "safeName": "end_point" - }, - "screamingSnakeCase": { - "unsafeName": "END_POINT", - "safeName": "END_POINT" - }, - "pascalCase": { - "unsafeName": "EndPoint", - "safeName": "EndPoint" - } - }, - "wireValue": "end_point" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.PathSegmentEnd_point", - "camelCase": { - "unsafeName": "andurilTasksV2PathSegmentEndPoint", - "safeName": "andurilTasksV2PathSegmentEndPoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_path_segment_end_point", - "safeName": "anduril_tasks_v_2_path_segment_end_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT_END_POINT", - "safeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT_END_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2PathSegmentEndPoint", - "safeName": "AndurilTasksV2PathSegmentEndPoint" - } - }, - "typeId": "anduril.tasks.v2.PathSegmentEnd_point", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.WaypointPoint": { - "name": { - "typeId": "anduril.tasks.v2.WaypointPoint", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.WaypointPoint", - "camelCase": { - "unsafeName": "andurilTasksV2WaypointPoint", - "safeName": "andurilTasksV2WaypointPoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_waypoint_point", - "safeName": "anduril_tasks_v_2_waypoint_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_WAYPOINT_POINT", - "safeName": "ANDURIL_TASKS_V_2_WAYPOINT_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2WaypointPoint", - "safeName": "AndurilTasksV2WaypointPoint" - } - }, - "displayName": "WaypointPoint" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Point", - "camelCase": { - "unsafeName": "andurilTasksV2Point", - "safeName": "andurilTasksV2Point" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_point", - "safeName": "anduril_tasks_v_2_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_POINT", - "safeName": "ANDURIL_TASKS_V_2_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Point", - "safeName": "AndurilTasksV2Point" - } - }, - "typeId": "anduril.tasks.v2.Point", - "default": null, - "inline": false, - "displayName": "lla_point" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.Waypoint": { - "name": { - "typeId": "anduril.tasks.v2.Waypoint", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Waypoint", - "camelCase": { - "unsafeName": "andurilTasksV2Waypoint", - "safeName": "andurilTasksV2Waypoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_waypoint", - "safeName": "anduril_tasks_v_2_waypoint" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_WAYPOINT", - "safeName": "ANDURIL_TASKS_V_2_WAYPOINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Waypoint", - "safeName": "AndurilTasksV2Waypoint" - } - }, - "displayName": "Waypoint" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "point", - "camelCase": { - "unsafeName": "point", - "safeName": "point" - }, - "snakeCase": { - "unsafeName": "point", - "safeName": "point" - }, - "screamingSnakeCase": { - "unsafeName": "POINT", - "safeName": "POINT" - }, - "pascalCase": { - "unsafeName": "Point", - "safeName": "Point" - } - }, - "wireValue": "point" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.WaypointPoint", - "camelCase": { - "unsafeName": "andurilTasksV2WaypointPoint", - "safeName": "andurilTasksV2WaypointPoint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_waypoint_point", - "safeName": "anduril_tasks_v_2_waypoint_point" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_WAYPOINT_POINT", - "safeName": "ANDURIL_TASKS_V_2_WAYPOINT_POINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2WaypointPoint", - "safeName": "AndurilTasksV2WaypointPoint" - } - }, - "typeId": "anduril.tasks.v2.WaypointPoint", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.SetLaunchRoute": { - "name": { - "typeId": "anduril.tasks.v2.SetLaunchRoute", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.SetLaunchRoute", - "camelCase": { - "unsafeName": "andurilTasksV2SetLaunchRoute", - "safeName": "andurilTasksV2SetLaunchRoute" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_set_launch_route", - "safeName": "anduril_tasks_v_2_set_launch_route" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_SET_LAUNCH_ROUTE", - "safeName": "ANDURIL_TASKS_V_2_SET_LAUNCH_ROUTE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2SetLaunchRoute", - "safeName": "AndurilTasksV2SetLaunchRoute" - } - }, - "displayName": "SetLaunchRoute" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "plan", - "camelCase": { - "unsafeName": "plan", - "safeName": "plan" - }, - "snakeCase": { - "unsafeName": "plan", - "safeName": "plan" - }, - "screamingSnakeCase": { - "unsafeName": "PLAN", - "safeName": "PLAN" - }, - "pascalCase": { - "unsafeName": "Plan", - "safeName": "Plan" - } - }, - "wireValue": "plan" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.RoutePlan", - "camelCase": { - "unsafeName": "andurilTasksV2RoutePlan", - "safeName": "andurilTasksV2RoutePlan" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_route_plan", - "safeName": "anduril_tasks_v_2_route_plan" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN", - "safeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2RoutePlan", - "safeName": "AndurilTasksV2RoutePlan" - } - }, - "typeId": "anduril.tasks.v2.RoutePlan", - "default": null, - "inline": false, - "displayName": "plan" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "tracking_mode", - "camelCase": { - "unsafeName": "trackingMode", - "safeName": "trackingMode" - }, - "snakeCase": { - "unsafeName": "tracking_mode", - "safeName": "tracking_mode" - }, - "screamingSnakeCase": { - "unsafeName": "TRACKING_MODE", - "safeName": "TRACKING_MODE" - }, - "pascalCase": { - "unsafeName": "TrackingMode", - "safeName": "TrackingMode" - } - }, - "wireValue": "tracking_mode" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.LaunchTrackingMode", - "camelCase": { - "unsafeName": "andurilTasksV2LaunchTrackingMode", - "safeName": "andurilTasksV2LaunchTrackingMode" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_launch_tracking_mode", - "safeName": "anduril_tasks_v_2_launch_tracking_mode" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_LAUNCH_TRACKING_MODE", - "safeName": "ANDURIL_TASKS_V_2_LAUNCH_TRACKING_MODE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2LaunchTrackingMode", - "safeName": "AndurilTasksV2LaunchTrackingMode" - } - }, - "typeId": "anduril.tasks.v2.LaunchTrackingMode", - "default": null, - "inline": false, - "displayName": "tracking_mode" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "google.protobuf.Empty": { - "name": { - "typeId": "google.protobuf.Empty", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Empty", - "camelCase": { - "unsafeName": "googleProtobufEmpty", - "safeName": "googleProtobufEmpty" - }, - "snakeCase": { - "unsafeName": "google_protobuf_empty", - "safeName": "google_protobuf_empty" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EMPTY", - "safeName": "GOOGLE_PROTOBUF_EMPTY" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEmpty", - "safeName": "GoogleProtobufEmpty" - } - }, - "displayName": "Empty" - }, - "shape": { - "_type": "object", - "properties": [], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.Smack": { - "name": { - "typeId": "anduril.tasks.v2.Smack", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Smack", - "camelCase": { - "unsafeName": "andurilTasksV2Smack", - "safeName": "andurilTasksV2Smack" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_smack", - "safeName": "anduril_tasks_v_2_smack" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_SMACK", - "safeName": "ANDURIL_TASKS_V_2_SMACK" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Smack", - "safeName": "AndurilTasksV2Smack" - } - }, - "displayName": "Smack" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Objective to SMACK." - }, - { - "name": { - "name": { - "originalName": "parameters", - "camelCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "snakeCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "screamingSnakeCase": { - "unsafeName": "PARAMETERS", - "safeName": "PARAMETERS" - }, - "pascalCase": { - "unsafeName": "Parameters", - "safeName": "Parameters" - } - }, - "wireValue": "parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.StrikeParameters", - "camelCase": { - "unsafeName": "andurilTasksV2StrikeParameters", - "safeName": "andurilTasksV2StrikeParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_strike_parameters", - "safeName": "anduril_tasks_v_2_strike_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2StrikeParameters", - "safeName": "AndurilTasksV2StrikeParameters" - } - }, - "typeId": "anduril.tasks.v2.StrikeParameters", - "default": null, - "inline": false, - "displayName": "parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional parameters associated with Strike Tasks." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to BREVITY code SMACK." - }, - "anduril.tasks.v2.Strike": { - "name": { - "typeId": "anduril.tasks.v2.Strike", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Strike", - "camelCase": { - "unsafeName": "andurilTasksV2Strike", - "safeName": "andurilTasksV2Strike" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_strike", - "safeName": "anduril_tasks_v_2_strike" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_STRIKE", - "safeName": "ANDURIL_TASKS_V_2_STRIKE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Strike", - "safeName": "AndurilTasksV2Strike" - } - }, - "displayName": "Strike" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Objective to Strike." - }, - { - "name": { - "name": { - "originalName": "ingress_angle", - "camelCase": { - "unsafeName": "ingressAngle", - "safeName": "ingressAngle" - }, - "snakeCase": { - "unsafeName": "ingress_angle", - "safeName": "ingress_angle" - }, - "screamingSnakeCase": { - "unsafeName": "INGRESS_ANGLE", - "safeName": "INGRESS_ANGLE" - }, - "pascalCase": { - "unsafeName": "IngressAngle", - "safeName": "IngressAngle" - } - }, - "wireValue": "ingress_angle" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.AnglePair", - "camelCase": { - "unsafeName": "andurilTasksV2AnglePair", - "safeName": "andurilTasksV2AnglePair" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_angle_pair", - "safeName": "anduril_tasks_v_2_angle_pair" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_ANGLE_PAIR", - "safeName": "ANDURIL_TASKS_V_2_ANGLE_PAIR" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2AnglePair", - "safeName": "AndurilTasksV2AnglePair" - } - }, - "typeId": "anduril.tasks.v2.AnglePair", - "default": null, - "inline": false, - "displayName": "ingress_angle" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Angle range within which to ingress." - }, - { - "name": { - "name": { - "originalName": "strike_release_constraint", - "camelCase": { - "unsafeName": "strikeReleaseConstraint", - "safeName": "strikeReleaseConstraint" - }, - "snakeCase": { - "unsafeName": "strike_release_constraint", - "safeName": "strike_release_constraint" - }, - "screamingSnakeCase": { - "unsafeName": "STRIKE_RELEASE_CONSTRAINT", - "safeName": "STRIKE_RELEASE_CONSTRAINT" - }, - "pascalCase": { - "unsafeName": "StrikeReleaseConstraint", - "safeName": "StrikeReleaseConstraint" - } - }, - "wireValue": "strike_release_constraint" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.StrikeReleaseConstraint", - "camelCase": { - "unsafeName": "andurilTasksV2StrikeReleaseConstraint", - "safeName": "andurilTasksV2StrikeReleaseConstraint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_strike_release_constraint", - "safeName": "anduril_tasks_v_2_strike_release_constraint" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT", - "safeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2StrikeReleaseConstraint", - "safeName": "AndurilTasksV2StrikeReleaseConstraint" - } - }, - "typeId": "anduril.tasks.v2.StrikeReleaseConstraint", - "default": null, - "inline": false, - "displayName": "strike_release_constraint" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Distance at which to yield flight control to the onboard flight computer rather than\\n higher level autonomy." - }, - { - "name": { - "name": { - "originalName": "parameters", - "camelCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "snakeCase": { - "unsafeName": "parameters", - "safeName": "parameters" - }, - "screamingSnakeCase": { - "unsafeName": "PARAMETERS", - "safeName": "PARAMETERS" - }, - "pascalCase": { - "unsafeName": "Parameters", - "safeName": "Parameters" - } - }, - "wireValue": "parameters" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.StrikeParameters", - "camelCase": { - "unsafeName": "andurilTasksV2StrikeParameters", - "safeName": "andurilTasksV2StrikeParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_strike_parameters", - "safeName": "anduril_tasks_v_2_strike_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2StrikeParameters", - "safeName": "AndurilTasksV2StrikeParameters" - } - }, - "typeId": "anduril.tasks.v2.StrikeParameters", - "default": null, - "inline": false, - "displayName": "parameters" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional parameters associated with the Strike task." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to UCI StrikeTask." - }, - "anduril.tasks.v2.StrikeReleaseConstraintStrike_release_constraint": { - "name": { - "typeId": "anduril.tasks.v2.StrikeReleaseConstraintStrike_release_constraint", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.StrikeReleaseConstraintStrike_release_constraint", - "camelCase": { - "unsafeName": "andurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint", - "safeName": "andurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_strike_release_constraint_strike_release_constraint", - "safeName": "anduril_tasks_v_2_strike_release_constraint_strike_release_constraint" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT_STRIKE_RELEASE_CONSTRAINT", - "safeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT_STRIKE_RELEASE_CONSTRAINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint", - "safeName": "AndurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint" - } - }, - "displayName": "StrikeReleaseConstraintStrike_release_constraint" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.AreaConstraints", - "camelCase": { - "unsafeName": "andurilTasksV2AreaConstraints", - "safeName": "andurilTasksV2AreaConstraints" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_area_constraints", - "safeName": "anduril_tasks_v_2_area_constraints" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_AREA_CONSTRAINTS", - "safeName": "ANDURIL_TASKS_V_2_AREA_CONSTRAINTS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2AreaConstraints", - "safeName": "AndurilTasksV2AreaConstraints" - } - }, - "typeId": "anduril.tasks.v2.AreaConstraints", - "default": null, - "inline": false, - "displayName": "release_area" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.StrikeReleaseConstraint": { - "name": { - "typeId": "anduril.tasks.v2.StrikeReleaseConstraint", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.StrikeReleaseConstraint", - "camelCase": { - "unsafeName": "andurilTasksV2StrikeReleaseConstraint", - "safeName": "andurilTasksV2StrikeReleaseConstraint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_strike_release_constraint", - "safeName": "anduril_tasks_v_2_strike_release_constraint" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT", - "safeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2StrikeReleaseConstraint", - "safeName": "AndurilTasksV2StrikeReleaseConstraint" - } - }, - "displayName": "StrikeReleaseConstraint" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "strike_release_constraint", - "camelCase": { - "unsafeName": "strikeReleaseConstraint", - "safeName": "strikeReleaseConstraint" - }, - "snakeCase": { - "unsafeName": "strike_release_constraint", - "safeName": "strike_release_constraint" - }, - "screamingSnakeCase": { - "unsafeName": "STRIKE_RELEASE_CONSTRAINT", - "safeName": "STRIKE_RELEASE_CONSTRAINT" - }, - "pascalCase": { - "unsafeName": "StrikeReleaseConstraint", - "safeName": "StrikeReleaseConstraint" - } - }, - "wireValue": "strike_release_constraint" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.StrikeReleaseConstraintStrike_release_constraint", - "camelCase": { - "unsafeName": "andurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint", - "safeName": "andurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_strike_release_constraint_strike_release_constraint", - "safeName": "anduril_tasks_v_2_strike_release_constraint_strike_release_constraint" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT_STRIKE_RELEASE_CONSTRAINT", - "safeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT_STRIKE_RELEASE_CONSTRAINT" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint", - "safeName": "AndurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint" - } - }, - "typeId": "anduril.tasks.v2.StrikeReleaseConstraintStrike_release_constraint", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Maps to UCI StrikeTaskReleaseConstraintsType." - }, - "anduril.tasks.v2.StrikeParameters": { - "name": { - "typeId": "anduril.tasks.v2.StrikeParameters", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.StrikeParameters", - "camelCase": { - "unsafeName": "andurilTasksV2StrikeParameters", - "safeName": "andurilTasksV2StrikeParameters" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_strike_parameters", - "safeName": "anduril_tasks_v_2_strike_parameters" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS", - "safeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2StrikeParameters", - "safeName": "AndurilTasksV2StrikeParameters" - } - }, - "displayName": "StrikeParameters" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "payloads_to_employ", - "camelCase": { - "unsafeName": "payloadsToEmploy", - "safeName": "payloadsToEmploy" - }, - "snakeCase": { - "unsafeName": "payloads_to_employ", - "safeName": "payloads_to_employ" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOADS_TO_EMPLOY", - "safeName": "PAYLOADS_TO_EMPLOY" - }, - "pascalCase": { - "unsafeName": "PayloadsToEmploy", - "safeName": "PayloadsToEmploy" - } - }, - "wireValue": "payloads_to_employ" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.PayloadConfiguration", - "camelCase": { - "unsafeName": "andurilTasksV2PayloadConfiguration", - "safeName": "andurilTasksV2PayloadConfiguration" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_payload_configuration", - "safeName": "anduril_tasks_v_2_payload_configuration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION", - "safeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2PayloadConfiguration", - "safeName": "AndurilTasksV2PayloadConfiguration" - } - }, - "typeId": "anduril.tasks.v2.PayloadConfiguration", - "default": null, - "inline": false, - "displayName": "payloads_to_employ" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - }, - { - "name": { - "name": { - "originalName": "desired_impact_time", - "camelCase": { - "unsafeName": "desiredImpactTime", - "safeName": "desiredImpactTime" - }, - "snakeCase": { - "unsafeName": "desired_impact_time", - "safeName": "desired_impact_time" - }, - "screamingSnakeCase": { - "unsafeName": "DESIRED_IMPACT_TIME", - "safeName": "DESIRED_IMPACT_TIME" - }, - "pascalCase": { - "unsafeName": "DesiredImpactTime", - "safeName": "DesiredImpactTime" - } - }, - "wireValue": "desired_impact_time" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Duration", - "camelCase": { - "unsafeName": "googleProtobufDuration", - "safeName": "googleProtobufDuration" - }, - "snakeCase": { - "unsafeName": "google_protobuf_duration", - "safeName": "google_protobuf_duration" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_DURATION", - "safeName": "GOOGLE_PROTOBUF_DURATION" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufDuration", - "safeName": "GoogleProtobufDuration" - } - }, - "typeId": "google.protobuf.Duration", - "default": null, - "inline": false, - "displayName": "desired_impact_time" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "GPS time at which the strike should be performed." - }, - { - "name": { - "name": { - "originalName": "run_in_bearing", - "camelCase": { - "unsafeName": "runInBearing", - "safeName": "runInBearing" - }, - "snakeCase": { - "unsafeName": "run_in_bearing", - "safeName": "run_in_bearing" - }, - "screamingSnakeCase": { - "unsafeName": "RUN_IN_BEARING", - "safeName": "RUN_IN_BEARING" - }, - "pascalCase": { - "unsafeName": "RunInBearing", - "safeName": "RunInBearing" - } - }, - "wireValue": "run_in_bearing" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Bearing at which to perform the run in for a strike." - }, - { - "name": { - "name": { - "originalName": "glide_slope_angle", - "camelCase": { - "unsafeName": "glideSlopeAngle", - "safeName": "glideSlopeAngle" - }, - "snakeCase": { - "unsafeName": "glide_slope_angle", - "safeName": "glide_slope_angle" - }, - "screamingSnakeCase": { - "unsafeName": "GLIDE_SLOPE_ANGLE", - "safeName": "GLIDE_SLOPE_ANGLE" - }, - "pascalCase": { - "unsafeName": "GlideSlopeAngle", - "safeName": "GlideSlopeAngle" - } - }, - "wireValue": "glide_slope_angle" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "DOUBLE", - "v2": { - "type": "double", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Angle which to glide into the run in for a strike." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.PayloadConfiguration": { - "name": { - "typeId": "anduril.tasks.v2.PayloadConfiguration", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.PayloadConfiguration", - "camelCase": { - "unsafeName": "andurilTasksV2PayloadConfiguration", - "safeName": "andurilTasksV2PayloadConfiguration" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_payload_configuration", - "safeName": "anduril_tasks_v_2_payload_configuration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION", - "safeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2PayloadConfiguration", - "safeName": "AndurilTasksV2PayloadConfiguration" - } - }, - "displayName": "PayloadConfiguration" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "capability_id", - "camelCase": { - "unsafeName": "capabilityId", - "safeName": "capabilityId" - }, - "snakeCase": { - "unsafeName": "capability_id", - "safeName": "capability_id" - }, - "screamingSnakeCase": { - "unsafeName": "CAPABILITY_ID", - "safeName": "CAPABILITY_ID" - }, - "pascalCase": { - "unsafeName": "CapabilityId", - "safeName": "CapabilityId" - } - }, - "wireValue": "capability_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Unique ID or descriptor for the capability." - }, - { - "name": { - "name": { - "originalName": "quantity", - "camelCase": { - "unsafeName": "quantity", - "safeName": "quantity" - }, - "snakeCase": { - "unsafeName": "quantity", - "safeName": "quantity" - }, - "screamingSnakeCase": { - "unsafeName": "QUANTITY", - "safeName": "QUANTITY" - }, - "pascalCase": { - "unsafeName": "Quantity", - "safeName": "Quantity" - } - }, - "wireValue": "quantity" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Individual payload configuration." - }, - "anduril.tasks.v2.ReleasePayloadRelease_method": { - "name": { - "typeId": "anduril.tasks.v2.ReleasePayloadRelease_method", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ReleasePayloadRelease_method", - "camelCase": { - "unsafeName": "andurilTasksV2ReleasePayloadReleaseMethod", - "safeName": "andurilTasksV2ReleasePayloadReleaseMethod" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_release_payload_release_method", - "safeName": "anduril_tasks_v_2_release_payload_release_method" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD_RELEASE_METHOD", - "safeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD_RELEASE_METHOD" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ReleasePayloadReleaseMethod", - "safeName": "AndurilTasksV2ReleasePayloadReleaseMethod" - } - }, - "displayName": "ReleasePayloadRelease_method" - }, - "shape": { - "_type": "undiscriminatedUnion", - "members": [ - { - "type": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "google.protobuf.Empty", - "camelCase": { - "unsafeName": "googleProtobufEmpty", - "safeName": "googleProtobufEmpty" - }, - "snakeCase": { - "unsafeName": "google_protobuf_empty", - "safeName": "google_protobuf_empty" - }, - "screamingSnakeCase": { - "unsafeName": "GOOGLE_PROTOBUF_EMPTY", - "safeName": "GOOGLE_PROTOBUF_EMPTY" - }, - "pascalCase": { - "unsafeName": "GoogleProtobufEmpty", - "safeName": "GoogleProtobufEmpty" - } - }, - "typeId": "google.protobuf.Empty", - "default": null, - "inline": false, - "displayName": "precision_release" - }, - "docs": null - } - ] - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.tasks.v2.ReleasePayload": { - "name": { - "typeId": "anduril.tasks.v2.ReleasePayload", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ReleasePayload", - "camelCase": { - "unsafeName": "andurilTasksV2ReleasePayload", - "safeName": "andurilTasksV2ReleasePayload" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_release_payload", - "safeName": "anduril_tasks_v_2_release_payload" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD", - "safeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ReleasePayload", - "safeName": "AndurilTasksV2ReleasePayload" - } - }, - "displayName": "ReleasePayload" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "payloads", - "camelCase": { - "unsafeName": "payloads", - "safeName": "payloads" - }, - "snakeCase": { - "unsafeName": "payloads", - "safeName": "payloads" - }, - "screamingSnakeCase": { - "unsafeName": "PAYLOADS", - "safeName": "PAYLOADS" - }, - "pascalCase": { - "unsafeName": "Payloads", - "safeName": "Payloads" - } - }, - "wireValue": "payloads" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "container", - "container": { - "_type": "list", - "list": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.PayloadConfiguration", - "camelCase": { - "unsafeName": "andurilTasksV2PayloadConfiguration", - "safeName": "andurilTasksV2PayloadConfiguration" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_payload_configuration", - "safeName": "anduril_tasks_v_2_payload_configuration" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION", - "safeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2PayloadConfiguration", - "safeName": "AndurilTasksV2PayloadConfiguration" - } - }, - "typeId": "anduril.tasks.v2.PayloadConfiguration", - "default": null, - "inline": false, - "displayName": "payloads" - } - } - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The payload(s) that will be released" - }, - { - "name": { - "name": { - "originalName": "objective", - "camelCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "snakeCase": { - "unsafeName": "objective", - "safeName": "objective" - }, - "screamingSnakeCase": { - "unsafeName": "OBJECTIVE", - "safeName": "OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "Objective", - "safeName": "Objective" - } - }, - "wireValue": "objective" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.Objective", - "camelCase": { - "unsafeName": "andurilTasksV2Objective", - "safeName": "andurilTasksV2Objective" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_objective", - "safeName": "anduril_tasks_v_2_objective" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", - "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2Objective", - "safeName": "AndurilTasksV2Objective" - } - }, - "typeId": "anduril.tasks.v2.Objective", - "default": null, - "inline": false, - "displayName": "objective" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Optional objective, of where the payload should be dropped. If omitted the payload will drop the current location" - }, - { - "name": { - "name": { - "originalName": "release_method", - "camelCase": { - "unsafeName": "releaseMethod", - "safeName": "releaseMethod" - }, - "snakeCase": { - "unsafeName": "release_method", - "safeName": "release_method" - }, - "screamingSnakeCase": { - "unsafeName": "RELEASE_METHOD", - "safeName": "RELEASE_METHOD" - }, - "pascalCase": { - "unsafeName": "ReleaseMethod", - "safeName": "ReleaseMethod" - } - }, - "wireValue": "release_method" - }, - "valueType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.tasks.v2.ReleasePayloadRelease_method", - "camelCase": { - "unsafeName": "andurilTasksV2ReleasePayloadReleaseMethod", - "safeName": "andurilTasksV2ReleasePayloadReleaseMethod" - }, - "snakeCase": { - "unsafeName": "anduril_tasks_v_2_release_payload_release_method", - "safeName": "anduril_tasks_v_2_release_payload_release_method" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD_RELEASE_METHOD", - "safeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD_RELEASE_METHOD" - }, - "pascalCase": { - "unsafeName": "AndurilTasksV2ReleasePayloadReleaseMethod", - "safeName": "AndurilTasksV2ReleasePayloadReleaseMethod" - } - }, - "typeId": "anduril.tasks.v2.ReleasePayloadRelease_method", - "default": null, - "inline": false, - "displayName": null - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": null - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "Releases a payload from the vehicle" - }, - "anduril.type.Attribution": { - "name": { - "typeId": "anduril.type.Attribution", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Attribution", - "camelCase": { - "unsafeName": "andurilTypeAttribution", - "safeName": "andurilTypeAttribution" - }, - "snakeCase": { - "unsafeName": "anduril_type_attribution", - "safeName": "anduril_type_attribution" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_ATTRIBUTION", - "safeName": "ANDURIL_TYPE_ATTRIBUTION" - }, - "pascalCase": { - "unsafeName": "AndurilTypeAttribution", - "safeName": "AndurilTypeAttribution" - } - }, - "displayName": "Attribution" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "timestamp", - "camelCase": { - "unsafeName": "timestamp", - "safeName": "timestamp" - }, - "snakeCase": { - "unsafeName": "timestamp", - "safeName": "timestamp" - }, - "screamingSnakeCase": { - "unsafeName": "TIMESTAMP", - "safeName": "TIMESTAMP" - }, - "pascalCase": { - "unsafeName": "Timestamp", - "safeName": "Timestamp" - } - }, - "wireValue": "timestamp" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "LONG", - "v2": { - "type": "long", - "default": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The timestamp at which the event occurred, in UTC epoch microseconds." - }, - { - "name": { - "name": { - "originalName": "user_id", - "camelCase": { - "unsafeName": "userId", - "safeName": "userId" - }, - "snakeCase": { - "unsafeName": "user_id", - "safeName": "user_id" - }, - "screamingSnakeCase": { - "unsafeName": "USER_ID", - "safeName": "USER_ID" - }, - "pascalCase": { - "unsafeName": "UserId", - "safeName": "UserId" - } - }, - "wireValue": "user_id" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "STRING", - "v2": { - "type": "string", - "default": null, - "validation": null - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The user ID that initiated the event." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": null - }, - "anduril.type.Grid": { - "name": { - "typeId": "anduril.type.Grid", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.Grid", - "camelCase": { - "unsafeName": "andurilTypeGrid", - "safeName": "andurilTypeGrid" - }, - "snakeCase": { - "unsafeName": "anduril_type_grid", - "safeName": "anduril_type_grid" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_GRID", - "safeName": "ANDURIL_TYPE_GRID" - }, - "pascalCase": { - "unsafeName": "AndurilTypeGrid", - "safeName": "AndurilTypeGrid" - } - }, - "displayName": "Grid" - }, - "shape": { - "_type": "object", - "properties": [ - { - "name": { - "name": { - "originalName": "bottom_left_pos", - "camelCase": { - "unsafeName": "bottomLeftPos", - "safeName": "bottomLeftPos" - }, - "snakeCase": { - "unsafeName": "bottom_left_pos", - "safeName": "bottom_left_pos" - }, - "screamingSnakeCase": { - "unsafeName": "BOTTOM_LEFT_POS", - "safeName": "BOTTOM_LEFT_POS" - }, - "pascalCase": { - "unsafeName": "BottomLeftPos", - "safeName": "BottomLeftPos" - } - }, - "wireValue": "bottom_left_pos" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLA", - "camelCase": { - "unsafeName": "andurilTypeLla", - "safeName": "andurilTypeLla" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla", - "safeName": "anduril_type_lla" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA", - "safeName": "ANDURIL_TYPE_LLA" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLla", - "safeName": "AndurilTypeLla" - } - }, - "typeId": "anduril.type.LLA", - "default": null, - "inline": false, - "displayName": "bottom_left_pos" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The bottom left extent of the 2d grid. This represents the\\n farthest corner on the grid cell, not the center of the\\n grid cell." - }, - { - "name": { - "name": { - "originalName": "top_right_pos", - "camelCase": { - "unsafeName": "topRightPos", - "safeName": "topRightPos" - }, - "snakeCase": { - "unsafeName": "top_right_pos", - "safeName": "top_right_pos" - }, - "screamingSnakeCase": { - "unsafeName": "TOP_RIGHT_POS", - "safeName": "TOP_RIGHT_POS" - }, - "pascalCase": { - "unsafeName": "TopRightPos", - "safeName": "TopRightPos" - } - }, - "wireValue": "top_right_pos" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.type.LLA", - "camelCase": { - "unsafeName": "andurilTypeLla", - "safeName": "andurilTypeLla" - }, - "snakeCase": { - "unsafeName": "anduril_type_lla", - "safeName": "anduril_type_lla" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TYPE_LLA", - "safeName": "ANDURIL_TYPE_LLA" - }, - "pascalCase": { - "unsafeName": "AndurilTypeLla", - "safeName": "AndurilTypeLla" - } - }, - "typeId": "anduril.type.LLA", - "default": null, - "inline": false, - "displayName": "top_right_pos" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The top right extent of the 2d grid. This represents the\\n farthest corner on the grid cell, not the center of the\\n grid cell." - }, - { - "name": { - "name": { - "originalName": "grid_width", - "camelCase": { - "unsafeName": "gridWidth", - "safeName": "gridWidth" - }, - "snakeCase": { - "unsafeName": "grid_width", - "safeName": "grid_width" - }, - "screamingSnakeCase": { - "unsafeName": "GRID_WIDTH", - "safeName": "GRID_WIDTH" - }, - "pascalCase": { - "unsafeName": "GridWidth", - "safeName": "GridWidth" - } - }, - "wireValue": "grid_width" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The width of the grid in number of cells." - }, - { - "name": { - "name": { - "originalName": "grid_height", - "camelCase": { - "unsafeName": "gridHeight", - "safeName": "gridHeight" - }, - "snakeCase": { - "unsafeName": "grid_height", - "safeName": "grid_height" - }, - "screamingSnakeCase": { - "unsafeName": "GRID_HEIGHT", - "safeName": "GRID_HEIGHT" - }, - "pascalCase": { - "unsafeName": "GridHeight", - "safeName": "GridHeight" - } - }, - "wireValue": "grid_height" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "primitive", - "primitive": { - "v1": "UINT", - "v2": { - "type": "uint" - } - } - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "The height of the grid in number of cells." - }, - { - "name": { - "name": { - "originalName": "cell_values", - "camelCase": { - "unsafeName": "cellValues", - "safeName": "cellValues" - }, - "snakeCase": { - "unsafeName": "cell_values", - "safeName": "cell_values" - }, - "screamingSnakeCase": { - "unsafeName": "CELL_VALUES", - "safeName": "CELL_VALUES" - }, - "pascalCase": { - "unsafeName": "CellValues", - "safeName": "CellValues" - } - }, - "wireValue": "cell_values" - }, - "valueType": { - "_type": "container", - "container": { - "_type": "optional", - "optional": { - "_type": "unknown" - } - } - }, - "propertyAccess": null, - "v2Examples": null, - "availability": null, - "docs": "Stores the cell values. Each byte contains 8 bits representing\\n binary values of cells. Cells are unravelled in row-major order,\\n with the first cell located at the top-left corner of the grid.\\n In a single byte, the smallest bit represents the left most cell." - } - ], - "extends": [], - "extendedProperties": [], - "extra-properties": false - }, - "autogeneratedExamples": [], - "userProvidedExamples": [], - "encoding": null, - "referencedTypes": [], - "source": null, - "inline": false, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": {} - }, - "availability": null, - "docs": "A 2d grid with binary values for each grid cell." - } - }, - "constants": { - "errorInstanceIdKey": { - "name": { - "originalName": "errorInstanceId", - "camelCase": { - "unsafeName": "errorInstanceId", - "safeName": "errorInstanceId" - }, - "snakeCase": { - "unsafeName": "error_instance_id", - "safeName": "error_instance_id" - }, - "screamingSnakeCase": { - "unsafeName": "ERROR_INSTANCE_ID", - "safeName": "ERROR_INSTANCE_ID" - }, - "pascalCase": { - "unsafeName": "ErrorInstanceId", - "safeName": "ErrorInstanceId" - } - }, - "wireValue": "errorInstanceId" - } - }, - "errors": {}, - "services": { - "anduril.entitymanager.v1.EntityManagerAPI": { - "name": { - "fernFilepath": { - "allParts": [ - { - "originalName": "anduril.entitymanager.v1", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1", - "safeName": "andurilEntitymanagerV1" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1", - "safeName": "anduril_entitymanager_v_1" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1", - "safeName": "ANDURIL_ENTITYMANAGER_V_1" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1", - "safeName": "AndurilEntitymanagerV1" - } - }, - { - "originalName": "EntityManagerAPI", - "camelCase": { - "unsafeName": "entityManagerApi", - "safeName": "entityManagerApi" - }, - "snakeCase": { - "unsafeName": "entity_manager_api", - "safeName": "entity_manager_api" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_MANAGER_API", - "safeName": "ENTITY_MANAGER_API" - }, - "pascalCase": { - "unsafeName": "EntityManagerApi", - "safeName": "EntityManagerApi" - } - } - ], - "packagePath": [ - { - "originalName": "anduril.entitymanager.v1", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1", - "safeName": "andurilEntitymanagerV1" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1", - "safeName": "anduril_entitymanager_v_1" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1", - "safeName": "ANDURIL_ENTITYMANAGER_V_1" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1", - "safeName": "AndurilEntitymanagerV1" - } - } - ], - "file": { - "originalName": "EntityManagerAPI", - "camelCase": { - "unsafeName": "entityManagerApi", - "safeName": "entityManagerApi" - }, - "snakeCase": { - "unsafeName": "entity_manager_api", - "safeName": "entity_manager_api" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_MANAGER_API", - "safeName": "ENTITY_MANAGER_API" - }, - "pascalCase": { - "unsafeName": "EntityManagerApi", - "safeName": "EntityManagerApi" - } - } - } - }, - "displayName": "EntityManagerAPI", - "basePath": { - "head": "", - "parts": [] - }, - "headers": [], - "pathParameters": [], - "availability": null, - "endpoints": [ - { - "id": "PublishEntity", - "name": { - "originalName": "anduril.entitymanager.v1.PublishEntity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PublishEntity", - "safeName": "andurilEntitymanagerV1PublishEntity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_publish_entity", - "safeName": "anduril_entitymanager_v_1_publish_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PublishEntity", - "safeName": "AndurilEntitymanagerV1PublishEntity" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PublishEntityRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PublishEntityRequest", - "safeName": "andurilEntitymanagerV1PublishEntityRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_publish_entity_request", - "safeName": "anduril_entitymanager_v_1_publish_entity_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PublishEntityRequest", - "safeName": "AndurilEntitymanagerV1PublishEntityRequest" - } - }, - "typeId": "anduril.entitymanager.v1.PublishEntityRequest", - "default": null, - "inline": false, - "displayName": "PublishEntityRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PublishEntityResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PublishEntityResponse", - "safeName": "andurilEntitymanagerV1PublishEntityResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_publish_entity_response", - "safeName": "anduril_entitymanager_v_1_publish_entity_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PublishEntityResponse", - "safeName": "AndurilEntitymanagerV1PublishEntityResponse" - } - }, - "typeId": "anduril.entitymanager.v1.PublishEntityResponse", - "default": null, - "inline": false, - "displayName": "PublishEntityResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "PublishEntity", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "0": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - } - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": {} - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "PublishEntity", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "PublishEntity", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "UNARY" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Create or update an entity and get a response confirming whether the Entity Manager API succesfully processes\\n the entity. Ideal for testing environments.\\n When publishing an entity, only your integration can modify or delete that entity; other sources, such as the\\n UI or other integrations, can't. If you're pushing entity updates so fast that your publish task can't keep\\n up with your update rate (a rough estimate of >= 1 Hz), use the PublishEntities request instead." - }, - { - "id": "PublishEntities", - "name": { - "originalName": "anduril.entitymanager.v1.PublishEntities", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PublishEntities", - "safeName": "andurilEntitymanagerV1PublishEntities" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_publish_entities", - "safeName": "anduril_entitymanager_v_1_publish_entities" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PublishEntities", - "safeName": "AndurilEntitymanagerV1PublishEntities" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PublishEntitiesRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PublishEntitiesRequest", - "safeName": "andurilEntitymanagerV1PublishEntitiesRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_publish_entities_request", - "safeName": "anduril_entitymanager_v_1_publish_entities_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PublishEntitiesRequest", - "safeName": "AndurilEntitymanagerV1PublishEntitiesRequest" - } - }, - "typeId": "anduril.entitymanager.v1.PublishEntitiesRequest", - "default": null, - "inline": false, - "displayName": "PublishEntitiesRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.PublishEntitiesResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1PublishEntitiesResponse", - "safeName": "andurilEntitymanagerV1PublishEntitiesResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_publish_entities_response", - "safeName": "anduril_entitymanager_v_1_publish_entities_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1PublishEntitiesResponse", - "safeName": "AndurilEntitymanagerV1PublishEntitiesResponse" - } - }, - "typeId": "anduril.entitymanager.v1.PublishEntitiesResponse", - "default": null, - "inline": false, - "displayName": "PublishEntitiesResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "PublishEntities", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "1": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - } - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": {} - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "PublishEntities", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "PublishEntities", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "CLIENT_STREAM" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Create or update one or more entities rapidly using PublishEntities, which doesn't return error messages\\n for invalid entities or provide server feedback. When publishing entities, only your integration can\\n modify or delete those entities; other sources, such as the UI or other integrations, can't.\\n When you use PublishEntities, you gain higher throughput at the expense of receiving no server responses or\\n validation. In addition, due to gRPC stream mechanics, you risk losing messages queued on the outgoing gRPC\\n buffer if the stream connection is lost prior to the messages being sent. If you need validation responses,\\n are developing in testing environments, or have lower entity update rates, use PublishEntity." - }, - { - "id": "GetEntity", - "name": { - "originalName": "anduril.entitymanager.v1.GetEntity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GetEntity", - "safeName": "andurilEntitymanagerV1GetEntity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_get_entity", - "safeName": "anduril_entitymanager_v_1_get_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GetEntity", - "safeName": "AndurilEntitymanagerV1GetEntity" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GetEntityRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GetEntityRequest", - "safeName": "andurilEntitymanagerV1GetEntityRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_get_entity_request", - "safeName": "anduril_entitymanager_v_1_get_entity_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GetEntityRequest", - "safeName": "AndurilEntitymanagerV1GetEntityRequest" - } - }, - "typeId": "anduril.entitymanager.v1.GetEntityRequest", - "default": null, - "inline": false, - "displayName": "GetEntityRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.GetEntityResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1GetEntityResponse", - "safeName": "andurilEntitymanagerV1GetEntityResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_get_entity_response", - "safeName": "anduril_entitymanager_v_1_get_entity_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1GetEntityResponse", - "safeName": "AndurilEntitymanagerV1GetEntityResponse" - } - }, - "typeId": "anduril.entitymanager.v1.GetEntityResponse", - "default": null, - "inline": false, - "displayName": "GetEntityResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "GetEntity", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "2": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "entity_id": "example" - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": { - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - } - } - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "GetEntity", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "GetEntity", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "UNARY" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Get an entity using its entityId." - }, - { - "id": "OverrideEntity", - "name": { - "originalName": "anduril.entitymanager.v1.OverrideEntity", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OverrideEntity", - "safeName": "andurilEntitymanagerV1OverrideEntity" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override_entity", - "safeName": "anduril_entitymanager_v_1_override_entity" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OverrideEntity", - "safeName": "AndurilEntitymanagerV1OverrideEntity" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OverrideEntityRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OverrideEntityRequest", - "safeName": "andurilEntitymanagerV1OverrideEntityRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override_entity_request", - "safeName": "anduril_entitymanager_v_1_override_entity_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OverrideEntityRequest", - "safeName": "AndurilEntitymanagerV1OverrideEntityRequest" - } - }, - "typeId": "anduril.entitymanager.v1.OverrideEntityRequest", - "default": null, - "inline": false, - "displayName": "OverrideEntityRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.OverrideEntityResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1OverrideEntityResponse", - "safeName": "andurilEntitymanagerV1OverrideEntityResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_override_entity_response", - "safeName": "anduril_entitymanager_v_1_override_entity_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1OverrideEntityResponse", - "safeName": "AndurilEntitymanagerV1OverrideEntityResponse" - } - }, - "typeId": "anduril.entitymanager.v1.OverrideEntityResponse", - "default": null, - "inline": false, - "displayName": "OverrideEntityResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "OverrideEntity", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "3": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - }, - "field_path": [ - "example" - ], - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - } - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": { - "status": 0 - } - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "OverrideEntity", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "OverrideEntity", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "UNARY" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Override an Entity Component. An override is a definitive change to entity data. Any authorized user of service\\n can override overridable components on any entity. Only fields marked with overridable can be overridden.\\n When setting an override, the user or service setting the override is asserting that they are certain of the change\\n and the truth behind it." - }, - { - "id": "RemoveEntityOverride", - "name": { - "originalName": "anduril.entitymanager.v1.RemoveEntityOverride", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RemoveEntityOverride", - "safeName": "andurilEntitymanagerV1RemoveEntityOverride" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_remove_entity_override", - "safeName": "anduril_entitymanager_v_1_remove_entity_override" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RemoveEntityOverride", - "safeName": "AndurilEntitymanagerV1RemoveEntityOverride" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RemoveEntityOverrideRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RemoveEntityOverrideRequest", - "safeName": "andurilEntitymanagerV1RemoveEntityOverrideRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_remove_entity_override_request", - "safeName": "anduril_entitymanager_v_1_remove_entity_override_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RemoveEntityOverrideRequest", - "safeName": "AndurilEntitymanagerV1RemoveEntityOverrideRequest" - } - }, - "typeId": "anduril.entitymanager.v1.RemoveEntityOverrideRequest", - "default": null, - "inline": false, - "displayName": "RemoveEntityOverrideRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.RemoveEntityOverrideResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1RemoveEntityOverrideResponse", - "safeName": "andurilEntitymanagerV1RemoveEntityOverrideResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_remove_entity_override_response", - "safeName": "anduril_entitymanager_v_1_remove_entity_override_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1RemoveEntityOverrideResponse", - "safeName": "AndurilEntitymanagerV1RemoveEntityOverrideResponse" - } - }, - "typeId": "anduril.entitymanager.v1.RemoveEntityOverrideResponse", - "default": null, - "inline": false, - "displayName": "RemoveEntityOverrideResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "RemoveEntityOverride", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "4": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "entity_id": "example", - "field_path": [ - "example" - ] - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": {} - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "RemoveEntityOverride", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "RemoveEntityOverride", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "UNARY" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Remove an override for an Entity component." - }, - { - "id": "StreamEntityComponents", - "name": { - "originalName": "anduril.entitymanager.v1.StreamEntityComponents", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StreamEntityComponents", - "safeName": "andurilEntitymanagerV1StreamEntityComponents" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_stream_entity_components", - "safeName": "anduril_entitymanager_v_1_stream_entity_components" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StreamEntityComponents", - "safeName": "AndurilEntitymanagerV1StreamEntityComponents" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StreamEntityComponentsRequest", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StreamEntityComponentsRequest", - "safeName": "andurilEntitymanagerV1StreamEntityComponentsRequest" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_stream_entity_components_request", - "safeName": "anduril_entitymanager_v_1_stream_entity_components_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_REQUEST", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StreamEntityComponentsRequest", - "safeName": "AndurilEntitymanagerV1StreamEntityComponentsRequest" - } - }, - "typeId": "anduril.entitymanager.v1.StreamEntityComponentsRequest", - "default": null, - "inline": false, - "displayName": "StreamEntityComponentsRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.entitymanager.v1.StreamEntityComponentsResponse", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1StreamEntityComponentsResponse", - "safeName": "andurilEntitymanagerV1StreamEntityComponentsResponse" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1_stream_entity_components_response", - "safeName": "anduril_entitymanager_v_1_stream_entity_components_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_RESPONSE", - "safeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1StreamEntityComponentsResponse", - "safeName": "AndurilEntitymanagerV1StreamEntityComponentsResponse" - } - }, - "typeId": "anduril.entitymanager.v1.StreamEntityComponentsResponse", - "default": null, - "inline": false, - "displayName": "StreamEntityComponentsResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "StreamEntityComponents", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "5": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "components_to_include": [ - "example" - ], - "include_all_components": true, - "filter": { - "operation": { - "and": { - "children": { - "predicate_set": { - "predicates": [ - { - "field_path": "example", - "value": { - "type": { - "boolean_type": { - "value": true - } - } - }, - "comparator": 0 - } - ] - } - } - } - } - }, - "rate_limit": { - "update_per_entity_limit_ms": 42 - }, - "heartbeat_period_millis": 42, - "preexisting_only": true - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": { - "entity_event": { - "event_type": 0, - "time": { - "seconds": 42, - "nanos": 42 - }, - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": {}, - "sigma": {} - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": {}, - "sigma": {} - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - } - }, - "heartbeat": { - "timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "StreamEntityComponents", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "StreamEntityComponents", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "SERVER_STREAM" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Returns a stream of entities with specified components populated." - } - ], - "transport": null, - "encoding": null, - "audiences": null - }, - "anduril.taskmanager.v1.TaskManagerAPI": { - "name": { - "fernFilepath": { - "allParts": [ - { - "originalName": "anduril.taskmanager.v1", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1", - "safeName": "andurilTaskmanagerV1" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1", - "safeName": "anduril_taskmanager_v_1" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1", - "safeName": "ANDURIL_TASKMANAGER_V_1" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1", - "safeName": "AndurilTaskmanagerV1" - } - }, - { - "originalName": "TaskManagerAPI", - "camelCase": { - "unsafeName": "taskManagerApi", - "safeName": "taskManagerApi" - }, - "snakeCase": { - "unsafeName": "task_manager_api", - "safeName": "task_manager_api" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_MANAGER_API", - "safeName": "TASK_MANAGER_API" - }, - "pascalCase": { - "unsafeName": "TaskManagerApi", - "safeName": "TaskManagerApi" - } - } - ], - "packagePath": [ - { - "originalName": "anduril.taskmanager.v1", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1", - "safeName": "andurilTaskmanagerV1" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1", - "safeName": "anduril_taskmanager_v_1" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1", - "safeName": "ANDURIL_TASKMANAGER_V_1" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1", - "safeName": "AndurilTaskmanagerV1" - } - } - ], - "file": { - "originalName": "TaskManagerAPI", - "camelCase": { - "unsafeName": "taskManagerApi", - "safeName": "taskManagerApi" - }, - "snakeCase": { - "unsafeName": "task_manager_api", - "safeName": "task_manager_api" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_MANAGER_API", - "safeName": "TASK_MANAGER_API" - }, - "pascalCase": { - "unsafeName": "TaskManagerApi", - "safeName": "TaskManagerApi" - } - } - } - }, - "displayName": "TaskManagerAPI", - "basePath": { - "head": "", - "parts": [] - }, - "headers": [], - "pathParameters": [], - "availability": null, - "endpoints": [ - { - "id": "CreateTask", - "name": { - "originalName": "anduril.taskmanager.v1.CreateTask", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1CreateTask", - "safeName": "andurilTaskmanagerV1CreateTask" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_create_task", - "safeName": "anduril_taskmanager_v_1_create_task" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK", - "safeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1CreateTask", - "safeName": "AndurilTaskmanagerV1CreateTask" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.CreateTaskRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1CreateTaskRequest", - "safeName": "andurilTaskmanagerV1CreateTaskRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_create_task_request", - "safeName": "anduril_taskmanager_v_1_create_task_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1CreateTaskRequest", - "safeName": "AndurilTaskmanagerV1CreateTaskRequest" - } - }, - "typeId": "anduril.taskmanager.v1.CreateTaskRequest", - "default": null, - "inline": false, - "displayName": "CreateTaskRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.CreateTaskResponse", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1CreateTaskResponse", - "safeName": "andurilTaskmanagerV1CreateTaskResponse" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_create_task_response", - "safeName": "anduril_taskmanager_v_1_create_task_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_RESPONSE", - "safeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1CreateTaskResponse", - "safeName": "AndurilTaskmanagerV1CreateTaskResponse" - } - }, - "typeId": "anduril.taskmanager.v1.CreateTaskResponse", - "default": null, - "inline": false, - "displayName": "CreateTaskResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "CreateTask", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "0": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "display_name": "example", - "specification": { - "type_url": "example", - "value": "bytes" - }, - "author": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "relations": { - "assignee": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "parent_task_id": "example" - }, - "description": "example", - "is_executed_elsewhere": true, - "task_id": "example", - "initial_entities": [ - { - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": {}, - "sigma": {} - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": {}, - "sigma": {} - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - }, - "snapshot": true - } - ] - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": { - "task": { - "version": { - "task_id": "example", - "definition_version": 42, - "status_version": 42 - }, - "display_name": "example", - "specification": { - "type_url": "example", - "value": "bytes" - }, - "created_by": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "last_updated_by": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "last_update_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "status": 0, - "task_error": { - "code": 0, - "message": "example", - "error_details": { - "type_url": "example", - "value": "bytes" - } - }, - "progress": { - "type_url": "example", - "value": "bytes" - }, - "result": { - "type_url": "example", - "value": "bytes" - }, - "start_time": { - "seconds": 42, - "nanos": 42 - }, - "estimate": { - "type_url": "example", - "value": "bytes" - }, - "allocation": { - "active_agents": [ - { - "entity_id": "example" - } - ] - } - }, - "scheduled_time": { - "seconds": 42, - "nanos": 42 - }, - "relations": { - "assignee": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "parent_task_id": "example" - }, - "description": "example", - "is_executed_elsewhere": true, - "create_time": { - "seconds": 42, - "nanos": 42 - }, - "replication": { - "stale_time": { - "seconds": 42, - "nanos": 42 - } - }, - "initial_entities": [ - { - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": {} - }, - "maximum_frequency_hz": { - "frequency_hz": {} - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": {} - }, - "maximum_bandwidth": { - "bandwidth_hz": {} - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - }, - "snapshot": true - } - ], - "owner": { - "entity_id": "example" - } - } - } - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "CreateTask", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "CreateTask", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "UNARY" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Create a new Task." - }, - { - "id": "GetTask", - "name": { - "originalName": "anduril.taskmanager.v1.GetTask", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1GetTask", - "safeName": "andurilTaskmanagerV1GetTask" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_get_task", - "safeName": "anduril_taskmanager_v_1_get_task" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK", - "safeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1GetTask", - "safeName": "AndurilTaskmanagerV1GetTask" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.GetTaskRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1GetTaskRequest", - "safeName": "andurilTaskmanagerV1GetTaskRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_get_task_request", - "safeName": "anduril_taskmanager_v_1_get_task_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1GetTaskRequest", - "safeName": "AndurilTaskmanagerV1GetTaskRequest" - } - }, - "typeId": "anduril.taskmanager.v1.GetTaskRequest", - "default": null, - "inline": false, - "displayName": "GetTaskRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.GetTaskResponse", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1GetTaskResponse", - "safeName": "andurilTaskmanagerV1GetTaskResponse" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_get_task_response", - "safeName": "anduril_taskmanager_v_1_get_task_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_RESPONSE", - "safeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1GetTaskResponse", - "safeName": "AndurilTaskmanagerV1GetTaskResponse" - } - }, - "typeId": "anduril.taskmanager.v1.GetTaskResponse", - "default": null, - "inline": false, - "displayName": "GetTaskResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "GetTask", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "1": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "task_id": "example", - "definition_version": 42, - "task_view": 0 - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": { - "task": { - "version": { - "task_id": "example", - "definition_version": 42, - "status_version": 42 - }, - "display_name": "example", - "specification": { - "type_url": "example", - "value": "bytes" - }, - "created_by": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "last_updated_by": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "last_update_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "status": 0, - "task_error": { - "code": 0, - "message": "example", - "error_details": { - "type_url": "example", - "value": "bytes" - } - }, - "progress": { - "type_url": "example", - "value": "bytes" - }, - "result": { - "type_url": "example", - "value": "bytes" - }, - "start_time": { - "seconds": 42, - "nanos": 42 - }, - "estimate": { - "type_url": "example", - "value": "bytes" - }, - "allocation": { - "active_agents": [ - { - "entity_id": "example" - } - ] - } - }, - "scheduled_time": { - "seconds": 42, - "nanos": 42 - }, - "relations": { - "assignee": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "parent_task_id": "example" - }, - "description": "example", - "is_executed_elsewhere": true, - "create_time": { - "seconds": 42, - "nanos": 42 - }, - "replication": { - "stale_time": { - "seconds": 42, - "nanos": 42 - } - }, - "initial_entities": [ - { - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": {} - }, - "maximum_frequency_hz": { - "frequency_hz": {} - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": {} - }, - "maximum_bandwidth": { - "bandwidth_hz": {} - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - }, - "snapshot": true - } - ], - "owner": { - "entity_id": "example" - } - } - } - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "GetTask", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "GetTask", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "UNARY" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Get an existing Task." - }, - { - "id": "QueryTasks", - "name": { - "originalName": "anduril.taskmanager.v1.QueryTasks", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1QueryTasks", - "safeName": "andurilTaskmanagerV1QueryTasks" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_query_tasks", - "safeName": "anduril_taskmanager_v_1_query_tasks" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS", - "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1QueryTasks", - "safeName": "AndurilTaskmanagerV1QueryTasks" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.QueryTasksRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1QueryTasksRequest", - "safeName": "andurilTaskmanagerV1QueryTasksRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_query_tasks_request", - "safeName": "anduril_taskmanager_v_1_query_tasks_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1QueryTasksRequest", - "safeName": "AndurilTaskmanagerV1QueryTasksRequest" - } - }, - "typeId": "anduril.taskmanager.v1.QueryTasksRequest", - "default": null, - "inline": false, - "displayName": "QueryTasksRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.QueryTasksResponse", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1QueryTasksResponse", - "safeName": "andurilTaskmanagerV1QueryTasksResponse" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_query_tasks_response", - "safeName": "anduril_taskmanager_v_1_query_tasks_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_RESPONSE", - "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1QueryTasksResponse", - "safeName": "AndurilTaskmanagerV1QueryTasksResponse" - } - }, - "typeId": "anduril.taskmanager.v1.QueryTasksResponse", - "default": null, - "inline": false, - "displayName": "QueryTasksResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "QueryTasks", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "2": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "parent_task_id": "example", - "page_token": "example", - "view": 0 - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": { - "tasks": [ - { - "version": { - "task_id": "example", - "definition_version": 42, - "status_version": 42 - }, - "display_name": "example", - "specification": { - "type_url": "example", - "value": "bytes" - }, - "created_by": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "last_updated_by": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "last_update_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "status": 0, - "task_error": { - "code": 0, - "message": "example", - "error_details": { - "type_url": "example", - "value": "bytes" - } - }, - "progress": { - "type_url": "example", - "value": "bytes" - }, - "result": { - "type_url": "example", - "value": "bytes" - }, - "start_time": { - "seconds": 42, - "nanos": 42 - }, - "estimate": { - "type_url": "example", - "value": "bytes" - }, - "allocation": { - "active_agents": [ - { - "entity_id": "example" - } - ] - } - }, - "scheduled_time": { - "seconds": 42, - "nanos": 42 - }, - "relations": { - "assignee": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "parent_task_id": "example" - }, - "description": "example", - "is_executed_elsewhere": true, - "create_time": { - "seconds": 42, - "nanos": 42 - }, - "replication": { - "stale_time": { - "seconds": 42, - "nanos": 42 - } - }, - "initial_entities": [ - { - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": {} - }, - "maximum_frequency_hz": { - "frequency_hz": {} - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": {} - }, - "maximum_bandwidth": { - "bandwidth_hz": {} - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - }, - "snapshot": true - } - ], - "owner": { - "entity_id": "example" - } - } - ], - "page_token": "example" - } - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "QueryTasks", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "QueryTasks", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "UNARY" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Find Tasks that match request criteria." - }, - { - "id": "UpdateStatus", - "name": { - "originalName": "anduril.taskmanager.v1.UpdateStatus", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1UpdateStatus", - "safeName": "andurilTaskmanagerV1UpdateStatus" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_update_status", - "safeName": "anduril_taskmanager_v_1_update_status" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS", - "safeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1UpdateStatus", - "safeName": "AndurilTaskmanagerV1UpdateStatus" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.UpdateStatusRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1UpdateStatusRequest", - "safeName": "andurilTaskmanagerV1UpdateStatusRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_update_status_request", - "safeName": "anduril_taskmanager_v_1_update_status_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1UpdateStatusRequest", - "safeName": "AndurilTaskmanagerV1UpdateStatusRequest" - } - }, - "typeId": "anduril.taskmanager.v1.UpdateStatusRequest", - "default": null, - "inline": false, - "displayName": "UpdateStatusRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.UpdateStatusResponse", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1UpdateStatusResponse", - "safeName": "andurilTaskmanagerV1UpdateStatusResponse" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_update_status_response", - "safeName": "anduril_taskmanager_v_1_update_status_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_RESPONSE", - "safeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1UpdateStatusResponse", - "safeName": "AndurilTaskmanagerV1UpdateStatusResponse" - } - }, - "typeId": "anduril.taskmanager.v1.UpdateStatusResponse", - "default": null, - "inline": false, - "displayName": "UpdateStatusResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "UpdateStatus", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "3": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "status_update": { - "version": { - "task_id": "example", - "definition_version": 42, - "status_version": 42 - }, - "status": { - "status": 0, - "task_error": { - "code": 0, - "message": "example", - "error_details": { - "type_url": "example", - "value": "bytes" - } - }, - "progress": { - "type_url": "example", - "value": "bytes" - }, - "result": { - "type_url": "example", - "value": "bytes" - }, - "start_time": { - "seconds": 42, - "nanos": 42 - }, - "estimate": { - "type_url": "example", - "value": "bytes" - }, - "allocation": { - "active_agents": [ - { - "entity_id": "example" - } - ] - } - }, - "author": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "scheduled_time": { - "seconds": 42, - "nanos": 42 - } - } - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": { - "task": { - "version": { - "task_id": "example", - "definition_version": 42, - "status_version": 42 - }, - "display_name": "example", - "specification": { - "type_url": "example", - "value": "bytes" - }, - "created_by": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "last_updated_by": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "last_update_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "status": 0, - "task_error": { - "code": 0, - "message": "example", - "error_details": { - "type_url": "example", - "value": "bytes" - } - }, - "progress": { - "type_url": "example", - "value": "bytes" - }, - "result": { - "type_url": "example", - "value": "bytes" - }, - "start_time": { - "seconds": 42, - "nanos": 42 - }, - "estimate": { - "type_url": "example", - "value": "bytes" - }, - "allocation": { - "active_agents": [ - { - "entity_id": "example" - } - ] - } - }, - "scheduled_time": { - "seconds": 42, - "nanos": 42 - }, - "relations": { - "assignee": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "parent_task_id": "example" - }, - "description": "example", - "is_executed_elsewhere": true, - "create_time": { - "seconds": 42, - "nanos": 42 - }, - "replication": { - "stale_time": { - "seconds": 42, - "nanos": 42 - } - }, - "initial_entities": [ - { - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": {} - }, - "maximum_frequency_hz": { - "frequency_hz": {} - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": {} - }, - "maximum_bandwidth": { - "bandwidth_hz": {} - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - }, - "snapshot": true - } - ], - "owner": { - "entity_id": "example" - } - } - } - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "UpdateStatus", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "UpdateStatus", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "UNARY" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Update the status of a Task." - }, - { - "id": "ListenAsAgent", - "name": { - "originalName": "anduril.taskmanager.v1.ListenAsAgent", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ListenAsAgent", - "safeName": "andurilTaskmanagerV1ListenAsAgent" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_listen_as_agent", - "safeName": "anduril_taskmanager_v_1_listen_as_agent" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT", - "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ListenAsAgent", - "safeName": "AndurilTaskmanagerV1ListenAsAgent" - } - }, - "requestBody": { - "type": "reference", - "requestBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ListenAsAgentRequest", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ListenAsAgentRequest", - "safeName": "andurilTaskmanagerV1ListenAsAgentRequest" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_request", - "safeName": "anduril_taskmanager_v_1_listen_as_agent_request" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST", - "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ListenAsAgentRequest", - "safeName": "AndurilTaskmanagerV1ListenAsAgentRequest" - } - }, - "typeId": "anduril.taskmanager.v1.ListenAsAgentRequest", - "default": null, - "inline": false, - "displayName": "ListenAsAgentRequest" - }, - "docs": null, - "contentType": "application/proto", - "v2Examples": null - }, - "v2RequestBodies": null, - "response": { - "body": { - "type": "json", - "value": { - "type": "response", - "responseBodyType": { - "_type": "named", - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "name": { - "originalName": "anduril.taskmanager.v1.ListenAsAgentResponse", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1ListenAsAgentResponse", - "safeName": "andurilTaskmanagerV1ListenAsAgentResponse" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_response", - "safeName": "anduril_taskmanager_v_1_listen_as_agent_response" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE", - "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1ListenAsAgentResponse", - "safeName": "AndurilTaskmanagerV1ListenAsAgentResponse" - } - }, - "typeId": "anduril.taskmanager.v1.ListenAsAgentResponse", - "default": null, - "inline": false, - "displayName": "ListenAsAgentResponse" - }, - "docs": null, - "v2Examples": null - } - }, - "status-code": null, - "isWildcardStatusCode": null - }, - "v2Responses": null, - "displayName": "ListenAsAgent", - "method": "POST", - "baseUrl": null, - "v2BaseUrls": null, - "v2Examples": { - "userSpecifiedExamples": {}, - "autogeneratedExamples": { - "4": { - "displayName": null, - "request": { - "endpoint": { - "method": "POST", - "path": "" - }, - "baseURL": null, - "environment": null, - "auth": null, - "headers": null, - "pathParameters": null, - "queryParameters": null, - "requestBody": { - "agent_selector": { - "entity_ids": { - "entity_ids": [ - "example" - ] - } - } - }, - "docs": null - }, - "response": { - "statusCode": 200, - "body": { - "type": "json", - "value": { - "request": { - "execute_request": { - "task": { - "version": { - "task_id": "example", - "definition_version": 42, - "status_version": 42 - }, - "display_name": "example", - "specification": { - "type_url": "example", - "value": "bytes" - }, - "created_by": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "last_updated_by": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "last_update_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "status": 0, - "task_error": { - "code": 0, - "message": "example", - "error_details": { - "type_url": "example", - "value": "bytes" - } - }, - "progress": { - "type_url": "example", - "value": "bytes" - }, - "result": { - "type_url": "example", - "value": "bytes" - }, - "start_time": { - "seconds": 42, - "nanos": 42 - }, - "estimate": { - "type_url": "example", - "value": "bytes" - }, - "allocation": { - "active_agents": [ - { - "entity_id": "example" - } - ] - } - }, - "scheduled_time": { - "seconds": 42, - "nanos": 42 - }, - "relations": { - "assignee": { - "on_behalf_of": {}, - "agent": { - "system": { - "service_name": "example", - "entity_id": "example", - "manages_own_scheduling": true - } - } - }, - "parent_task_id": "example" - }, - "description": "example", - "is_executed_elsewhere": true, - "create_time": { - "seconds": 42, - "nanos": 42 - }, - "replication": { - "stale_time": { - "seconds": 42, - "nanos": 42 - } - }, - "initial_entities": [ - { - "entity": { - "entity_id": "example", - "description": "example", - "is_live": true, - "created_time": { - "seconds": 42, - "nanos": 42 - }, - "expiry_time": { - "seconds": 42, - "nanos": 42 - }, - "status": { - "platform_activity": "example", - "role": "example" - }, - "location": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "velocity_enu": { - "e": 42, - "n": 42, - "u": 42 - }, - "speed_mps": { - "value": 42 - }, - "acceleration": { - "e": 42, - "n": 42, - "u": 42 - }, - "attitude_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "location_uncertainty": { - "position_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "velocity_enu_cov": { - "mxx": 42, - "mxy": 42, - "mxz": 42, - "myy": 42, - "myz": 42, - "mzz": 42 - }, - "position_error_ellipse": { - "probability": { - "value": 42 - }, - "semi_major_axis_m": { - "value": 42 - }, - "semi_minor_axis_m": { - "value": 42 - }, - "orientation_d": { - "value": 42 - } - } - }, - "geo_shape": { - "shape": { - "point": { - "position": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - } - } - }, - "geo_details": { - "type": 0 - }, - "aliases": { - "alternate_ids": [ - { - "id": "example", - "type": 0 - } - ], - "name": "example" - }, - "tracked": { - "track_quality_wrapper": { - "value": 42 - }, - "sensor_hits": { - "value": 42 - }, - "number_of_objects": { - "lower_bound": 42, - "upper_bound": 42 - }, - "radar_cross_section": { - "value": 42 - }, - "last_measurement_time": { - "seconds": 42, - "nanos": 42 - }, - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - }, - "correlation": { - "membership": { - "correlation_set_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - }, - "membership": { - "primary": {} - } - }, - "decorrelation": { - "all": { - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - }, - "decorrelated_entities": [ - { - "entity_id": "example", - "metadata": { - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "replication_mode": 0, - "type": 0 - } - } - ] - }, - "correlation": { - "primary": { - "secondary_entity_ids": [ - "example" - ] - } - } - }, - "mil_view": { - "disposition": 0, - "environment": 0, - "nationality": 0 - }, - "ontology": { - "platform_type": "example", - "specific_type": "example", - "template": 0 - }, - "sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "maximum_frequency_hz": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - }, - "maximum_bandwidth": { - "bandwidth_hz": { - "value": 42 - } - } - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "upper_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_right": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "bottom_left": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - } - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "center_ray_pose": { - "pos": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": { - "value": 42 - }, - "altitude_agl_meters": { - "value": 42 - }, - "altitude_asf_meters": { - "value": 42 - }, - "pressure_depth_meters": { - "value": 42 - } - }, - "orientation": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "payloads": { - "payload_configurations": [ - { - "config": { - "capability_id": "example", - "quantity": 42, - "effective_environment": [ - 0 - ], - "payload_operational_state": 0, - "payload_description": "example" - } - } - ] - }, - "power_state": { - "source_id_to_state": [ - null - ] - }, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "overrides": { - "override": [ - { - "request_id": "example", - "field_path": "example", - "masked_field_value": {}, - "status": 0, - "provenance": { - "integration_name": "example", - "data_type": "example", - "source_id": "example", - "source_update_time": { - "seconds": 42, - "nanos": 42 - }, - "source_description": "example" - }, - "type": 0, - "request_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - ] - }, - "indicators": { - "simulated": { - "value": true - }, - "exercise": { - "value": true - }, - "emergency": { - "value": true - }, - "c2": { - "value": true - }, - "egressable": { - "value": true - }, - "starred": { - "value": true - } - }, - "target_priority": { - "high_value_target": { - "is_high_value_target": true, - "target_priority": 42, - "target_matches": [ - { - "high_value_target_list_id": "example", - "high_value_target_description_id": "example" - } - ], - "is_high_payoff_target": true - }, - "threat": { - "is_threat": true - } - }, - "signal": { - "bandwidth_hz": { - "value": 42 - }, - "signal_to_noise_ratio": { - "value": 42 - }, - "emitter_notations": [ - { - "emitter_notation": "example", - "confidence": { - "value": 42 - } - } - ], - "pulse_width_s": { - "value": 42 - }, - "pulse_repetition_interval": { - "pulse_repetition_interval_s": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - }, - "scan_characteristics": { - "scan_type": 0, - "scan_period_s": { - "value": 42 - } - }, - "frequency_measurement": { - "frequency_center": { - "frequency_hz": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - }, - "report": { - "line_of_bearing": { - "angle_of_arrival": { - "relative_pose": { - "pos": { - "lon": 42, - "lat": 42, - "alt": 42, - "is2d": true, - "altitude_reference": 0 - }, - "att_enu": { - "x": 42, - "y": 42, - "z": 42, - "w": 42 - } - }, - "bearing_elevation_covariance_rad2": { - "mxx": 42, - "mxy": 42, - "myy": 42 - } - }, - "detection_range": { - "range_estimate_m": { - "value": { - "value": 42 - }, - "sigma": { - "value": 42 - } - } - } - } - } - }, - "transponder_codes": { - "mode1": 42, - "mode2": 42, - "mode3": 42, - "mode4_interrogation_response": 0, - "mode5": { - "mode5_interrogation_response": 0, - "mode5": 42, - "mode5_platform_id": 42 - }, - "mode_s": { - "id": "example", - "address": 42 - } - }, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "task_catalog": { - "task_definitions": [ - { - "task_specification_url": "example" - } - ] - }, - "relationships": { - "relationships": [ - { - "related_entity_id": "example", - "relationship_id": "example", - "relationship_type": { - "type": { - "tracked_by": { - "actively_tracking_sensors": { - "sensors": [ - { - "sensor_id": "example", - "operational_state": 0, - "sensor_type": 0, - "sensor_description": "example", - "rf_configuraton": { - "frequency_range_hz": [ - { - "minimum_frequency_hz": {}, - "maximum_frequency_hz": {} - } - ], - "bandwidth_range_hz": [ - { - "minimum_bandwidth": {}, - "maximum_bandwidth": {} - } - ] - }, - "last_detection_timestamp": { - "seconds": 42, - "nanos": 42 - }, - "fields_of_view": [ - { - "fov_id": 42, - "mount_id": "example", - "projected_frustum": { - "upper_left": {}, - "upper_right": {}, - "bottom_right": {}, - "bottom_left": {} - }, - "projected_center_ray": { - "latitude_degrees": 42, - "longitude_degrees": 42, - "altitude_hae_meters": {}, - "altitude_agl_meters": {}, - "altitude_asf_meters": {}, - "pressure_depth_meters": {} - }, - "center_ray_pose": { - "pos": {}, - "orientation": {} - }, - "horizontal_fov": 42, - "vertical_fov": 42, - "range": { - "value": 42 - }, - "mode": 0 - } - ] - } - ] - }, - "last_measurement_timestamp": { - "seconds": 42, - "nanos": 42 - } - } - } - } - } - ] - }, - "visual_details": { - "range_rings": { - "min_distance_m": { - "value": 42 - }, - "max_distance_m": { - "value": 42 - }, - "ring_count": 42, - "ring_line_color": { - "red": 42, - "green": 42, - "blue": 42, - "alpha": { - "value": 42 - } - } - } - }, - "dimensions": { - "length_m": 42 - }, - "route_details": { - "destination_name": "example", - "estimated_arrival_time": { - "seconds": 42, - "nanos": 42 - } - }, - "schedules": { - "schedules": [ - { - "windows": [ - { - "cron_expression": "example", - "duration_millis": 42 - } - ], - "schedule_id": "example", - "schedule_type": 0 - } - ] - }, - "health": { - "connection_status": 0, - "health_status": 0, - "components": [ - { - "id": "example", - "name": "example", - "health": 0, - "messages": [ - { - "status": 0, - "message": "example" - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - } - } - ], - "update_time": { - "seconds": 42, - "nanos": 42 - }, - "active_alerts": [ - { - "alert_code": "example", - "description": "example", - "level": 0, - "activated_time": { - "seconds": 42, - "nanos": 42 - }, - "active_conditions": [ - { - "condition_code": "example", - "description": "example" - } - ] - } - ] - }, - "group_details": { - "group_type": { - "team": {} - } - }, - "supplies": { - "fuel": [ - { - "fuel_id": "example", - "name": "example", - "reported_date": { - "seconds": 42, - "nanos": 42 - }, - "amount_gallons": 42, - "max_authorized_capacity_gallons": 42, - "operational_requirement_gallons": 42, - "data_classification": { - "default": { - "level": 0, - "caveats": [ - "example" - ] - }, - "fields": [ - { - "field_path": "example", - "classification_information": { - "level": 0, - "caveats": [ - "example" - ] - } - } - ] - }, - "data_source": "example" - } - ] - }, - "orbit": { - "orbit_mean_elements": { - "metadata": { - "creation_date": { - "seconds": 42, - "nanos": 42 - }, - "originator": { - "value": "example" - }, - "message_id": { - "value": "example" - }, - "ref_frame": 0, - "ref_frame_epoch": { - "seconds": 42, - "nanos": 42 - }, - "mean_element_theory": 0 - }, - "mean_keplerian_elements": { - "epoch": { - "seconds": 42, - "nanos": 42 - }, - "eccentricity": 42, - "inclination_deg": 42, - "ra_of_asc_node_deg": 42, - "arg_of_pericenter_deg": 42, - "mean_anomaly_deg": 42, - "gm": { - "value": 42 - }, - "line2_field8": { - "semi_major_axis_km": 42 - } - }, - "tle_parameters": { - "ephemeris_type": { - "value": 42 - }, - "classification_type": { - "value": "example" - }, - "norad_cat_id": { - "value": 42 - }, - "element_set_no": { - "value": 42 - }, - "rev_at_epoch": { - "value": 42 - }, - "mean_motion_dot": { - "value": 42 - }, - "line1_field11": { - "bstar": 42 - }, - "line1_field10": { - "mean_motion_ddot": 42 - } - } - } - } - }, - "snapshot": true - } - ], - "owner": { - "entity_id": "example" - } - } - } - } - } - }, - "docs": null - }, - "codeSamples": [] - } - } - }, - "path": { - "head": "ListenAsAgent", - "parts": [] - }, - "pathParameters": [], - "queryParameters": [], - "headers": [], - "sdkRequest": null, - "errors": [], - "auth": false, - "security": null, - "userSpecifiedExamples": [], - "autogeneratedExamples": [], - "idempotent": false, - "basePath": null, - "fullPath": { - "head": "ListenAsAgent", - "parts": [] - }, - "allPathParameters": [], - "pagination": null, - "transport": null, - "source": { - "type": "proto", - "methodType": "SERVER_STREAM" - }, - "audiences": [], - "retries": null, - "apiPlayground": null, - "availability": null, - "docs": "Stream Tasks ready for RPC Agent execution that match agent selector (ex: entity_ids).\\n Intended for use by Taskable Agents that need to receive Tasks ready for execution by RPC." - } - ], - "transport": null, - "encoding": null, - "audiences": null - } - }, - "webhookGroups": {}, - "subpackages": { - "subpackage_anduril.entitymanager.v1": { - "name": { - "originalName": "anduril.entitymanager.v1", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1", - "safeName": "andurilEntitymanagerV1" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1", - "safeName": "anduril_entitymanager_v_1" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1", - "safeName": "ANDURIL_ENTITYMANAGER_V_1" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1", - "safeName": "AndurilEntitymanagerV1" - } - }, - "displayName": "anduril.entitymanager.v1", - "fernFilepath": { - "allParts": [ - { - "originalName": "anduril.entitymanager.v1", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1", - "safeName": "andurilEntitymanagerV1" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1", - "safeName": "anduril_entitymanager_v_1" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1", - "safeName": "ANDURIL_ENTITYMANAGER_V_1" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1", - "safeName": "AndurilEntitymanagerV1" - } - } - ], - "packagePath": [], - "file": { - "originalName": "anduril.entitymanager.v1", - "camelCase": { - "unsafeName": "andurilEntitymanagerV1", - "safeName": "andurilEntitymanagerV1" - }, - "snakeCase": { - "unsafeName": "anduril_entitymanager_v_1", - "safeName": "anduril_entitymanager_v_1" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_ENTITYMANAGER_V_1", - "safeName": "ANDURIL_ENTITYMANAGER_V_1" - }, - "pascalCase": { - "unsafeName": "AndurilEntitymanagerV1", - "safeName": "AndurilEntitymanagerV1" - } - } - }, - "service": null, - "types": [], - "errors": [], - "subpackages": [ - "subpackage_anduril.entitymanager.v1/EntityManagerAPI" - ], - "webhooks": null, - "websocket": null, - "hasEndpointsInTree": false, - "navigationConfig": null, - "docs": null - }, - "subpackage_anduril.entitymanager.v1/EntityManagerAPI": { - "name": { - "originalName": "EntityManagerAPI", - "camelCase": { - "unsafeName": "entityManagerApi", - "safeName": "entityManagerApi" - }, - "snakeCase": { - "unsafeName": "entity_manager_api", - "safeName": "entity_manager_api" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_MANAGER_API", - "safeName": "ENTITY_MANAGER_API" - }, - "pascalCase": { - "unsafeName": "EntityManagerApi", - "safeName": "EntityManagerApi" - } - }, - "displayName": "EntityManagerAPI", - "fernFilepath": { - "allParts": [ - { - "originalName": "EntityManagerAPI", - "camelCase": { - "unsafeName": "entityManagerApi", - "safeName": "entityManagerApi" - }, - "snakeCase": { - "unsafeName": "entity_manager_api", - "safeName": "entity_manager_api" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_MANAGER_API", - "safeName": "ENTITY_MANAGER_API" - }, - "pascalCase": { - "unsafeName": "EntityManagerApi", - "safeName": "EntityManagerApi" - } - } - ], - "packagePath": [], - "file": { - "originalName": "EntityManagerAPI", - "camelCase": { - "unsafeName": "entityManagerApi", - "safeName": "entityManagerApi" - }, - "snakeCase": { - "unsafeName": "entity_manager_api", - "safeName": "entity_manager_api" - }, - "screamingSnakeCase": { - "unsafeName": "ENTITY_MANAGER_API", - "safeName": "ENTITY_MANAGER_API" - }, - "pascalCase": { - "unsafeName": "EntityManagerApi", - "safeName": "EntityManagerApi" - } - } - }, - "service": "anduril.entitymanager.v1.EntityManagerAPI", - "types": [], - "errors": [], - "subpackages": [], - "webhooks": null, - "websocket": null, - "hasEndpointsInTree": false, - "navigationConfig": null, - "docs": null - }, - "subpackage_anduril.taskmanager.v1": { - "name": { - "originalName": "anduril.taskmanager.v1", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1", - "safeName": "andurilTaskmanagerV1" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1", - "safeName": "anduril_taskmanager_v_1" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1", - "safeName": "ANDURIL_TASKMANAGER_V_1" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1", - "safeName": "AndurilTaskmanagerV1" - } - }, - "displayName": "anduril.taskmanager.v1", - "fernFilepath": { - "allParts": [ - { - "originalName": "anduril.taskmanager.v1", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1", - "safeName": "andurilTaskmanagerV1" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1", - "safeName": "anduril_taskmanager_v_1" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1", - "safeName": "ANDURIL_TASKMANAGER_V_1" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1", - "safeName": "AndurilTaskmanagerV1" - } - } - ], - "packagePath": [], - "file": { - "originalName": "anduril.taskmanager.v1", - "camelCase": { - "unsafeName": "andurilTaskmanagerV1", - "safeName": "andurilTaskmanagerV1" - }, - "snakeCase": { - "unsafeName": "anduril_taskmanager_v_1", - "safeName": "anduril_taskmanager_v_1" - }, - "screamingSnakeCase": { - "unsafeName": "ANDURIL_TASKMANAGER_V_1", - "safeName": "ANDURIL_TASKMANAGER_V_1" - }, - "pascalCase": { - "unsafeName": "AndurilTaskmanagerV1", - "safeName": "AndurilTaskmanagerV1" - } - } - }, - "service": null, - "types": [], - "errors": [], - "subpackages": [ - "subpackage_anduril.taskmanager.v1/TaskManagerAPI" - ], - "webhooks": null, - "websocket": null, - "hasEndpointsInTree": false, - "navigationConfig": null, - "docs": null - }, - "subpackage_anduril.taskmanager.v1/TaskManagerAPI": { - "name": { - "originalName": "TaskManagerAPI", - "camelCase": { - "unsafeName": "taskManagerApi", - "safeName": "taskManagerApi" - }, - "snakeCase": { - "unsafeName": "task_manager_api", - "safeName": "task_manager_api" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_MANAGER_API", - "safeName": "TASK_MANAGER_API" - }, - "pascalCase": { - "unsafeName": "TaskManagerApi", - "safeName": "TaskManagerApi" - } - }, - "displayName": "TaskManagerAPI", - "fernFilepath": { - "allParts": [ - { - "originalName": "TaskManagerAPI", - "camelCase": { - "unsafeName": "taskManagerApi", - "safeName": "taskManagerApi" - }, - "snakeCase": { - "unsafeName": "task_manager_api", - "safeName": "task_manager_api" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_MANAGER_API", - "safeName": "TASK_MANAGER_API" - }, - "pascalCase": { - "unsafeName": "TaskManagerApi", - "safeName": "TaskManagerApi" - } - } - ], - "packagePath": [], - "file": { - "originalName": "TaskManagerAPI", - "camelCase": { - "unsafeName": "taskManagerApi", - "safeName": "taskManagerApi" - }, - "snakeCase": { - "unsafeName": "task_manager_api", - "safeName": "task_manager_api" - }, - "screamingSnakeCase": { - "unsafeName": "TASK_MANAGER_API", - "safeName": "TASK_MANAGER_API" - }, - "pascalCase": { - "unsafeName": "TaskManagerApi", - "safeName": "TaskManagerApi" - } - } - }, - "service": "anduril.taskmanager.v1.TaskManagerAPI", - "types": [], - "errors": [], - "subpackages": [], - "webhooks": null, - "websocket": null, - "hasEndpointsInTree": false, - "navigationConfig": null, - "docs": null - } - }, - "websocketChannels": {}, - "rootPackage": { - "service": null, - "types": [], - "errors": [], - "subpackages": [ - "subpackage_anduril.entitymanager.v1", - "subpackage_anduril.taskmanager.v1" - ], - "fernFilepath": { - "allParts": [], - "packagePath": [], - "file": null - }, - "webhooks": null, - "websocket": null, - "hasEndpointsInTree": false, - "navigationConfig": null, - "docs": null - }, - "fdrApiDefinitionId": null, - "apiVersion": null, - "idempotencyHeaders": [], - "pathParameters": [], - "errorDiscriminationStrategy": { - "type": "statusCode" - }, - "variables": [], - "serviceTypeReferenceInfo": { - "sharedTypes": [], - "typesReferencedOnlyByService": {} - }, - "readmeConfig": null, - "sourceConfig": null, - "publishConfig": null, - "dynamic": null, - "sdkConfig": { - "hasFileDownloadEndpoints": false, - "hasPaginatedEndpoints": false, - "hasStreamingEndpoints": false, - "isAuthMandatory": true, - "platformHeaders": { - "language": "", - "sdkName": "", - "sdkVersion": "", - "userAgent": null - } - }, - "audiences": [], - "generationMetadata": null, - "apiPlayground": null -}" -`; From c101b9cddf22e1e1b8f3ca8062925bd1c547abfc Mon Sep 17 00:00:00 2001 From: Devin AI <158243242+devin-ai-integration[bot]@users.noreply.github.com> Date: Sat, 6 Dec 2025 21:14:15 +0000 Subject: [PATCH 3/8] chore: update diff test snapshots with inline field Co-Authored-By: tanmay.singh@buildwithfern.com --- .../ete-tests/src/tests/diff/__snapshots__/diff.test.ts.snap | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/packages/cli/ete-tests/src/tests/diff/__snapshots__/diff.test.ts.snap b/packages/cli/ete-tests/src/tests/diff/__snapshots__/diff.test.ts.snap index 0348091fe96e..60676810c171 100644 --- a/packages/cli/ete-tests/src/tests/diff/__snapshots__/diff.test.ts.snap +++ b/packages/cli/ete-tests/src/tests/diff/__snapshots__/diff.test.ts.snap @@ -1,5 +1,5 @@ // Vitest Snapshot v1, https://vitest.dev/guide/snapshot.html -exports[`non-breaking 1`] = `"{"bump":"major","nextVersion":"2.0.0"}"`; +exports[`breaking 1`] = `"{"bump":"major","nextVersion":"2.0.0"}"`; -exports[`non-breaking 2`] = `"{"bump":"minor","nextVersion":"1.2.0"}"`; +exports[`non-breaking 1`] = `"{"bump":"minor","nextVersion":"1.2.0"}"`; From 58711f0e853f7f999c9b95677f1a3cca3576f4eb Mon Sep 17 00:00:00 2001 From: Devin AI <158243242+devin-ai-integration[bot]@users.noreply.github.com> Date: Sat, 6 Dec 2025 21:20:36 +0000 Subject: [PATCH 4/8] chore: restore protoc-gen-fern snapshot from main Co-Authored-By: tanmay.singh@buildwithfern.com --- .../protoc-gen-fern.test.ts.snap | 94308 ++++++++++++++++ 1 file changed, 94308 insertions(+) create mode 100644 packages/cli/ete-tests/src/tests/protoc-gen-fern/__snapshots__/protoc-gen-fern.test.ts.snap diff --git a/packages/cli/ete-tests/src/tests/protoc-gen-fern/__snapshots__/protoc-gen-fern.test.ts.snap b/packages/cli/ete-tests/src/tests/protoc-gen-fern/__snapshots__/protoc-gen-fern.test.ts.snap new file mode 100644 index 000000000000..7055991c47e4 --- /dev/null +++ b/packages/cli/ete-tests/src/tests/protoc-gen-fern/__snapshots__/protoc-gen-fern.test.ts.snap @@ -0,0 +1,94308 @@ +// Vitest Snapshot v1, https://vitest.dev/guide/snapshot.html + +exports[`fern protoc-gen-fern > test with buf 1`] = ` +"{ + "apiName": { + "originalName": "", + "camelCase": { + "unsafeName": "", + "safeName": "" + }, + "snakeCase": { + "unsafeName": "", + "safeName": "" + }, + "screamingSnakeCase": { + "unsafeName": "", + "safeName": "" + }, + "pascalCase": { + "unsafeName": "", + "safeName": "" + } + }, + "basePath": null, + "selfHosted": false, + "apiDisplayName": null, + "apiDocs": null, + "auth": { + "requirement": "ALL", + "schemes": [], + "docs": null + }, + "headers": [], + "environments": null, + "types": { + "anduril.entitymanager.v1.ClassificationLevels": { + "name": { + "typeId": "anduril.entitymanager.v1.ClassificationLevels", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ClassificationLevels", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ClassificationLevels", + "safeName": "andurilEntitymanagerV1ClassificationLevels" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_classification_levels", + "safeName": "anduril_entitymanager_v_1_classification_levels" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_LEVELS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_LEVELS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ClassificationLevels", + "safeName": "AndurilEntitymanagerV1ClassificationLevels" + } + }, + "displayName": "ClassificationLevels" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "CLASSIFICATION_LEVELS_INVALID", + "camelCase": { + "unsafeName": "classificationLevelsInvalid", + "safeName": "classificationLevelsInvalid" + }, + "snakeCase": { + "unsafeName": "classification_levels_invalid", + "safeName": "classification_levels_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "CLASSIFICATION_LEVELS_INVALID", + "safeName": "CLASSIFICATION_LEVELS_INVALID" + }, + "pascalCase": { + "unsafeName": "ClassificationLevelsInvalid", + "safeName": "ClassificationLevelsInvalid" + } + }, + "wireValue": "CLASSIFICATION_LEVELS_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CLASSIFICATION_LEVELS_UNCLASSIFIED", + "camelCase": { + "unsafeName": "classificationLevelsUnclassified", + "safeName": "classificationLevelsUnclassified" + }, + "snakeCase": { + "unsafeName": "classification_levels_unclassified", + "safeName": "classification_levels_unclassified" + }, + "screamingSnakeCase": { + "unsafeName": "CLASSIFICATION_LEVELS_UNCLASSIFIED", + "safeName": "CLASSIFICATION_LEVELS_UNCLASSIFIED" + }, + "pascalCase": { + "unsafeName": "ClassificationLevelsUnclassified", + "safeName": "ClassificationLevelsUnclassified" + } + }, + "wireValue": "CLASSIFICATION_LEVELS_UNCLASSIFIED" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CLASSIFICATION_LEVELS_CONTROLLED_UNCLASSIFIED", + "camelCase": { + "unsafeName": "classificationLevelsControlledUnclassified", + "safeName": "classificationLevelsControlledUnclassified" + }, + "snakeCase": { + "unsafeName": "classification_levels_controlled_unclassified", + "safeName": "classification_levels_controlled_unclassified" + }, + "screamingSnakeCase": { + "unsafeName": "CLASSIFICATION_LEVELS_CONTROLLED_UNCLASSIFIED", + "safeName": "CLASSIFICATION_LEVELS_CONTROLLED_UNCLASSIFIED" + }, + "pascalCase": { + "unsafeName": "ClassificationLevelsControlledUnclassified", + "safeName": "ClassificationLevelsControlledUnclassified" + } + }, + "wireValue": "CLASSIFICATION_LEVELS_CONTROLLED_UNCLASSIFIED" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CLASSIFICATION_LEVELS_CONFIDENTIAL", + "camelCase": { + "unsafeName": "classificationLevelsConfidential", + "safeName": "classificationLevelsConfidential" + }, + "snakeCase": { + "unsafeName": "classification_levels_confidential", + "safeName": "classification_levels_confidential" + }, + "screamingSnakeCase": { + "unsafeName": "CLASSIFICATION_LEVELS_CONFIDENTIAL", + "safeName": "CLASSIFICATION_LEVELS_CONFIDENTIAL" + }, + "pascalCase": { + "unsafeName": "ClassificationLevelsConfidential", + "safeName": "ClassificationLevelsConfidential" + } + }, + "wireValue": "CLASSIFICATION_LEVELS_CONFIDENTIAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CLASSIFICATION_LEVELS_SECRET", + "camelCase": { + "unsafeName": "classificationLevelsSecret", + "safeName": "classificationLevelsSecret" + }, + "snakeCase": { + "unsafeName": "classification_levels_secret", + "safeName": "classification_levels_secret" + }, + "screamingSnakeCase": { + "unsafeName": "CLASSIFICATION_LEVELS_SECRET", + "safeName": "CLASSIFICATION_LEVELS_SECRET" + }, + "pascalCase": { + "unsafeName": "ClassificationLevelsSecret", + "safeName": "ClassificationLevelsSecret" + } + }, + "wireValue": "CLASSIFICATION_LEVELS_SECRET" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CLASSIFICATION_LEVELS_TOP_SECRET", + "camelCase": { + "unsafeName": "classificationLevelsTopSecret", + "safeName": "classificationLevelsTopSecret" + }, + "snakeCase": { + "unsafeName": "classification_levels_top_secret", + "safeName": "classification_levels_top_secret" + }, + "screamingSnakeCase": { + "unsafeName": "CLASSIFICATION_LEVELS_TOP_SECRET", + "safeName": "CLASSIFICATION_LEVELS_TOP_SECRET" + }, + "pascalCase": { + "unsafeName": "ClassificationLevelsTopSecret", + "safeName": "ClassificationLevelsTopSecret" + } + }, + "wireValue": "CLASSIFICATION_LEVELS_TOP_SECRET" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "An enumeration of security classification levels." + }, + "anduril.entitymanager.v1.Classification": { + "name": { + "typeId": "anduril.entitymanager.v1.Classification", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Classification", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Classification", + "safeName": "andurilEntitymanagerV1Classification" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_classification", + "safeName": "anduril_entitymanager_v_1_classification" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Classification", + "safeName": "AndurilEntitymanagerV1Classification" + } + }, + "displayName": "Classification" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "default", + "camelCase": { + "unsafeName": "default", + "safeName": "default" + }, + "snakeCase": { + "unsafeName": "default", + "safeName": "default" + }, + "screamingSnakeCase": { + "unsafeName": "DEFAULT", + "safeName": "DEFAULT" + }, + "pascalCase": { + "unsafeName": "Default", + "safeName": "Default" + } + }, + "wireValue": "default" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ClassificationInformation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ClassificationInformation", + "safeName": "andurilEntitymanagerV1ClassificationInformation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_classification_information", + "safeName": "anduril_entitymanager_v_1_classification_information" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ClassificationInformation", + "safeName": "AndurilEntitymanagerV1ClassificationInformation" + } + }, + "typeId": "anduril.entitymanager.v1.ClassificationInformation", + "default": null, + "inline": false, + "displayName": "default" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The default classification information which should be assumed to apply to everything in\\n the entity unless a specific field level classification is present." + }, + { + "name": { + "name": { + "originalName": "fields", + "camelCase": { + "unsafeName": "fields", + "safeName": "fields" + }, + "snakeCase": { + "unsafeName": "fields", + "safeName": "fields" + }, + "screamingSnakeCase": { + "unsafeName": "FIELDS", + "safeName": "FIELDS" + }, + "pascalCase": { + "unsafeName": "Fields", + "safeName": "Fields" + } + }, + "wireValue": "fields" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.FieldClassificationInformation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1FieldClassificationInformation", + "safeName": "andurilEntitymanagerV1FieldClassificationInformation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_field_classification_information", + "safeName": "anduril_entitymanager_v_1_field_classification_information" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_CLASSIFICATION_INFORMATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_CLASSIFICATION_INFORMATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1FieldClassificationInformation", + "safeName": "AndurilEntitymanagerV1FieldClassificationInformation" + } + }, + "typeId": "anduril.entitymanager.v1.FieldClassificationInformation", + "default": null, + "inline": false, + "displayName": "fields" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The set of individual field classification information which should always precedence\\n over the default classification information." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A component that describes an entity's security classification levels." + }, + "anduril.entitymanager.v1.FieldClassificationInformation": { + "name": { + "typeId": "anduril.entitymanager.v1.FieldClassificationInformation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.FieldClassificationInformation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1FieldClassificationInformation", + "safeName": "andurilEntitymanagerV1FieldClassificationInformation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_field_classification_information", + "safeName": "anduril_entitymanager_v_1_field_classification_information" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_CLASSIFICATION_INFORMATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_CLASSIFICATION_INFORMATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1FieldClassificationInformation", + "safeName": "AndurilEntitymanagerV1FieldClassificationInformation" + } + }, + "displayName": "FieldClassificationInformation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "field_path", + "camelCase": { + "unsafeName": "fieldPath", + "safeName": "fieldPath" + }, + "snakeCase": { + "unsafeName": "field_path", + "safeName": "field_path" + }, + "screamingSnakeCase": { + "unsafeName": "FIELD_PATH", + "safeName": "FIELD_PATH" + }, + "pascalCase": { + "unsafeName": "FieldPath", + "safeName": "FieldPath" + } + }, + "wireValue": "field_path" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Proto field path which is the string representation of a field.\\n > example: signal.bandwidth_hz would be bandwidth_hz in the signal component" + }, + { + "name": { + "name": { + "originalName": "classification_information", + "camelCase": { + "unsafeName": "classificationInformation", + "safeName": "classificationInformation" + }, + "snakeCase": { + "unsafeName": "classification_information", + "safeName": "classification_information" + }, + "screamingSnakeCase": { + "unsafeName": "CLASSIFICATION_INFORMATION", + "safeName": "CLASSIFICATION_INFORMATION" + }, + "pascalCase": { + "unsafeName": "ClassificationInformation", + "safeName": "ClassificationInformation" + } + }, + "wireValue": "classification_information" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ClassificationInformation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ClassificationInformation", + "safeName": "andurilEntitymanagerV1ClassificationInformation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_classification_information", + "safeName": "anduril_entitymanager_v_1_classification_information" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ClassificationInformation", + "safeName": "AndurilEntitymanagerV1ClassificationInformation" + } + }, + "typeId": "anduril.entitymanager.v1.ClassificationInformation", + "default": null, + "inline": false, + "displayName": "classification_information" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The information which makes up the field level classification marking." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A field specific classification information definition." + }, + "anduril.entitymanager.v1.ClassificationInformation": { + "name": { + "typeId": "anduril.entitymanager.v1.ClassificationInformation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ClassificationInformation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ClassificationInformation", + "safeName": "andurilEntitymanagerV1ClassificationInformation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_classification_information", + "safeName": "anduril_entitymanager_v_1_classification_information" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_INFORMATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ClassificationInformation", + "safeName": "AndurilEntitymanagerV1ClassificationInformation" + } + }, + "displayName": "ClassificationInformation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "level", + "camelCase": { + "unsafeName": "level", + "safeName": "level" + }, + "snakeCase": { + "unsafeName": "level", + "safeName": "level" + }, + "screamingSnakeCase": { + "unsafeName": "LEVEL", + "safeName": "LEVEL" + }, + "pascalCase": { + "unsafeName": "Level", + "safeName": "Level" + } + }, + "wireValue": "level" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ClassificationLevels", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ClassificationLevels", + "safeName": "andurilEntitymanagerV1ClassificationLevels" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_classification_levels", + "safeName": "anduril_entitymanager_v_1_classification_levels" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_LEVELS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION_LEVELS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ClassificationLevels", + "safeName": "AndurilEntitymanagerV1ClassificationLevels" + } + }, + "typeId": "anduril.entitymanager.v1.ClassificationLevels", + "default": null, + "inline": false, + "displayName": "level" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Classification level to be applied to the information in question." + }, + { + "name": { + "name": { + "originalName": "caveats", + "camelCase": { + "unsafeName": "caveats", + "safeName": "caveats" + }, + "snakeCase": { + "unsafeName": "caveats", + "safeName": "caveats" + }, + "screamingSnakeCase": { + "unsafeName": "CAVEATS", + "safeName": "CAVEATS" + }, + "pascalCase": { + "unsafeName": "Caveats", + "safeName": "Caveats" + } + }, + "wireValue": "caveats" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Caveats that may further restrict how the information can be disseminated." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents all of the necessary information required to generate a summarized\\n classification marking.\\n\\n > example: A summarized classification marking of \\"TOPSECRET//NOFORN//FISA\\"\\n would be defined as: { \\"level\\": 5, \\"caveats\\": [ \\"NOFORN, \\"FISA\\" ] }" + }, + "anduril.entitymanager.v1.Dimensions": { + "name": { + "typeId": "anduril.entitymanager.v1.Dimensions", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Dimensions", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Dimensions", + "safeName": "andurilEntitymanagerV1Dimensions" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_dimensions", + "safeName": "anduril_entitymanager_v_1_dimensions" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DIMENSIONS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_DIMENSIONS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Dimensions", + "safeName": "AndurilEntitymanagerV1Dimensions" + } + }, + "displayName": "Dimensions" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "length_m", + "camelCase": { + "unsafeName": "lengthM", + "safeName": "lengthM" + }, + "snakeCase": { + "unsafeName": "length_m", + "safeName": "length_m" + }, + "screamingSnakeCase": { + "unsafeName": "LENGTH_M", + "safeName": "LENGTH_M" + }, + "pascalCase": { + "unsafeName": "LengthM", + "safeName": "LengthM" + } + }, + "wireValue": "length_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Length of the entity in meters" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.ThetaPhi": { + "name": { + "typeId": "anduril.type.ThetaPhi", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.ThetaPhi", + "camelCase": { + "unsafeName": "andurilTypeThetaPhi", + "safeName": "andurilTypeThetaPhi" + }, + "snakeCase": { + "unsafeName": "anduril_type_theta_phi", + "safeName": "anduril_type_theta_phi" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_THETA_PHI", + "safeName": "ANDURIL_TYPE_THETA_PHI" + }, + "pascalCase": { + "unsafeName": "AndurilTypeThetaPhi", + "safeName": "AndurilTypeThetaPhi" + } + }, + "displayName": "ThetaPhi" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "theta", + "camelCase": { + "unsafeName": "theta", + "safeName": "theta" + }, + "snakeCase": { + "unsafeName": "theta", + "safeName": "theta" + }, + "screamingSnakeCase": { + "unsafeName": "THETA", + "safeName": "THETA" + }, + "pascalCase": { + "unsafeName": "Theta", + "safeName": "Theta" + } + }, + "wireValue": "theta" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Angle clockwise relative to forward in degrees (Azimuth)." + }, + { + "name": { + "name": { + "originalName": "phi", + "camelCase": { + "unsafeName": "phi", + "safeName": "phi" + }, + "snakeCase": { + "unsafeName": "phi", + "safeName": "phi" + }, + "screamingSnakeCase": { + "unsafeName": "PHI", + "safeName": "PHI" + }, + "pascalCase": { + "unsafeName": "Phi", + "safeName": "Phi" + } + }, + "wireValue": "phi" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Angle upward relative to forward in degrees (Elevation)." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Spherical angular coordinates" + }, + "anduril.type.LLA.AltitudeReference": { + "name": { + "typeId": "LLA.AltitudeReference", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.AltitudeReference", + "camelCase": { + "unsafeName": "andurilTypeAltitudeReference", + "safeName": "andurilTypeAltitudeReference" + }, + "snakeCase": { + "unsafeName": "anduril_type_altitude_reference", + "safeName": "anduril_type_altitude_reference" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ALTITUDE_REFERENCE", + "safeName": "ANDURIL_TYPE_ALTITUDE_REFERENCE" + }, + "pascalCase": { + "unsafeName": "AndurilTypeAltitudeReference", + "safeName": "AndurilTypeAltitudeReference" + } + }, + "displayName": "AltitudeReference" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "ALTITUDE_REFERENCE_INVALID", + "camelCase": { + "unsafeName": "altitudeReferenceInvalid", + "safeName": "altitudeReferenceInvalid" + }, + "snakeCase": { + "unsafeName": "altitude_reference_invalid", + "safeName": "altitude_reference_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_REFERENCE_INVALID", + "safeName": "ALTITUDE_REFERENCE_INVALID" + }, + "pascalCase": { + "unsafeName": "AltitudeReferenceInvalid", + "safeName": "AltitudeReferenceInvalid" + } + }, + "wireValue": "ALTITUDE_REFERENCE_INVALID" + }, + "availability": null, + "docs": "Depending on the context its possible INVALID just means that it is\\n clear from the context (e.g. this is LLA is named lla_hae).\\n This also might mean AGL which would depend on what height map you are\\n using." + }, + { + "name": { + "name": { + "originalName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_WGS84", + "camelCase": { + "unsafeName": "altitudeReferenceHeightAboveWgs84", + "safeName": "altitudeReferenceHeightAboveWgs84" + }, + "snakeCase": { + "unsafeName": "altitude_reference_height_above_wgs_84", + "safeName": "altitude_reference_height_above_wgs_84" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_WGS_84", + "safeName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_WGS_84" + }, + "pascalCase": { + "unsafeName": "AltitudeReferenceHeightAboveWgs84", + "safeName": "AltitudeReferenceHeightAboveWgs84" + } + }, + "wireValue": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_WGS84" + }, + "availability": null, + "docs": "commonly called height above ellipsoid (HAE)" + }, + { + "name": { + "name": { + "originalName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_EGM96", + "camelCase": { + "unsafeName": "altitudeReferenceHeightAboveEgm96", + "safeName": "altitudeReferenceHeightAboveEgm96" + }, + "snakeCase": { + "unsafeName": "altitude_reference_height_above_egm_96", + "safeName": "altitude_reference_height_above_egm_96" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_EGM_96", + "safeName": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_EGM_96" + }, + "pascalCase": { + "unsafeName": "AltitudeReferenceHeightAboveEgm96", + "safeName": "AltitudeReferenceHeightAboveEgm96" + } + }, + "wireValue": "ALTITUDE_REFERENCE_HEIGHT_ABOVE_EGM96" + }, + "availability": null, + "docs": "commonly called mean sea level (MSL)" + }, + { + "name": { + "name": { + "originalName": "ALTITUDE_REFERENCE_UNKNOWN", + "camelCase": { + "unsafeName": "altitudeReferenceUnknown", + "safeName": "altitudeReferenceUnknown" + }, + "snakeCase": { + "unsafeName": "altitude_reference_unknown", + "safeName": "altitude_reference_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_REFERENCE_UNKNOWN", + "safeName": "ALTITUDE_REFERENCE_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "AltitudeReferenceUnknown", + "safeName": "AltitudeReferenceUnknown" + } + }, + "wireValue": "ALTITUDE_REFERENCE_UNKNOWN" + }, + "availability": null, + "docs": "Publishing an altitude with an unkown reference" + }, + { + "name": { + "name": { + "originalName": "ALTITUDE_REFERENCE_BAROMETRIC", + "camelCase": { + "unsafeName": "altitudeReferenceBarometric", + "safeName": "altitudeReferenceBarometric" + }, + "snakeCase": { + "unsafeName": "altitude_reference_barometric", + "safeName": "altitude_reference_barometric" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_REFERENCE_BAROMETRIC", + "safeName": "ALTITUDE_REFERENCE_BAROMETRIC" + }, + "pascalCase": { + "unsafeName": "AltitudeReferenceBarometric", + "safeName": "AltitudeReferenceBarometric" + } + }, + "wireValue": "ALTITUDE_REFERENCE_BAROMETRIC" + }, + "availability": null, + "docs": "ADSB sometimes published barometrically-measured alt" + }, + { + "name": { + "name": { + "originalName": "ALTITUDE_REFERENCE_ABOVE_SEA_FLOOR", + "camelCase": { + "unsafeName": "altitudeReferenceAboveSeaFloor", + "safeName": "altitudeReferenceAboveSeaFloor" + }, + "snakeCase": { + "unsafeName": "altitude_reference_above_sea_floor", + "safeName": "altitude_reference_above_sea_floor" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_REFERENCE_ABOVE_SEA_FLOOR", + "safeName": "ALTITUDE_REFERENCE_ABOVE_SEA_FLOOR" + }, + "pascalCase": { + "unsafeName": "AltitudeReferenceAboveSeaFloor", + "safeName": "AltitudeReferenceAboveSeaFloor" + } + }, + "wireValue": "ALTITUDE_REFERENCE_ABOVE_SEA_FLOOR" + }, + "availability": null, + "docs": "Positive distance above sea floor (ASF) at a specific lat/lon" + }, + { + "name": { + "name": { + "originalName": "ALTITUDE_REFERENCE_BELOW_SEA_SURFACE", + "camelCase": { + "unsafeName": "altitudeReferenceBelowSeaSurface", + "safeName": "altitudeReferenceBelowSeaSurface" + }, + "snakeCase": { + "unsafeName": "altitude_reference_below_sea_surface", + "safeName": "altitude_reference_below_sea_surface" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_REFERENCE_BELOW_SEA_SURFACE", + "safeName": "ALTITUDE_REFERENCE_BELOW_SEA_SURFACE" + }, + "pascalCase": { + "unsafeName": "AltitudeReferenceBelowSeaSurface", + "safeName": "AltitudeReferenceBelowSeaSurface" + } + }, + "wireValue": "ALTITUDE_REFERENCE_BELOW_SEA_SURFACE" + }, + "availability": null, + "docs": "Positive distance below surface at a specific lat/lon" + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "What altitude of zero refers to." + }, + "anduril.type.LLA": { + "name": { + "typeId": "anduril.type.LLA", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLA", + "camelCase": { + "unsafeName": "andurilTypeLla", + "safeName": "andurilTypeLla" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla", + "safeName": "anduril_type_lla" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA", + "safeName": "ANDURIL_TYPE_LLA" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLla", + "safeName": "AndurilTypeLla" + } + }, + "displayName": "LLA" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "lon", + "camelCase": { + "unsafeName": "lon", + "safeName": "lon" + }, + "snakeCase": { + "unsafeName": "lon", + "safeName": "lon" + }, + "screamingSnakeCase": { + "unsafeName": "LON", + "safeName": "LON" + }, + "pascalCase": { + "unsafeName": "Lon", + "safeName": "Lon" + } + }, + "wireValue": "lon" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "WGS84 longitude in decimal degrees" + }, + { + "name": { + "name": { + "originalName": "lat", + "camelCase": { + "unsafeName": "lat", + "safeName": "lat" + }, + "snakeCase": { + "unsafeName": "lat", + "safeName": "lat" + }, + "screamingSnakeCase": { + "unsafeName": "LAT", + "safeName": "LAT" + }, + "pascalCase": { + "unsafeName": "Lat", + "safeName": "Lat" + } + }, + "wireValue": "lat" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "WGS84 geodetic latitude in decimal degrees" + }, + { + "name": { + "name": { + "originalName": "alt", + "camelCase": { + "unsafeName": "alt", + "safeName": "alt" + }, + "snakeCase": { + "unsafeName": "alt", + "safeName": "alt" + }, + "screamingSnakeCase": { + "unsafeName": "ALT", + "safeName": "ALT" + }, + "pascalCase": { + "unsafeName": "Alt", + "safeName": "Alt" + } + }, + "wireValue": "alt" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "altitude in meters above either WGS84 or EGM96 (see altitude_reference)" + }, + { + "name": { + "name": { + "originalName": "is2d", + "camelCase": { + "unsafeName": "is2D", + "safeName": "is2D" + }, + "snakeCase": { + "unsafeName": "is_2_d", + "safeName": "is_2_d" + }, + "screamingSnakeCase": { + "unsafeName": "IS_2_D", + "safeName": "IS_2_D" + }, + "pascalCase": { + "unsafeName": "Is2D", + "safeName": "Is2D" + } + }, + "wireValue": "is2d" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "[default=false] indicates that altitude is either unset or so uncertain that it is meaningless" + }, + { + "name": { + "name": { + "originalName": "altitude_reference", + "camelCase": { + "unsafeName": "altitudeReference", + "safeName": "altitudeReference" + }, + "snakeCase": { + "unsafeName": "altitude_reference", + "safeName": "altitude_reference" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_REFERENCE", + "safeName": "ALTITUDE_REFERENCE" + }, + "pascalCase": { + "unsafeName": "AltitudeReference", + "safeName": "AltitudeReference" + } + }, + "wireValue": "altitude_reference" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLA.AltitudeReference", + "camelCase": { + "unsafeName": "andurilTypeLlaAltitudeReference", + "safeName": "andurilTypeLlaAltitudeReference" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla_altitude_reference", + "safeName": "anduril_type_lla_altitude_reference" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA_ALTITUDE_REFERENCE", + "safeName": "ANDURIL_TYPE_LLA_ALTITUDE_REFERENCE" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLlaAltitudeReference", + "safeName": "AndurilTypeLlaAltitudeReference" + } + }, + "typeId": "anduril.type.LLA.AltitudeReference", + "default": null, + "inline": false, + "displayName": "altitude_reference" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Meaning of alt.\\n altitude in meters above either WGS84 or EGM96, use altitude_reference to\\n determine what zero means." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.ENU": { + "name": { + "typeId": "anduril.type.ENU", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.ENU", + "camelCase": { + "unsafeName": "andurilTypeEnu", + "safeName": "andurilTypeEnu" + }, + "snakeCase": { + "unsafeName": "anduril_type_enu", + "safeName": "anduril_type_enu" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ENU", + "safeName": "ANDURIL_TYPE_ENU" + }, + "pascalCase": { + "unsafeName": "AndurilTypeEnu", + "safeName": "AndurilTypeEnu" + } + }, + "displayName": "ENU" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "e", + "camelCase": { + "unsafeName": "e", + "safeName": "e" + }, + "snakeCase": { + "unsafeName": "e", + "safeName": "e" + }, + "screamingSnakeCase": { + "unsafeName": "E", + "safeName": "E" + }, + "pascalCase": { + "unsafeName": "E", + "safeName": "E" + } + }, + "wireValue": "e" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "n", + "camelCase": { + "unsafeName": "n", + "safeName": "n" + }, + "snakeCase": { + "unsafeName": "n", + "safeName": "n" + }, + "screamingSnakeCase": { + "unsafeName": "N", + "safeName": "N" + }, + "pascalCase": { + "unsafeName": "N", + "safeName": "N" + } + }, + "wireValue": "n" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "u", + "camelCase": { + "unsafeName": "u", + "safeName": "u" + }, + "snakeCase": { + "unsafeName": "u", + "safeName": "u" + }, + "screamingSnakeCase": { + "unsafeName": "U", + "safeName": "U" + }, + "pascalCase": { + "unsafeName": "U", + "safeName": "U" + } + }, + "wireValue": "u" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.ECI": { + "name": { + "typeId": "anduril.type.ECI", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.ECI", + "camelCase": { + "unsafeName": "andurilTypeEci", + "safeName": "andurilTypeEci" + }, + "snakeCase": { + "unsafeName": "anduril_type_eci", + "safeName": "anduril_type_eci" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ECI", + "safeName": "ANDURIL_TYPE_ECI" + }, + "pascalCase": { + "unsafeName": "AndurilTypeEci", + "safeName": "AndurilTypeEci" + } + }, + "displayName": "ECI" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "x", + "camelCase": { + "unsafeName": "x", + "safeName": "x" + }, + "snakeCase": { + "unsafeName": "x", + "safeName": "x" + }, + "screamingSnakeCase": { + "unsafeName": "X", + "safeName": "X" + }, + "pascalCase": { + "unsafeName": "X", + "safeName": "X" + } + }, + "wireValue": "x" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Holds the x-coordinate of ECI." + }, + { + "name": { + "name": { + "originalName": "y", + "camelCase": { + "unsafeName": "y", + "safeName": "y" + }, + "snakeCase": { + "unsafeName": "y", + "safeName": "y" + }, + "screamingSnakeCase": { + "unsafeName": "Y", + "safeName": "Y" + }, + "pascalCase": { + "unsafeName": "Y", + "safeName": "Y" + } + }, + "wireValue": "y" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Holds the y-coordinate of ECI." + }, + { + "name": { + "name": { + "originalName": "z", + "camelCase": { + "unsafeName": "z", + "safeName": "z" + }, + "snakeCase": { + "unsafeName": "z", + "safeName": "z" + }, + "screamingSnakeCase": { + "unsafeName": "Z", + "safeName": "Z" + }, + "pascalCase": { + "unsafeName": "Z", + "safeName": "Z" + } + }, + "wireValue": "z" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Holds the z-coordinate of ECI." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Holds ECI (Earth-Centered Inertial, https://en.wikipedia.org/wiki/Earth-centered_inertial)\\n coordinates." + }, + "anduril.type.Vec2": { + "name": { + "typeId": "anduril.type.Vec2", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Vec2", + "camelCase": { + "unsafeName": "andurilTypeVec2", + "safeName": "andurilTypeVec2" + }, + "snakeCase": { + "unsafeName": "anduril_type_vec_2", + "safeName": "anduril_type_vec_2" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_VEC_2", + "safeName": "ANDURIL_TYPE_VEC_2" + }, + "pascalCase": { + "unsafeName": "AndurilTypeVec2", + "safeName": "AndurilTypeVec2" + } + }, + "displayName": "Vec2" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "x", + "camelCase": { + "unsafeName": "x", + "safeName": "x" + }, + "snakeCase": { + "unsafeName": "x", + "safeName": "x" + }, + "screamingSnakeCase": { + "unsafeName": "X", + "safeName": "X" + }, + "pascalCase": { + "unsafeName": "X", + "safeName": "X" + } + }, + "wireValue": "x" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "y", + "camelCase": { + "unsafeName": "y", + "safeName": "y" + }, + "snakeCase": { + "unsafeName": "y", + "safeName": "y" + }, + "screamingSnakeCase": { + "unsafeName": "Y", + "safeName": "Y" + }, + "pascalCase": { + "unsafeName": "Y", + "safeName": "Y" + } + }, + "wireValue": "y" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.Vec2f": { + "name": { + "typeId": "anduril.type.Vec2f", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Vec2f", + "camelCase": { + "unsafeName": "andurilTypeVec2F", + "safeName": "andurilTypeVec2F" + }, + "snakeCase": { + "unsafeName": "anduril_type_vec_2_f", + "safeName": "anduril_type_vec_2_f" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_VEC_2_F", + "safeName": "ANDURIL_TYPE_VEC_2_F" + }, + "pascalCase": { + "unsafeName": "AndurilTypeVec2F", + "safeName": "AndurilTypeVec2F" + } + }, + "displayName": "Vec2f" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "x", + "camelCase": { + "unsafeName": "x", + "safeName": "x" + }, + "snakeCase": { + "unsafeName": "x", + "safeName": "x" + }, + "screamingSnakeCase": { + "unsafeName": "X", + "safeName": "X" + }, + "pascalCase": { + "unsafeName": "X", + "safeName": "X" + } + }, + "wireValue": "x" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "y", + "camelCase": { + "unsafeName": "y", + "safeName": "y" + }, + "snakeCase": { + "unsafeName": "y", + "safeName": "y" + }, + "screamingSnakeCase": { + "unsafeName": "Y", + "safeName": "Y" + }, + "pascalCase": { + "unsafeName": "Y", + "safeName": "Y" + } + }, + "wireValue": "y" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.Vec3": { + "name": { + "typeId": "anduril.type.Vec3", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Vec3", + "camelCase": { + "unsafeName": "andurilTypeVec3", + "safeName": "andurilTypeVec3" + }, + "snakeCase": { + "unsafeName": "anduril_type_vec_3", + "safeName": "anduril_type_vec_3" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_VEC_3", + "safeName": "ANDURIL_TYPE_VEC_3" + }, + "pascalCase": { + "unsafeName": "AndurilTypeVec3", + "safeName": "AndurilTypeVec3" + } + }, + "displayName": "Vec3" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "x", + "camelCase": { + "unsafeName": "x", + "safeName": "x" + }, + "snakeCase": { + "unsafeName": "x", + "safeName": "x" + }, + "screamingSnakeCase": { + "unsafeName": "X", + "safeName": "X" + }, + "pascalCase": { + "unsafeName": "X", + "safeName": "X" + } + }, + "wireValue": "x" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "y", + "camelCase": { + "unsafeName": "y", + "safeName": "y" + }, + "snakeCase": { + "unsafeName": "y", + "safeName": "y" + }, + "screamingSnakeCase": { + "unsafeName": "Y", + "safeName": "Y" + }, + "pascalCase": { + "unsafeName": "Y", + "safeName": "Y" + } + }, + "wireValue": "y" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "z", + "camelCase": { + "unsafeName": "z", + "safeName": "z" + }, + "snakeCase": { + "unsafeName": "z", + "safeName": "z" + }, + "screamingSnakeCase": { + "unsafeName": "Z", + "safeName": "Z" + }, + "pascalCase": { + "unsafeName": "Z", + "safeName": "Z" + } + }, + "wireValue": "z" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.Vec3f": { + "name": { + "typeId": "anduril.type.Vec3f", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Vec3f", + "camelCase": { + "unsafeName": "andurilTypeVec3F", + "safeName": "andurilTypeVec3F" + }, + "snakeCase": { + "unsafeName": "anduril_type_vec_3_f", + "safeName": "anduril_type_vec_3_f" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_VEC_3_F", + "safeName": "ANDURIL_TYPE_VEC_3_F" + }, + "pascalCase": { + "unsafeName": "AndurilTypeVec3F", + "safeName": "AndurilTypeVec3F" + } + }, + "displayName": "Vec3f" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "x", + "camelCase": { + "unsafeName": "x", + "safeName": "x" + }, + "snakeCase": { + "unsafeName": "x", + "safeName": "x" + }, + "screamingSnakeCase": { + "unsafeName": "X", + "safeName": "X" + }, + "pascalCase": { + "unsafeName": "X", + "safeName": "X" + } + }, + "wireValue": "x" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "y", + "camelCase": { + "unsafeName": "y", + "safeName": "y" + }, + "snakeCase": { + "unsafeName": "y", + "safeName": "y" + }, + "screamingSnakeCase": { + "unsafeName": "Y", + "safeName": "Y" + }, + "pascalCase": { + "unsafeName": "Y", + "safeName": "Y" + } + }, + "wireValue": "y" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "z", + "camelCase": { + "unsafeName": "z", + "safeName": "z" + }, + "snakeCase": { + "unsafeName": "z", + "safeName": "z" + }, + "screamingSnakeCase": { + "unsafeName": "Z", + "safeName": "Z" + }, + "pascalCase": { + "unsafeName": "Z", + "safeName": "Z" + } + }, + "wireValue": "z" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.Quaternion": { + "name": { + "typeId": "anduril.type.Quaternion", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Quaternion", + "camelCase": { + "unsafeName": "andurilTypeQuaternion", + "safeName": "andurilTypeQuaternion" + }, + "snakeCase": { + "unsafeName": "anduril_type_quaternion", + "safeName": "anduril_type_quaternion" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_QUATERNION", + "safeName": "ANDURIL_TYPE_QUATERNION" + }, + "pascalCase": { + "unsafeName": "AndurilTypeQuaternion", + "safeName": "AndurilTypeQuaternion" + } + }, + "displayName": "Quaternion" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "x", + "camelCase": { + "unsafeName": "x", + "safeName": "x" + }, + "snakeCase": { + "unsafeName": "x", + "safeName": "x" + }, + "screamingSnakeCase": { + "unsafeName": "X", + "safeName": "X" + }, + "pascalCase": { + "unsafeName": "X", + "safeName": "X" + } + }, + "wireValue": "x" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "x, y, z are vector portion, w is scalar" + }, + { + "name": { + "name": { + "originalName": "y", + "camelCase": { + "unsafeName": "y", + "safeName": "y" + }, + "snakeCase": { + "unsafeName": "y", + "safeName": "y" + }, + "screamingSnakeCase": { + "unsafeName": "Y", + "safeName": "Y" + }, + "pascalCase": { + "unsafeName": "Y", + "safeName": "Y" + } + }, + "wireValue": "y" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "z", + "camelCase": { + "unsafeName": "z", + "safeName": "z" + }, + "snakeCase": { + "unsafeName": "z", + "safeName": "z" + }, + "screamingSnakeCase": { + "unsafeName": "Z", + "safeName": "Z" + }, + "pascalCase": { + "unsafeName": "Z", + "safeName": "Z" + } + }, + "wireValue": "z" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "w", + "camelCase": { + "unsafeName": "w", + "safeName": "w" + }, + "snakeCase": { + "unsafeName": "w", + "safeName": "w" + }, + "screamingSnakeCase": { + "unsafeName": "W", + "safeName": "W" + }, + "pascalCase": { + "unsafeName": "W", + "safeName": "W" + } + }, + "wireValue": "w" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.YawPitch": { + "name": { + "typeId": "anduril.type.YawPitch", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.YawPitch", + "camelCase": { + "unsafeName": "andurilTypeYawPitch", + "safeName": "andurilTypeYawPitch" + }, + "snakeCase": { + "unsafeName": "anduril_type_yaw_pitch", + "safeName": "anduril_type_yaw_pitch" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_YAW_PITCH", + "safeName": "ANDURIL_TYPE_YAW_PITCH" + }, + "pascalCase": { + "unsafeName": "AndurilTypeYawPitch", + "safeName": "AndurilTypeYawPitch" + } + }, + "displayName": "YawPitch" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "yaw", + "camelCase": { + "unsafeName": "yaw", + "safeName": "yaw" + }, + "snakeCase": { + "unsafeName": "yaw", + "safeName": "yaw" + }, + "screamingSnakeCase": { + "unsafeName": "YAW", + "safeName": "YAW" + }, + "pascalCase": { + "unsafeName": "Yaw", + "safeName": "Yaw" + } + }, + "wireValue": "yaw" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "pitch", + "camelCase": { + "unsafeName": "pitch", + "safeName": "pitch" + }, + "snakeCase": { + "unsafeName": "pitch", + "safeName": "pitch" + }, + "screamingSnakeCase": { + "unsafeName": "PITCH", + "safeName": "PITCH" + }, + "pascalCase": { + "unsafeName": "Pitch", + "safeName": "Pitch" + } + }, + "wireValue": "pitch" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Yaw-Pitch in radians" + }, + "anduril.type.YPR": { + "name": { + "typeId": "anduril.type.YPR", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.YPR", + "camelCase": { + "unsafeName": "andurilTypeYpr", + "safeName": "andurilTypeYpr" + }, + "snakeCase": { + "unsafeName": "anduril_type_ypr", + "safeName": "anduril_type_ypr" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_YPR", + "safeName": "ANDURIL_TYPE_YPR" + }, + "pascalCase": { + "unsafeName": "AndurilTypeYpr", + "safeName": "AndurilTypeYpr" + } + }, + "displayName": "YPR" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "yaw", + "camelCase": { + "unsafeName": "yaw", + "safeName": "yaw" + }, + "snakeCase": { + "unsafeName": "yaw", + "safeName": "yaw" + }, + "screamingSnakeCase": { + "unsafeName": "YAW", + "safeName": "YAW" + }, + "pascalCase": { + "unsafeName": "Yaw", + "safeName": "Yaw" + } + }, + "wireValue": "yaw" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "pitch", + "camelCase": { + "unsafeName": "pitch", + "safeName": "pitch" + }, + "snakeCase": { + "unsafeName": "pitch", + "safeName": "pitch" + }, + "screamingSnakeCase": { + "unsafeName": "PITCH", + "safeName": "PITCH" + }, + "pascalCase": { + "unsafeName": "Pitch", + "safeName": "Pitch" + } + }, + "wireValue": "pitch" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "roll", + "camelCase": { + "unsafeName": "roll", + "safeName": "roll" + }, + "snakeCase": { + "unsafeName": "roll", + "safeName": "roll" + }, + "screamingSnakeCase": { + "unsafeName": "ROLL", + "safeName": "ROLL" + }, + "pascalCase": { + "unsafeName": "Roll", + "safeName": "Roll" + } + }, + "wireValue": "roll" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Yaw-Pitch-Roll in degrees." + }, + "anduril.type.Pose": { + "name": { + "typeId": "anduril.type.Pose", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Pose", + "camelCase": { + "unsafeName": "andurilTypePose", + "safeName": "andurilTypePose" + }, + "snakeCase": { + "unsafeName": "anduril_type_pose", + "safeName": "anduril_type_pose" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_POSE", + "safeName": "ANDURIL_TYPE_POSE" + }, + "pascalCase": { + "unsafeName": "AndurilTypePose", + "safeName": "AndurilTypePose" + } + }, + "displayName": "Pose" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "pos", + "camelCase": { + "unsafeName": "pos", + "safeName": "pos" + }, + "snakeCase": { + "unsafeName": "pos", + "safeName": "pos" + }, + "screamingSnakeCase": { + "unsafeName": "POS", + "safeName": "POS" + }, + "pascalCase": { + "unsafeName": "Pos", + "safeName": "Pos" + } + }, + "wireValue": "pos" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLA", + "camelCase": { + "unsafeName": "andurilTypeLla", + "safeName": "andurilTypeLla" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla", + "safeName": "anduril_type_lla" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA", + "safeName": "ANDURIL_TYPE_LLA" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLla", + "safeName": "AndurilTypeLla" + } + }, + "typeId": "anduril.type.LLA", + "default": null, + "inline": false, + "displayName": "pos" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Geospatial location defined by this Pose." + }, + { + "name": { + "name": { + "originalName": "att_enu", + "camelCase": { + "unsafeName": "attEnu", + "safeName": "attEnu" + }, + "snakeCase": { + "unsafeName": "att_enu", + "safeName": "att_enu" + }, + "screamingSnakeCase": { + "unsafeName": "ATT_ENU", + "safeName": "ATT_ENU" + }, + "pascalCase": { + "unsafeName": "AttEnu", + "safeName": "AttEnu" + } + }, + "wireValue": "att_enu" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Quaternion", + "camelCase": { + "unsafeName": "andurilTypeQuaternion", + "safeName": "andurilTypeQuaternion" + }, + "snakeCase": { + "unsafeName": "anduril_type_quaternion", + "safeName": "anduril_type_quaternion" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_QUATERNION", + "safeName": "ANDURIL_TYPE_QUATERNION" + }, + "pascalCase": { + "unsafeName": "AndurilTypeQuaternion", + "safeName": "AndurilTypeQuaternion" + } + }, + "typeId": "anduril.type.Quaternion", + "default": null, + "inline": false, + "displayName": "att_enu" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The quaternion to transform a point in the Pose frame to the ENU frame. The Pose frame could be Body, Turret,\\n etc and is determined by the context in which this Pose is used.\\n The normal convention for defining orientation is to list the frames of transformation, for example\\n att_gimbal_to_enu is the quaternion which transforms a point in the gimbal frame to the body frame, but\\n in this case we truncate to att_enu because the Pose frame isn't defined. A potentially better name for this\\n field would have been att_pose_to_enu.\\n\\n Implementations of this quaternion should left multiply this quaternion to transform a point from the Pose frame\\n to the enu frame.\\n\\n Point posePt{1,0,0};\\n Rotation attPoseToEnu{};\\n Point = attPoseToEnu*posePt;\\n\\n This transformed point represents some vector in ENU space that is aligned with the x axis of the attPoseToEnu\\n matrix.\\n\\n An alternative matrix expression is as follows:\\n ptEnu = M x ptPose" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.LLAPolygon": { + "name": { + "typeId": "anduril.type.LLAPolygon", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLAPolygon", + "camelCase": { + "unsafeName": "andurilTypeLlaPolygon", + "safeName": "andurilTypeLlaPolygon" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla_polygon", + "safeName": "anduril_type_lla_polygon" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA_POLYGON", + "safeName": "ANDURIL_TYPE_LLA_POLYGON" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLlaPolygon", + "safeName": "AndurilTypeLlaPolygon" + } + }, + "displayName": "LLAPolygon" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "points", + "camelCase": { + "unsafeName": "points", + "safeName": "points" + }, + "snakeCase": { + "unsafeName": "points", + "safeName": "points" + }, + "screamingSnakeCase": { + "unsafeName": "POINTS", + "safeName": "POINTS" + }, + "pascalCase": { + "unsafeName": "Points", + "safeName": "Points" + } + }, + "wireValue": "points" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLA", + "camelCase": { + "unsafeName": "andurilTypeLla", + "safeName": "andurilTypeLla" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla", + "safeName": "anduril_type_lla" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA", + "safeName": "ANDURIL_TYPE_LLA" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLla", + "safeName": "AndurilTypeLla" + } + }, + "typeId": "anduril.type.LLA", + "default": null, + "inline": false, + "displayName": "points" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "standard is that points are defined in a counter-clockwise order. this\\n is only the exterior ring of a polygon, no holes are supported." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.AERPolygon": { + "name": { + "typeId": "anduril.type.AERPolygon", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.AERPolygon", + "camelCase": { + "unsafeName": "andurilTypeAerPolygon", + "safeName": "andurilTypeAerPolygon" + }, + "snakeCase": { + "unsafeName": "anduril_type_aer_polygon", + "safeName": "anduril_type_aer_polygon" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_AER_POLYGON", + "safeName": "ANDURIL_TYPE_AER_POLYGON" + }, + "pascalCase": { + "unsafeName": "AndurilTypeAerPolygon", + "safeName": "AndurilTypeAerPolygon" + } + }, + "displayName": "AERPolygon" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "points", + "camelCase": { + "unsafeName": "points", + "safeName": "points" + }, + "snakeCase": { + "unsafeName": "points", + "safeName": "points" + }, + "screamingSnakeCase": { + "unsafeName": "POINTS", + "safeName": "POINTS" + }, + "pascalCase": { + "unsafeName": "Points", + "safeName": "Points" + } + }, + "wireValue": "points" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Spherical", + "camelCase": { + "unsafeName": "andurilTypeSpherical", + "safeName": "andurilTypeSpherical" + }, + "snakeCase": { + "unsafeName": "anduril_type_spherical", + "safeName": "anduril_type_spherical" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_SPHERICAL", + "safeName": "ANDURIL_TYPE_SPHERICAL" + }, + "pascalCase": { + "unsafeName": "AndurilTypeSpherical", + "safeName": "AndurilTypeSpherical" + } + }, + "typeId": "anduril.type.Spherical", + "default": null, + "inline": false, + "displayName": "points" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Azimuth-Range-Elevation" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.LLAPath": { + "name": { + "typeId": "anduril.type.LLAPath", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLAPath", + "camelCase": { + "unsafeName": "andurilTypeLlaPath", + "safeName": "andurilTypeLlaPath" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla_path", + "safeName": "anduril_type_lla_path" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA_PATH", + "safeName": "ANDURIL_TYPE_LLA_PATH" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLlaPath", + "safeName": "AndurilTypeLlaPath" + } + }, + "displayName": "LLAPath" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "points", + "camelCase": { + "unsafeName": "points", + "safeName": "points" + }, + "snakeCase": { + "unsafeName": "points", + "safeName": "points" + }, + "screamingSnakeCase": { + "unsafeName": "POINTS", + "safeName": "POINTS" + }, + "pascalCase": { + "unsafeName": "Points", + "safeName": "Points" + } + }, + "wireValue": "points" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLA", + "camelCase": { + "unsafeName": "andurilTypeLla", + "safeName": "andurilTypeLla" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla", + "safeName": "anduril_type_lla" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA", + "safeName": "ANDURIL_TYPE_LLA" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLla", + "safeName": "AndurilTypeLla" + } + }, + "typeId": "anduril.type.LLA", + "default": null, + "inline": false, + "displayName": "points" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Ordered list of points on the path." + }, + { + "name": { + "name": { + "originalName": "loop", + "camelCase": { + "unsafeName": "loop", + "safeName": "loop" + }, + "snakeCase": { + "unsafeName": "loop", + "safeName": "loop" + }, + "screamingSnakeCase": { + "unsafeName": "LOOP", + "safeName": "LOOP" + }, + "pascalCase": { + "unsafeName": "Loop", + "safeName": "Loop" + } + }, + "wireValue": "loop" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "True if the last point on the path connects to the first in a closed\\n loop" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.Spherical": { + "name": { + "typeId": "anduril.type.Spherical", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Spherical", + "camelCase": { + "unsafeName": "andurilTypeSpherical", + "safeName": "andurilTypeSpherical" + }, + "snakeCase": { + "unsafeName": "anduril_type_spherical", + "safeName": "anduril_type_spherical" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_SPHERICAL", + "safeName": "ANDURIL_TYPE_SPHERICAL" + }, + "pascalCase": { + "unsafeName": "AndurilTypeSpherical", + "safeName": "AndurilTypeSpherical" + } + }, + "displayName": "Spherical" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "az", + "camelCase": { + "unsafeName": "az", + "safeName": "az" + }, + "snakeCase": { + "unsafeName": "az", + "safeName": "az" + }, + "screamingSnakeCase": { + "unsafeName": "AZ", + "safeName": "AZ" + }, + "pascalCase": { + "unsafeName": "Az", + "safeName": "Az" + } + }, + "wireValue": "az" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "azimuth angle in radians" + }, + { + "name": { + "name": { + "originalName": "el", + "camelCase": { + "unsafeName": "el", + "safeName": "el" + }, + "snakeCase": { + "unsafeName": "el", + "safeName": "el" + }, + "screamingSnakeCase": { + "unsafeName": "EL", + "safeName": "EL" + }, + "pascalCase": { + "unsafeName": "El", + "safeName": "El" + } + }, + "wireValue": "el" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "elevation angle in radians, we'll use 0 = XY plane" + }, + { + "name": { + "name": { + "originalName": "range", + "camelCase": { + "unsafeName": "range", + "safeName": "range" + }, + "snakeCase": { + "unsafeName": "range", + "safeName": "range" + }, + "screamingSnakeCase": { + "unsafeName": "RANGE", + "safeName": "RANGE" + }, + "pascalCase": { + "unsafeName": "Range", + "safeName": "Range" + } + }, + "wireValue": "range" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "range in meters" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.DoubleRange": { + "name": { + "typeId": "anduril.type.DoubleRange", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.DoubleRange", + "camelCase": { + "unsafeName": "andurilTypeDoubleRange", + "safeName": "andurilTypeDoubleRange" + }, + "snakeCase": { + "unsafeName": "anduril_type_double_range", + "safeName": "anduril_type_double_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_DOUBLE_RANGE", + "safeName": "ANDURIL_TYPE_DOUBLE_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilTypeDoubleRange", + "safeName": "AndurilTypeDoubleRange" + } + }, + "displayName": "DoubleRange" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "min", + "camelCase": { + "unsafeName": "min", + "safeName": "min" + }, + "snakeCase": { + "unsafeName": "min", + "safeName": "min" + }, + "screamingSnakeCase": { + "unsafeName": "MIN", + "safeName": "MIN" + }, + "pascalCase": { + "unsafeName": "Min", + "safeName": "Min" + } + }, + "wireValue": "min" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "max", + "camelCase": { + "unsafeName": "max", + "safeName": "max" + }, + "snakeCase": { + "unsafeName": "max", + "safeName": "max" + }, + "screamingSnakeCase": { + "unsafeName": "MAX", + "safeName": "MAX" + }, + "pascalCase": { + "unsafeName": "Max", + "safeName": "Max" + } + }, + "wireValue": "max" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.Uint64Range": { + "name": { + "typeId": "anduril.type.Uint64Range", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Uint64Range", + "camelCase": { + "unsafeName": "andurilTypeUint64Range", + "safeName": "andurilTypeUint64Range" + }, + "snakeCase": { + "unsafeName": "anduril_type_uint_64_range", + "safeName": "anduril_type_uint_64_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_UINT_64_RANGE", + "safeName": "ANDURIL_TYPE_UINT_64_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilTypeUint64Range", + "safeName": "AndurilTypeUint64Range" + } + }, + "displayName": "Uint64Range" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "min", + "camelCase": { + "unsafeName": "min", + "safeName": "min" + }, + "snakeCase": { + "unsafeName": "min", + "safeName": "min" + }, + "screamingSnakeCase": { + "unsafeName": "MIN", + "safeName": "MIN" + }, + "pascalCase": { + "unsafeName": "Min", + "safeName": "Min" + } + }, + "wireValue": "min" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT_64", + "v2": { + "type": "uint64" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "max", + "camelCase": { + "unsafeName": "max", + "safeName": "max" + }, + "snakeCase": { + "unsafeName": "max", + "safeName": "max" + }, + "screamingSnakeCase": { + "unsafeName": "MAX", + "safeName": "MAX" + }, + "pascalCase": { + "unsafeName": "Max", + "safeName": "Max" + } + }, + "wireValue": "max" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT_64", + "v2": { + "type": "uint64" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.TMat4f": { + "name": { + "typeId": "anduril.type.TMat4f", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.TMat4f", + "camelCase": { + "unsafeName": "andurilTypeTMat4F", + "safeName": "andurilTypeTMat4F" + }, + "snakeCase": { + "unsafeName": "anduril_type_t_mat_4_f", + "safeName": "anduril_type_t_mat_4_f" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_T_MAT_4_F", + "safeName": "ANDURIL_TYPE_T_MAT_4_F" + }, + "pascalCase": { + "unsafeName": "AndurilTypeTMat4F", + "safeName": "AndurilTypeTMat4F" + } + }, + "displayName": "TMat4f" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "m00", + "camelCase": { + "unsafeName": "m00", + "safeName": "m00" + }, + "snakeCase": { + "unsafeName": "m_00", + "safeName": "m_00" + }, + "screamingSnakeCase": { + "unsafeName": "M_00", + "safeName": "M_00" + }, + "pascalCase": { + "unsafeName": "M00", + "safeName": "M00" + } + }, + "wireValue": "m00" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "m01", + "camelCase": { + "unsafeName": "m01", + "safeName": "m01" + }, + "snakeCase": { + "unsafeName": "m_01", + "safeName": "m_01" + }, + "screamingSnakeCase": { + "unsafeName": "M_01", + "safeName": "M_01" + }, + "pascalCase": { + "unsafeName": "M01", + "safeName": "M01" + } + }, + "wireValue": "m01" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "m02", + "camelCase": { + "unsafeName": "m02", + "safeName": "m02" + }, + "snakeCase": { + "unsafeName": "m_02", + "safeName": "m_02" + }, + "screamingSnakeCase": { + "unsafeName": "M_02", + "safeName": "M_02" + }, + "pascalCase": { + "unsafeName": "M02", + "safeName": "M02" + } + }, + "wireValue": "m02" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "m03", + "camelCase": { + "unsafeName": "m03", + "safeName": "m03" + }, + "snakeCase": { + "unsafeName": "m_03", + "safeName": "m_03" + }, + "screamingSnakeCase": { + "unsafeName": "M_03", + "safeName": "M_03" + }, + "pascalCase": { + "unsafeName": "M03", + "safeName": "M03" + } + }, + "wireValue": "m03" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "m11", + "camelCase": { + "unsafeName": "m11", + "safeName": "m11" + }, + "snakeCase": { + "unsafeName": "m_11", + "safeName": "m_11" + }, + "screamingSnakeCase": { + "unsafeName": "M_11", + "safeName": "M_11" + }, + "pascalCase": { + "unsafeName": "M11", + "safeName": "M11" + } + }, + "wireValue": "m11" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "m12", + "camelCase": { + "unsafeName": "m12", + "safeName": "m12" + }, + "snakeCase": { + "unsafeName": "m_12", + "safeName": "m_12" + }, + "screamingSnakeCase": { + "unsafeName": "M_12", + "safeName": "M_12" + }, + "pascalCase": { + "unsafeName": "M12", + "safeName": "M12" + } + }, + "wireValue": "m12" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "m13", + "camelCase": { + "unsafeName": "m13", + "safeName": "m13" + }, + "snakeCase": { + "unsafeName": "m_13", + "safeName": "m_13" + }, + "screamingSnakeCase": { + "unsafeName": "M_13", + "safeName": "M_13" + }, + "pascalCase": { + "unsafeName": "M13", + "safeName": "M13" + } + }, + "wireValue": "m13" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "m22", + "camelCase": { + "unsafeName": "m22", + "safeName": "m22" + }, + "snakeCase": { + "unsafeName": "m_22", + "safeName": "m_22" + }, + "screamingSnakeCase": { + "unsafeName": "M_22", + "safeName": "M_22" + }, + "pascalCase": { + "unsafeName": "M22", + "safeName": "M22" + } + }, + "wireValue": "m22" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "m23", + "camelCase": { + "unsafeName": "m23", + "safeName": "m23" + }, + "snakeCase": { + "unsafeName": "m_23", + "safeName": "m_23" + }, + "screamingSnakeCase": { + "unsafeName": "M_23", + "safeName": "M_23" + }, + "pascalCase": { + "unsafeName": "M23", + "safeName": "M23" + } + }, + "wireValue": "m23" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "m33", + "camelCase": { + "unsafeName": "m33", + "safeName": "m33" + }, + "snakeCase": { + "unsafeName": "m_33", + "safeName": "m_33" + }, + "screamingSnakeCase": { + "unsafeName": "M_33", + "safeName": "M_33" + }, + "pascalCase": { + "unsafeName": "M33", + "safeName": "M33" + } + }, + "wireValue": "m33" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A symmetric 4D matrix only representing the upper right triangle, useful for covariance matrices." + }, + "anduril.type.TMat3": { + "name": { + "typeId": "anduril.type.TMat3", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.TMat3", + "camelCase": { + "unsafeName": "andurilTypeTMat3", + "safeName": "andurilTypeTMat3" + }, + "snakeCase": { + "unsafeName": "anduril_type_t_mat_3", + "safeName": "anduril_type_t_mat_3" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_T_MAT_3", + "safeName": "ANDURIL_TYPE_T_MAT_3" + }, + "pascalCase": { + "unsafeName": "AndurilTypeTMat3", + "safeName": "AndurilTypeTMat3" + } + }, + "displayName": "TMat3" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "mxx", + "camelCase": { + "unsafeName": "mxx", + "safeName": "mxx" + }, + "snakeCase": { + "unsafeName": "mxx", + "safeName": "mxx" + }, + "screamingSnakeCase": { + "unsafeName": "MXX", + "safeName": "MXX" + }, + "pascalCase": { + "unsafeName": "Mxx", + "safeName": "Mxx" + } + }, + "wireValue": "mxx" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "mxy", + "camelCase": { + "unsafeName": "mxy", + "safeName": "mxy" + }, + "snakeCase": { + "unsafeName": "mxy", + "safeName": "mxy" + }, + "screamingSnakeCase": { + "unsafeName": "MXY", + "safeName": "MXY" + }, + "pascalCase": { + "unsafeName": "Mxy", + "safeName": "Mxy" + } + }, + "wireValue": "mxy" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "mxz", + "camelCase": { + "unsafeName": "mxz", + "safeName": "mxz" + }, + "snakeCase": { + "unsafeName": "mxz", + "safeName": "mxz" + }, + "screamingSnakeCase": { + "unsafeName": "MXZ", + "safeName": "MXZ" + }, + "pascalCase": { + "unsafeName": "Mxz", + "safeName": "Mxz" + } + }, + "wireValue": "mxz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "myy", + "camelCase": { + "unsafeName": "myy", + "safeName": "myy" + }, + "snakeCase": { + "unsafeName": "myy", + "safeName": "myy" + }, + "screamingSnakeCase": { + "unsafeName": "MYY", + "safeName": "MYY" + }, + "pascalCase": { + "unsafeName": "Myy", + "safeName": "Myy" + } + }, + "wireValue": "myy" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "myz", + "camelCase": { + "unsafeName": "myz", + "safeName": "myz" + }, + "snakeCase": { + "unsafeName": "myz", + "safeName": "myz" + }, + "screamingSnakeCase": { + "unsafeName": "MYZ", + "safeName": "MYZ" + }, + "pascalCase": { + "unsafeName": "Myz", + "safeName": "Myz" + } + }, + "wireValue": "myz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "mzz", + "camelCase": { + "unsafeName": "mzz", + "safeName": "mzz" + }, + "snakeCase": { + "unsafeName": "mzz", + "safeName": "mzz" + }, + "screamingSnakeCase": { + "unsafeName": "MZZ", + "safeName": "MZZ" + }, + "pascalCase": { + "unsafeName": "Mzz", + "safeName": "Mzz" + } + }, + "wireValue": "mzz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A symmetric 3D matrix only representing the upper right triangle, useful for covariance matrices." + }, + "anduril.type.TMat2": { + "name": { + "typeId": "anduril.type.TMat2", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.TMat2", + "camelCase": { + "unsafeName": "andurilTypeTMat2", + "safeName": "andurilTypeTMat2" + }, + "snakeCase": { + "unsafeName": "anduril_type_t_mat_2", + "safeName": "anduril_type_t_mat_2" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_T_MAT_2", + "safeName": "ANDURIL_TYPE_T_MAT_2" + }, + "pascalCase": { + "unsafeName": "AndurilTypeTMat2", + "safeName": "AndurilTypeTMat2" + } + }, + "displayName": "TMat2" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "mxx", + "camelCase": { + "unsafeName": "mxx", + "safeName": "mxx" + }, + "snakeCase": { + "unsafeName": "mxx", + "safeName": "mxx" + }, + "screamingSnakeCase": { + "unsafeName": "MXX", + "safeName": "MXX" + }, + "pascalCase": { + "unsafeName": "Mxx", + "safeName": "Mxx" + } + }, + "wireValue": "mxx" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "mxy", + "camelCase": { + "unsafeName": "mxy", + "safeName": "mxy" + }, + "snakeCase": { + "unsafeName": "mxy", + "safeName": "mxy" + }, + "screamingSnakeCase": { + "unsafeName": "MXY", + "safeName": "MXY" + }, + "pascalCase": { + "unsafeName": "Mxy", + "safeName": "Mxy" + } + }, + "wireValue": "mxy" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "myy", + "camelCase": { + "unsafeName": "myy", + "safeName": "myy" + }, + "snakeCase": { + "unsafeName": "myy", + "safeName": "myy" + }, + "screamingSnakeCase": { + "unsafeName": "MYY", + "safeName": "MYY" + }, + "pascalCase": { + "unsafeName": "Myy", + "safeName": "Myy" + } + }, + "wireValue": "myy" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "symmetric 2d matrix only representing the upper right triangle, useful for\\n covariance matrices" + }, + "anduril.type.RigidTransform": { + "name": { + "typeId": "anduril.type.RigidTransform", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.RigidTransform", + "camelCase": { + "unsafeName": "andurilTypeRigidTransform", + "safeName": "andurilTypeRigidTransform" + }, + "snakeCase": { + "unsafeName": "anduril_type_rigid_transform", + "safeName": "anduril_type_rigid_transform" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_RIGID_TRANSFORM", + "safeName": "ANDURIL_TYPE_RIGID_TRANSFORM" + }, + "pascalCase": { + "unsafeName": "AndurilTypeRigidTransform", + "safeName": "AndurilTypeRigidTransform" + } + }, + "displayName": "RigidTransform" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "rotation", + "camelCase": { + "unsafeName": "rotation", + "safeName": "rotation" + }, + "snakeCase": { + "unsafeName": "rotation", + "safeName": "rotation" + }, + "screamingSnakeCase": { + "unsafeName": "ROTATION", + "safeName": "ROTATION" + }, + "pascalCase": { + "unsafeName": "Rotation", + "safeName": "Rotation" + } + }, + "wireValue": "rotation" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Quaternion", + "camelCase": { + "unsafeName": "andurilTypeQuaternion", + "safeName": "andurilTypeQuaternion" + }, + "snakeCase": { + "unsafeName": "anduril_type_quaternion", + "safeName": "anduril_type_quaternion" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_QUATERNION", + "safeName": "ANDURIL_TYPE_QUATERNION" + }, + "pascalCase": { + "unsafeName": "AndurilTypeQuaternion", + "safeName": "AndurilTypeQuaternion" + } + }, + "typeId": "anduril.type.Quaternion", + "default": null, + "inline": false, + "displayName": "rotation" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "translation", + "camelCase": { + "unsafeName": "translation", + "safeName": "translation" + }, + "snakeCase": { + "unsafeName": "translation", + "safeName": "translation" + }, + "screamingSnakeCase": { + "unsafeName": "TRANSLATION", + "safeName": "TRANSLATION" + }, + "pascalCase": { + "unsafeName": "Translation", + "safeName": "Translation" + } + }, + "wireValue": "translation" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Vec3", + "camelCase": { + "unsafeName": "andurilTypeVec3", + "safeName": "andurilTypeVec3" + }, + "snakeCase": { + "unsafeName": "anduril_type_vec_3", + "safeName": "anduril_type_vec_3" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_VEC_3", + "safeName": "ANDURIL_TYPE_VEC_3" + }, + "pascalCase": { + "unsafeName": "AndurilTypeVec3", + "safeName": "AndurilTypeVec3" + } + }, + "typeId": "anduril.type.Vec3", + "default": null, + "inline": false, + "displayName": "translation" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Rx + t, Technically this is a duplicate of AffineTransform\\n but Affine Transform isn't really an affine transform (since it doesn't allow\\n skewing and stretching)." + }, + "google.protobuf.DoubleValue": { + "name": { + "typeId": "google.protobuf.DoubleValue", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "displayName": "DoubleValue" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.FloatValue": { + "name": { + "typeId": "google.protobuf.FloatValue", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FloatValue", + "camelCase": { + "unsafeName": "googleProtobufFloatValue", + "safeName": "googleProtobufFloatValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_float_value", + "safeName": "google_protobuf_float_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", + "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFloatValue", + "safeName": "GoogleProtobufFloatValue" + } + }, + "displayName": "FloatValue" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.Int64Value": { + "name": { + "typeId": "google.protobuf.Int64Value", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Int64Value", + "camelCase": { + "unsafeName": "googleProtobufInt64Value", + "safeName": "googleProtobufInt64Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_int_64_value", + "safeName": "google_protobuf_int_64_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_INT_64_VALUE", + "safeName": "GOOGLE_PROTOBUF_INT_64_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufInt64Value", + "safeName": "GoogleProtobufInt64Value" + } + }, + "displayName": "Int64Value" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "LONG", + "v2": { + "type": "long", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.UInt64Value": { + "name": { + "typeId": "google.protobuf.UInt64Value", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UInt64Value", + "camelCase": { + "unsafeName": "googleProtobufUInt64Value", + "safeName": "googleProtobufUInt64Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_u_int_64_value", + "safeName": "google_protobuf_u_int_64_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_U_INT_64_VALUE", + "safeName": "GOOGLE_PROTOBUF_U_INT_64_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUInt64Value", + "safeName": "GoogleProtobufUInt64Value" + } + }, + "displayName": "UInt64Value" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT_64", + "v2": { + "type": "uint64" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.Int32Value": { + "name": { + "typeId": "google.protobuf.Int32Value", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Int32Value", + "camelCase": { + "unsafeName": "googleProtobufInt32Value", + "safeName": "googleProtobufInt32Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_int_32_value", + "safeName": "google_protobuf_int_32_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_INT_32_VALUE", + "safeName": "GOOGLE_PROTOBUF_INT_32_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufInt32Value", + "safeName": "GoogleProtobufInt32Value" + } + }, + "displayName": "Int32Value" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.UInt32Value": { + "name": { + "typeId": "google.protobuf.UInt32Value", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UInt32Value", + "camelCase": { + "unsafeName": "googleProtobufUInt32Value", + "safeName": "googleProtobufUInt32Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_u_int_32_value", + "safeName": "google_protobuf_u_int_32_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", + "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUInt32Value", + "safeName": "GoogleProtobufUInt32Value" + } + }, + "displayName": "UInt32Value" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.BoolValue": { + "name": { + "typeId": "google.protobuf.BoolValue", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.BoolValue", + "camelCase": { + "unsafeName": "googleProtobufBoolValue", + "safeName": "googleProtobufBoolValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_bool_value", + "safeName": "google_protobuf_bool_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", + "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufBoolValue", + "safeName": "GoogleProtobufBoolValue" + } + }, + "displayName": "BoolValue" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.StringValue": { + "name": { + "typeId": "google.protobuf.StringValue", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.StringValue", + "camelCase": { + "unsafeName": "googleProtobufStringValue", + "safeName": "googleProtobufStringValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_string_value", + "safeName": "google_protobuf_string_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_STRING_VALUE", + "safeName": "GOOGLE_PROTOBUF_STRING_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufStringValue", + "safeName": "GoogleProtobufStringValue" + } + }, + "displayName": "StringValue" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.BytesValue": { + "name": { + "typeId": "google.protobuf.BytesValue", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.BytesValue", + "camelCase": { + "unsafeName": "googleProtobufBytesValue", + "safeName": "googleProtobufBytesValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_bytes_value", + "safeName": "google_protobuf_bytes_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_BYTES_VALUE", + "safeName": "GOOGLE_PROTOBUF_BYTES_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufBytesValue", + "safeName": "GoogleProtobufBytesValue" + } + }, + "displayName": "BytesValue" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "unknown" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Location": { + "name": { + "typeId": "anduril.entitymanager.v1.Location", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Location", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Location", + "safeName": "andurilEntitymanagerV1Location" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_location", + "safeName": "anduril_entitymanager_v_1_location" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Location", + "safeName": "AndurilEntitymanagerV1Location" + } + }, + "displayName": "Location" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "position", + "camelCase": { + "unsafeName": "position", + "safeName": "position" + }, + "snakeCase": { + "unsafeName": "position", + "safeName": "position" + }, + "screamingSnakeCase": { + "unsafeName": "POSITION", + "safeName": "POSITION" + }, + "pascalCase": { + "unsafeName": "Position", + "safeName": "Position" + } + }, + "wireValue": "position" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "position" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "see Position definition for details." + }, + { + "name": { + "name": { + "originalName": "velocity_enu", + "camelCase": { + "unsafeName": "velocityEnu", + "safeName": "velocityEnu" + }, + "snakeCase": { + "unsafeName": "velocity_enu", + "safeName": "velocity_enu" + }, + "screamingSnakeCase": { + "unsafeName": "VELOCITY_ENU", + "safeName": "VELOCITY_ENU" + }, + "pascalCase": { + "unsafeName": "VelocityEnu", + "safeName": "VelocityEnu" + } + }, + "wireValue": "velocity_enu" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.ENU", + "camelCase": { + "unsafeName": "andurilTypeEnu", + "safeName": "andurilTypeEnu" + }, + "snakeCase": { + "unsafeName": "anduril_type_enu", + "safeName": "anduril_type_enu" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ENU", + "safeName": "ANDURIL_TYPE_ENU" + }, + "pascalCase": { + "unsafeName": "AndurilTypeEnu", + "safeName": "AndurilTypeEnu" + } + }, + "typeId": "anduril.type.ENU", + "default": null, + "inline": false, + "displayName": "velocity_enu" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Velocity in an ENU reference frame centered on the corresponding position. All units are meters per second." + }, + { + "name": { + "name": { + "originalName": "speed_mps", + "camelCase": { + "unsafeName": "speedMps", + "safeName": "speedMps" + }, + "snakeCase": { + "unsafeName": "speed_mps", + "safeName": "speed_mps" + }, + "screamingSnakeCase": { + "unsafeName": "SPEED_MPS", + "safeName": "SPEED_MPS" + }, + "pascalCase": { + "unsafeName": "SpeedMps", + "safeName": "SpeedMps" + } + }, + "wireValue": "speed_mps" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "speed_mps" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Speed is the magnitude of velocity_enu vector [sqrt(e^2 + n^2 + u^2)] when present, measured in m/s." + }, + { + "name": { + "name": { + "originalName": "acceleration", + "camelCase": { + "unsafeName": "acceleration", + "safeName": "acceleration" + }, + "snakeCase": { + "unsafeName": "acceleration", + "safeName": "acceleration" + }, + "screamingSnakeCase": { + "unsafeName": "ACCELERATION", + "safeName": "ACCELERATION" + }, + "pascalCase": { + "unsafeName": "Acceleration", + "safeName": "Acceleration" + } + }, + "wireValue": "acceleration" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.ENU", + "camelCase": { + "unsafeName": "andurilTypeEnu", + "safeName": "andurilTypeEnu" + }, + "snakeCase": { + "unsafeName": "anduril_type_enu", + "safeName": "anduril_type_enu" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ENU", + "safeName": "ANDURIL_TYPE_ENU" + }, + "pascalCase": { + "unsafeName": "AndurilTypeEnu", + "safeName": "AndurilTypeEnu" + } + }, + "typeId": "anduril.type.ENU", + "default": null, + "inline": false, + "displayName": "acceleration" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The entity's acceleration in meters/s^2." + }, + { + "name": { + "name": { + "originalName": "attitude_enu", + "camelCase": { + "unsafeName": "attitudeEnu", + "safeName": "attitudeEnu" + }, + "snakeCase": { + "unsafeName": "attitude_enu", + "safeName": "attitude_enu" + }, + "screamingSnakeCase": { + "unsafeName": "ATTITUDE_ENU", + "safeName": "ATTITUDE_ENU" + }, + "pascalCase": { + "unsafeName": "AttitudeEnu", + "safeName": "AttitudeEnu" + } + }, + "wireValue": "attitude_enu" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Quaternion", + "camelCase": { + "unsafeName": "andurilTypeQuaternion", + "safeName": "andurilTypeQuaternion" + }, + "snakeCase": { + "unsafeName": "anduril_type_quaternion", + "safeName": "anduril_type_quaternion" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_QUATERNION", + "safeName": "ANDURIL_TYPE_QUATERNION" + }, + "pascalCase": { + "unsafeName": "AndurilTypeQuaternion", + "safeName": "AndurilTypeQuaternion" + } + }, + "typeId": "anduril.type.Quaternion", + "default": null, + "inline": false, + "displayName": "attitude_enu" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "quaternion to translate from entity body frame to it's ENU frame" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Available for Entities that have a single or primary Location." + }, + "anduril.entitymanager.v1.Position": { + "name": { + "typeId": "anduril.entitymanager.v1.Position", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "displayName": "Position" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "latitude_degrees", + "camelCase": { + "unsafeName": "latitudeDegrees", + "safeName": "latitudeDegrees" + }, + "snakeCase": { + "unsafeName": "latitude_degrees", + "safeName": "latitude_degrees" + }, + "screamingSnakeCase": { + "unsafeName": "LATITUDE_DEGREES", + "safeName": "LATITUDE_DEGREES" + }, + "pascalCase": { + "unsafeName": "LatitudeDegrees", + "safeName": "LatitudeDegrees" + } + }, + "wireValue": "latitude_degrees" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "WGS84 geodetic latitude in decimal degrees." + }, + { + "name": { + "name": { + "originalName": "longitude_degrees", + "camelCase": { + "unsafeName": "longitudeDegrees", + "safeName": "longitudeDegrees" + }, + "snakeCase": { + "unsafeName": "longitude_degrees", + "safeName": "longitude_degrees" + }, + "screamingSnakeCase": { + "unsafeName": "LONGITUDE_DEGREES", + "safeName": "LONGITUDE_DEGREES" + }, + "pascalCase": { + "unsafeName": "LongitudeDegrees", + "safeName": "LongitudeDegrees" + } + }, + "wireValue": "longitude_degrees" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "WGS84 longitude in decimal degrees." + }, + { + "name": { + "name": { + "originalName": "altitude_hae_meters", + "camelCase": { + "unsafeName": "altitudeHaeMeters", + "safeName": "altitudeHaeMeters" + }, + "snakeCase": { + "unsafeName": "altitude_hae_meters", + "safeName": "altitude_hae_meters" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_HAE_METERS", + "safeName": "ALTITUDE_HAE_METERS" + }, + "pascalCase": { + "unsafeName": "AltitudeHaeMeters", + "safeName": "AltitudeHaeMeters" + } + }, + "wireValue": "altitude_hae_meters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "altitude_hae_meters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "altitude as height above ellipsoid (WGS84) in meters. DoubleValue wrapper is used to distinguish optional from\\n default 0." + }, + { + "name": { + "name": { + "originalName": "altitude_agl_meters", + "camelCase": { + "unsafeName": "altitudeAglMeters", + "safeName": "altitudeAglMeters" + }, + "snakeCase": { + "unsafeName": "altitude_agl_meters", + "safeName": "altitude_agl_meters" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_AGL_METERS", + "safeName": "ALTITUDE_AGL_METERS" + }, + "pascalCase": { + "unsafeName": "AltitudeAglMeters", + "safeName": "AltitudeAglMeters" + } + }, + "wireValue": "altitude_agl_meters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "altitude_agl_meters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Altitude as AGL (Above Ground Level) if the upstream data source has this value set. This value represents the\\n entity's height above the terrain. This is typically measured with a radar altimeter or by using a terrain tile\\n set lookup. If the value is not set from the upstream, this value is not set." + }, + { + "name": { + "name": { + "originalName": "altitude_asf_meters", + "camelCase": { + "unsafeName": "altitudeAsfMeters", + "safeName": "altitudeAsfMeters" + }, + "snakeCase": { + "unsafeName": "altitude_asf_meters", + "safeName": "altitude_asf_meters" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_ASF_METERS", + "safeName": "ALTITUDE_ASF_METERS" + }, + "pascalCase": { + "unsafeName": "AltitudeAsfMeters", + "safeName": "AltitudeAsfMeters" + } + }, + "wireValue": "altitude_asf_meters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "altitude_asf_meters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Altitude as ASF (Above Sea Floor) if the upstream data source has this value set. If the value is not set from the upstream, this value is\\n not set." + }, + { + "name": { + "name": { + "originalName": "pressure_depth_meters", + "camelCase": { + "unsafeName": "pressureDepthMeters", + "safeName": "pressureDepthMeters" + }, + "snakeCase": { + "unsafeName": "pressure_depth_meters", + "safeName": "pressure_depth_meters" + }, + "screamingSnakeCase": { + "unsafeName": "PRESSURE_DEPTH_METERS", + "safeName": "PRESSURE_DEPTH_METERS" + }, + "pascalCase": { + "unsafeName": "PressureDepthMeters", + "safeName": "PressureDepthMeters" + } + }, + "wireValue": "pressure_depth_meters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "pressure_depth_meters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The depth of the entity from the surface of the water through sensor measurements based on differential pressure\\n between the interior and exterior of the vessel. If the value is not set from the upstream, this value is not set." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "WGS84 position. Position includes four altitude references.\\n The data model does not currently support Mean Sea Level (MSL) references,\\n such as the Earth Gravitational Model 1996 (EGM-96) and the Earth Gravitational Model 2008 (EGM-08).\\n If the only altitude reference available to your integration is MSL, convert it to\\n Height Above Ellipsoid (HAE) and populate the altitude_hae_meters field." + }, + "anduril.entitymanager.v1.LocationUncertainty": { + "name": { + "typeId": "anduril.entitymanager.v1.LocationUncertainty", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.LocationUncertainty", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1LocationUncertainty", + "safeName": "andurilEntitymanagerV1LocationUncertainty" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_location_uncertainty", + "safeName": "anduril_entitymanager_v_1_location_uncertainty" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION_UNCERTAINTY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION_UNCERTAINTY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1LocationUncertainty", + "safeName": "AndurilEntitymanagerV1LocationUncertainty" + } + }, + "displayName": "LocationUncertainty" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "position_enu_cov", + "camelCase": { + "unsafeName": "positionEnuCov", + "safeName": "positionEnuCov" + }, + "snakeCase": { + "unsafeName": "position_enu_cov", + "safeName": "position_enu_cov" + }, + "screamingSnakeCase": { + "unsafeName": "POSITION_ENU_COV", + "safeName": "POSITION_ENU_COV" + }, + "pascalCase": { + "unsafeName": "PositionEnuCov", + "safeName": "PositionEnuCov" + } + }, + "wireValue": "position_enu_cov" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TMat3", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TMat3", + "safeName": "andurilEntitymanagerV1TMat3" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_t_mat_3", + "safeName": "anduril_entitymanager_v_1_t_mat_3" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TMat3", + "safeName": "AndurilEntitymanagerV1TMat3" + } + }, + "typeId": "anduril.entitymanager.v1.TMat3", + "default": null, + "inline": false, + "displayName": "position_enu_cov" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Positional covariance represented by the upper triangle of the covariance matrix. It is valid to populate\\n only the diagonal of the matrix if the full covariance matrix is unknown." + }, + { + "name": { + "name": { + "originalName": "velocity_enu_cov", + "camelCase": { + "unsafeName": "velocityEnuCov", + "safeName": "velocityEnuCov" + }, + "snakeCase": { + "unsafeName": "velocity_enu_cov", + "safeName": "velocity_enu_cov" + }, + "screamingSnakeCase": { + "unsafeName": "VELOCITY_ENU_COV", + "safeName": "VELOCITY_ENU_COV" + }, + "pascalCase": { + "unsafeName": "VelocityEnuCov", + "safeName": "VelocityEnuCov" + } + }, + "wireValue": "velocity_enu_cov" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TMat3", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TMat3", + "safeName": "andurilEntitymanagerV1TMat3" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_t_mat_3", + "safeName": "anduril_entitymanager_v_1_t_mat_3" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TMat3", + "safeName": "AndurilEntitymanagerV1TMat3" + } + }, + "typeId": "anduril.entitymanager.v1.TMat3", + "default": null, + "inline": false, + "displayName": "velocity_enu_cov" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Velocity covariance represented by the upper triangle of the covariance matrix. It is valid to populate\\n only the diagonal of the matrix if the full covariance matrix is unknown." + }, + { + "name": { + "name": { + "originalName": "position_error_ellipse", + "camelCase": { + "unsafeName": "positionErrorEllipse", + "safeName": "positionErrorEllipse" + }, + "snakeCase": { + "unsafeName": "position_error_ellipse", + "safeName": "position_error_ellipse" + }, + "screamingSnakeCase": { + "unsafeName": "POSITION_ERROR_ELLIPSE", + "safeName": "POSITION_ERROR_ELLIPSE" + }, + "pascalCase": { + "unsafeName": "PositionErrorEllipse", + "safeName": "PositionErrorEllipse" + } + }, + "wireValue": "position_error_ellipse" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ErrorEllipse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ErrorEllipse", + "safeName": "andurilEntitymanagerV1ErrorEllipse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_error_ellipse", + "safeName": "anduril_entitymanager_v_1_error_ellipse" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ERROR_ELLIPSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ERROR_ELLIPSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ErrorEllipse", + "safeName": "AndurilEntitymanagerV1ErrorEllipse" + } + }, + "typeId": "anduril.entitymanager.v1.ErrorEllipse", + "default": null, + "inline": false, + "displayName": "position_error_ellipse" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "An ellipse that describes the certainty probability and error boundary for a given geolocation." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Uncertainty of entity position and velocity, if available." + }, + "anduril.entitymanager.v1.ErrorEllipse": { + "name": { + "typeId": "anduril.entitymanager.v1.ErrorEllipse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ErrorEllipse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ErrorEllipse", + "safeName": "andurilEntitymanagerV1ErrorEllipse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_error_ellipse", + "safeName": "anduril_entitymanager_v_1_error_ellipse" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ERROR_ELLIPSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ERROR_ELLIPSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ErrorEllipse", + "safeName": "AndurilEntitymanagerV1ErrorEllipse" + } + }, + "displayName": "ErrorEllipse" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "probability", + "camelCase": { + "unsafeName": "probability", + "safeName": "probability" + }, + "snakeCase": { + "unsafeName": "probability", + "safeName": "probability" + }, + "screamingSnakeCase": { + "unsafeName": "PROBABILITY", + "safeName": "PROBABILITY" + }, + "pascalCase": { + "unsafeName": "Probability", + "safeName": "Probability" + } + }, + "wireValue": "probability" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "probability" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Defines the probability in percentage that an entity lies within the given ellipse: 0-1." + }, + { + "name": { + "name": { + "originalName": "semi_major_axis_m", + "camelCase": { + "unsafeName": "semiMajorAxisM", + "safeName": "semiMajorAxisM" + }, + "snakeCase": { + "unsafeName": "semi_major_axis_m", + "safeName": "semi_major_axis_m" + }, + "screamingSnakeCase": { + "unsafeName": "SEMI_MAJOR_AXIS_M", + "safeName": "SEMI_MAJOR_AXIS_M" + }, + "pascalCase": { + "unsafeName": "SemiMajorAxisM", + "safeName": "SemiMajorAxisM" + } + }, + "wireValue": "semi_major_axis_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "semi_major_axis_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Defines the distance from the center point of the ellipse to the furthest distance on the perimeter in meters." + }, + { + "name": { + "name": { + "originalName": "semi_minor_axis_m", + "camelCase": { + "unsafeName": "semiMinorAxisM", + "safeName": "semiMinorAxisM" + }, + "snakeCase": { + "unsafeName": "semi_minor_axis_m", + "safeName": "semi_minor_axis_m" + }, + "screamingSnakeCase": { + "unsafeName": "SEMI_MINOR_AXIS_M", + "safeName": "SEMI_MINOR_AXIS_M" + }, + "pascalCase": { + "unsafeName": "SemiMinorAxisM", + "safeName": "SemiMinorAxisM" + } + }, + "wireValue": "semi_minor_axis_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "semi_minor_axis_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Defines the distance from the center point of the ellipse to the shortest distance on the perimeter in meters." + }, + { + "name": { + "name": { + "originalName": "orientation_d", + "camelCase": { + "unsafeName": "orientationD", + "safeName": "orientationD" + }, + "snakeCase": { + "unsafeName": "orientation_d", + "safeName": "orientation_d" + }, + "screamingSnakeCase": { + "unsafeName": "ORIENTATION_D", + "safeName": "ORIENTATION_D" + }, + "pascalCase": { + "unsafeName": "OrientationD", + "safeName": "OrientationD" + } + }, + "wireValue": "orientation_d" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "orientation_d" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The orientation of the semi-major relative to true north in degrees from clockwise: 0-180 due to symmetry across the semi-minor axis." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Indicates ellipse characteristics and probability that an entity lies within the defined ellipse." + }, + "anduril.entitymanager.v1.Pose": { + "name": { + "typeId": "anduril.entitymanager.v1.Pose", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Pose", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Pose", + "safeName": "andurilEntitymanagerV1Pose" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_pose", + "safeName": "anduril_entitymanager_v_1_pose" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Pose", + "safeName": "AndurilEntitymanagerV1Pose" + } + }, + "displayName": "Pose" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "pos", + "camelCase": { + "unsafeName": "pos", + "safeName": "pos" + }, + "snakeCase": { + "unsafeName": "pos", + "safeName": "pos" + }, + "screamingSnakeCase": { + "unsafeName": "POS", + "safeName": "POS" + }, + "pascalCase": { + "unsafeName": "Pos", + "safeName": "Pos" + } + }, + "wireValue": "pos" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "pos" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Geospatial location defined by this Pose." + }, + { + "name": { + "name": { + "originalName": "orientation", + "camelCase": { + "unsafeName": "orientation", + "safeName": "orientation" + }, + "snakeCase": { + "unsafeName": "orientation", + "safeName": "orientation" + }, + "screamingSnakeCase": { + "unsafeName": "ORIENTATION", + "safeName": "ORIENTATION" + }, + "pascalCase": { + "unsafeName": "Orientation", + "safeName": "Orientation" + } + }, + "wireValue": "orientation" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Quaternion", + "camelCase": { + "unsafeName": "andurilTypeQuaternion", + "safeName": "andurilTypeQuaternion" + }, + "snakeCase": { + "unsafeName": "anduril_type_quaternion", + "safeName": "anduril_type_quaternion" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_QUATERNION", + "safeName": "ANDURIL_TYPE_QUATERNION" + }, + "pascalCase": { + "unsafeName": "AndurilTypeQuaternion", + "safeName": "AndurilTypeQuaternion" + } + }, + "typeId": "anduril.type.Quaternion", + "default": null, + "inline": false, + "displayName": "orientation" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The quaternion to transform a point in the Pose frame to the ENU frame. The Pose frame could be Body, Turret,\\n etc and is determined by the context in which this Pose is used.\\n The normal convention for defining orientation is to list the frames of transformation, for example\\n att_gimbal_to_enu is the quaternion which transforms a point in the gimbal frame to the body frame, but\\n in this case we truncate to att_enu because the Pose frame isn't defined. A potentially better name for this\\n field would have been att_pose_to_enu.\\n\\n Implementations of this quaternion should left multiply this quaternion to transform a point from the Pose frame\\n to the enu frame." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.TMat3": { + "name": { + "typeId": "anduril.entitymanager.v1.TMat3", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TMat3", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TMat3", + "safeName": "andurilEntitymanagerV1TMat3" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_t_mat_3", + "safeName": "anduril_entitymanager_v_1_t_mat_3" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_T_MAT_3" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TMat3", + "safeName": "AndurilEntitymanagerV1TMat3" + } + }, + "displayName": "TMat3" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "mxx", + "camelCase": { + "unsafeName": "mxx", + "safeName": "mxx" + }, + "snakeCase": { + "unsafeName": "mxx", + "safeName": "mxx" + }, + "screamingSnakeCase": { + "unsafeName": "MXX", + "safeName": "MXX" + }, + "pascalCase": { + "unsafeName": "Mxx", + "safeName": "Mxx" + } + }, + "wireValue": "mxx" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "mxy", + "camelCase": { + "unsafeName": "mxy", + "safeName": "mxy" + }, + "snakeCase": { + "unsafeName": "mxy", + "safeName": "mxy" + }, + "screamingSnakeCase": { + "unsafeName": "MXY", + "safeName": "MXY" + }, + "pascalCase": { + "unsafeName": "Mxy", + "safeName": "Mxy" + } + }, + "wireValue": "mxy" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "mxz", + "camelCase": { + "unsafeName": "mxz", + "safeName": "mxz" + }, + "snakeCase": { + "unsafeName": "mxz", + "safeName": "mxz" + }, + "screamingSnakeCase": { + "unsafeName": "MXZ", + "safeName": "MXZ" + }, + "pascalCase": { + "unsafeName": "Mxz", + "safeName": "Mxz" + } + }, + "wireValue": "mxz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "myy", + "camelCase": { + "unsafeName": "myy", + "safeName": "myy" + }, + "snakeCase": { + "unsafeName": "myy", + "safeName": "myy" + }, + "screamingSnakeCase": { + "unsafeName": "MYY", + "safeName": "MYY" + }, + "pascalCase": { + "unsafeName": "Myy", + "safeName": "Myy" + } + }, + "wireValue": "myy" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "myz", + "camelCase": { + "unsafeName": "myz", + "safeName": "myz" + }, + "snakeCase": { + "unsafeName": "myz", + "safeName": "myz" + }, + "screamingSnakeCase": { + "unsafeName": "MYZ", + "safeName": "MYZ" + }, + "pascalCase": { + "unsafeName": "Myz", + "safeName": "Myz" + } + }, + "wireValue": "myz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "mzz", + "camelCase": { + "unsafeName": "mzz", + "safeName": "mzz" + }, + "snakeCase": { + "unsafeName": "mzz", + "safeName": "mzz" + }, + "screamingSnakeCase": { + "unsafeName": "MZZ", + "safeName": "MZZ" + }, + "pascalCase": { + "unsafeName": "Mzz", + "safeName": "Mzz" + } + }, + "wireValue": "mzz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Symmetric 3d matrix only representing the upper right triangle." + }, + "anduril.entitymanager.v1.GeoType": { + "name": { + "typeId": "anduril.entitymanager.v1.GeoType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoType", + "safeName": "andurilEntitymanagerV1GeoType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_type", + "safeName": "anduril_entitymanager_v_1_geo_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoType", + "safeName": "AndurilEntitymanagerV1GeoType" + } + }, + "displayName": "GeoType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "GEO_TYPE_INVALID", + "camelCase": { + "unsafeName": "geoTypeInvalid", + "safeName": "geoTypeInvalid" + }, + "snakeCase": { + "unsafeName": "geo_type_invalid", + "safeName": "geo_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "GEO_TYPE_INVALID", + "safeName": "GEO_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "GeoTypeInvalid", + "safeName": "GeoTypeInvalid" + } + }, + "wireValue": "GEO_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "GEO_TYPE_GENERAL", + "camelCase": { + "unsafeName": "geoTypeGeneral", + "safeName": "geoTypeGeneral" + }, + "snakeCase": { + "unsafeName": "geo_type_general", + "safeName": "geo_type_general" + }, + "screamingSnakeCase": { + "unsafeName": "GEO_TYPE_GENERAL", + "safeName": "GEO_TYPE_GENERAL" + }, + "pascalCase": { + "unsafeName": "GeoTypeGeneral", + "safeName": "GeoTypeGeneral" + } + }, + "wireValue": "GEO_TYPE_GENERAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "GEO_TYPE_HAZARD", + "camelCase": { + "unsafeName": "geoTypeHazard", + "safeName": "geoTypeHazard" + }, + "snakeCase": { + "unsafeName": "geo_type_hazard", + "safeName": "geo_type_hazard" + }, + "screamingSnakeCase": { + "unsafeName": "GEO_TYPE_HAZARD", + "safeName": "GEO_TYPE_HAZARD" + }, + "pascalCase": { + "unsafeName": "GeoTypeHazard", + "safeName": "GeoTypeHazard" + } + }, + "wireValue": "GEO_TYPE_HAZARD" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "GEO_TYPE_EMERGENCY", + "camelCase": { + "unsafeName": "geoTypeEmergency", + "safeName": "geoTypeEmergency" + }, + "snakeCase": { + "unsafeName": "geo_type_emergency", + "safeName": "geo_type_emergency" + }, + "screamingSnakeCase": { + "unsafeName": "GEO_TYPE_EMERGENCY", + "safeName": "GEO_TYPE_EMERGENCY" + }, + "pascalCase": { + "unsafeName": "GeoTypeEmergency", + "safeName": "GeoTypeEmergency" + } + }, + "wireValue": "GEO_TYPE_EMERGENCY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "GEO_TYPE_ENGAGEMENT_ZONE", + "camelCase": { + "unsafeName": "geoTypeEngagementZone", + "safeName": "geoTypeEngagementZone" + }, + "snakeCase": { + "unsafeName": "geo_type_engagement_zone", + "safeName": "geo_type_engagement_zone" + }, + "screamingSnakeCase": { + "unsafeName": "GEO_TYPE_ENGAGEMENT_ZONE", + "safeName": "GEO_TYPE_ENGAGEMENT_ZONE" + }, + "pascalCase": { + "unsafeName": "GeoTypeEngagementZone", + "safeName": "GeoTypeEngagementZone" + } + }, + "wireValue": "GEO_TYPE_ENGAGEMENT_ZONE" + }, + "availability": null, + "docs": "Engagement zones allow for engaging an entity if it comes within the zone of another entity." + }, + { + "name": { + "name": { + "originalName": "GEO_TYPE_CONTROL_AREA", + "camelCase": { + "unsafeName": "geoTypeControlArea", + "safeName": "geoTypeControlArea" + }, + "snakeCase": { + "unsafeName": "geo_type_control_area", + "safeName": "geo_type_control_area" + }, + "screamingSnakeCase": { + "unsafeName": "GEO_TYPE_CONTROL_AREA", + "safeName": "GEO_TYPE_CONTROL_AREA" + }, + "pascalCase": { + "unsafeName": "GeoTypeControlArea", + "safeName": "GeoTypeControlArea" + } + }, + "wireValue": "GEO_TYPE_CONTROL_AREA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "GEO_TYPE_BULLSEYE", + "camelCase": { + "unsafeName": "geoTypeBullseye", + "safeName": "geoTypeBullseye" + }, + "snakeCase": { + "unsafeName": "geo_type_bullseye", + "safeName": "geo_type_bullseye" + }, + "screamingSnakeCase": { + "unsafeName": "GEO_TYPE_BULLSEYE", + "safeName": "GEO_TYPE_BULLSEYE" + }, + "pascalCase": { + "unsafeName": "GeoTypeBullseye", + "safeName": "GeoTypeBullseye" + } + }, + "wireValue": "GEO_TYPE_BULLSEYE" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The type of geo entity." + }, + "anduril.entitymanager.v1.GeoDetails": { + "name": { + "typeId": "anduril.entitymanager.v1.GeoDetails", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoDetails", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoDetails", + "safeName": "andurilEntitymanagerV1GeoDetails" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_details", + "safeName": "anduril_entitymanager_v_1_geo_details" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_DETAILS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_DETAILS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoDetails", + "safeName": "AndurilEntitymanagerV1GeoDetails" + } + }, + "displayName": "GeoDetails" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "type", + "camelCase": { + "unsafeName": "type", + "safeName": "type" + }, + "snakeCase": { + "unsafeName": "type", + "safeName": "type" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE", + "safeName": "TYPE" + }, + "pascalCase": { + "unsafeName": "Type", + "safeName": "Type" + } + }, + "wireValue": "type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoType", + "safeName": "andurilEntitymanagerV1GeoType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_type", + "safeName": "anduril_entitymanager_v_1_geo_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoType", + "safeName": "AndurilEntitymanagerV1GeoType" + } + }, + "typeId": "anduril.entitymanager.v1.GeoType", + "default": null, + "inline": false, + "displayName": "type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A component that describes a geo-entity." + }, + "anduril.entitymanager.v1.GeoShapeShape": { + "name": { + "typeId": "anduril.entitymanager.v1.GeoShapeShape", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoShapeShape", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoShapeShape", + "safeName": "andurilEntitymanagerV1GeoShapeShape" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_shape_shape", + "safeName": "anduril_entitymanager_v_1_geo_shape_shape" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE_SHAPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE_SHAPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoShapeShape", + "safeName": "AndurilEntitymanagerV1GeoShapeShape" + } + }, + "displayName": "GeoShapeShape" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoPoint", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoPoint", + "safeName": "andurilEntitymanagerV1GeoPoint" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_point", + "safeName": "anduril_entitymanager_v_1_geo_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POINT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoPoint", + "safeName": "AndurilEntitymanagerV1GeoPoint" + } + }, + "typeId": "anduril.entitymanager.v1.GeoPoint", + "default": null, + "inline": false, + "displayName": "point" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoLine", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoLine", + "safeName": "andurilEntitymanagerV1GeoLine" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_line", + "safeName": "anduril_entitymanager_v_1_geo_line" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_LINE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_LINE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoLine", + "safeName": "AndurilEntitymanagerV1GeoLine" + } + }, + "typeId": "anduril.entitymanager.v1.GeoLine", + "default": null, + "inline": false, + "displayName": "line" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoPolygon", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoPolygon", + "safeName": "andurilEntitymanagerV1GeoPolygon" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_polygon", + "safeName": "anduril_entitymanager_v_1_geo_polygon" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoPolygon", + "safeName": "AndurilEntitymanagerV1GeoPolygon" + } + }, + "typeId": "anduril.entitymanager.v1.GeoPolygon", + "default": null, + "inline": false, + "displayName": "polygon" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoEllipse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoEllipse", + "safeName": "andurilEntitymanagerV1GeoEllipse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_ellipse", + "safeName": "anduril_entitymanager_v_1_geo_ellipse" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoEllipse", + "safeName": "AndurilEntitymanagerV1GeoEllipse" + } + }, + "typeId": "anduril.entitymanager.v1.GeoEllipse", + "default": null, + "inline": false, + "displayName": "ellipse" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoEllipsoid", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoEllipsoid", + "safeName": "andurilEntitymanagerV1GeoEllipsoid" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_ellipsoid", + "safeName": "anduril_entitymanager_v_1_geo_ellipsoid" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSOID", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSOID" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoEllipsoid", + "safeName": "AndurilEntitymanagerV1GeoEllipsoid" + } + }, + "typeId": "anduril.entitymanager.v1.GeoEllipsoid", + "default": null, + "inline": false, + "displayName": "ellipsoid" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.GeoShape": { + "name": { + "typeId": "anduril.entitymanager.v1.GeoShape", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoShape", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoShape", + "safeName": "andurilEntitymanagerV1GeoShape" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_shape", + "safeName": "anduril_entitymanager_v_1_geo_shape" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoShape", + "safeName": "AndurilEntitymanagerV1GeoShape" + } + }, + "displayName": "GeoShape" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "shape", + "camelCase": { + "unsafeName": "shape", + "safeName": "shape" + }, + "snakeCase": { + "unsafeName": "shape", + "safeName": "shape" + }, + "screamingSnakeCase": { + "unsafeName": "SHAPE", + "safeName": "SHAPE" + }, + "pascalCase": { + "unsafeName": "Shape", + "safeName": "Shape" + } + }, + "wireValue": "shape" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoShapeShape", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoShapeShape", + "safeName": "andurilEntitymanagerV1GeoShapeShape" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_shape_shape", + "safeName": "anduril_entitymanager_v_1_geo_shape_shape" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE_SHAPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE_SHAPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoShapeShape", + "safeName": "AndurilEntitymanagerV1GeoShapeShape" + } + }, + "typeId": "anduril.entitymanager.v1.GeoShapeShape", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A component that describes the shape of a geo-entity." + }, + "anduril.entitymanager.v1.GeoPoint": { + "name": { + "typeId": "anduril.entitymanager.v1.GeoPoint", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoPoint", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoPoint", + "safeName": "andurilEntitymanagerV1GeoPoint" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_point", + "safeName": "anduril_entitymanager_v_1_geo_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POINT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoPoint", + "safeName": "AndurilEntitymanagerV1GeoPoint" + } + }, + "displayName": "GeoPoint" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "position", + "camelCase": { + "unsafeName": "position", + "safeName": "position" + }, + "snakeCase": { + "unsafeName": "position", + "safeName": "position" + }, + "screamingSnakeCase": { + "unsafeName": "POSITION", + "safeName": "POSITION" + }, + "pascalCase": { + "unsafeName": "Position", + "safeName": "Position" + } + }, + "wireValue": "position" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "position" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A point shaped geo-entity.\\n See https://datatracker.ietf.org/doc/html/rfc7946#section-3.1.2" + }, + "anduril.entitymanager.v1.GeoLine": { + "name": { + "typeId": "anduril.entitymanager.v1.GeoLine", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoLine", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoLine", + "safeName": "andurilEntitymanagerV1GeoLine" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_line", + "safeName": "anduril_entitymanager_v_1_geo_line" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_LINE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_LINE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoLine", + "safeName": "AndurilEntitymanagerV1GeoLine" + } + }, + "displayName": "GeoLine" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "positions", + "camelCase": { + "unsafeName": "positions", + "safeName": "positions" + }, + "snakeCase": { + "unsafeName": "positions", + "safeName": "positions" + }, + "screamingSnakeCase": { + "unsafeName": "POSITIONS", + "safeName": "POSITIONS" + }, + "pascalCase": { + "unsafeName": "Positions", + "safeName": "Positions" + } + }, + "wireValue": "positions" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "positions" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A line shaped geo-entity.\\n See https://datatracker.ietf.org/doc/html/rfc7946#section-3.1.4" + }, + "anduril.entitymanager.v1.GeoPolygon": { + "name": { + "typeId": "anduril.entitymanager.v1.GeoPolygon", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoPolygon", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoPolygon", + "safeName": "andurilEntitymanagerV1GeoPolygon" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_polygon", + "safeName": "anduril_entitymanager_v_1_geo_polygon" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoPolygon", + "safeName": "AndurilEntitymanagerV1GeoPolygon" + } + }, + "displayName": "GeoPolygon" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "rings", + "camelCase": { + "unsafeName": "rings", + "safeName": "rings" + }, + "snakeCase": { + "unsafeName": "rings", + "safeName": "rings" + }, + "screamingSnakeCase": { + "unsafeName": "RINGS", + "safeName": "RINGS" + }, + "pascalCase": { + "unsafeName": "Rings", + "safeName": "Rings" + } + }, + "wireValue": "rings" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.LinearRing", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1LinearRing", + "safeName": "andurilEntitymanagerV1LinearRing" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_linear_ring", + "safeName": "anduril_entitymanager_v_1_linear_ring" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINEAR_RING", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINEAR_RING" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1LinearRing", + "safeName": "AndurilEntitymanagerV1LinearRing" + } + }, + "typeId": "anduril.entitymanager.v1.LinearRing", + "default": null, + "inline": false, + "displayName": "rings" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "An array of LinearRings where the first item is the exterior ring and subsequent items are interior rings." + }, + { + "name": { + "name": { + "originalName": "is_rectangle", + "camelCase": { + "unsafeName": "isRectangle", + "safeName": "isRectangle" + }, + "snakeCase": { + "unsafeName": "is_rectangle", + "safeName": "is_rectangle" + }, + "screamingSnakeCase": { + "unsafeName": "IS_RECTANGLE", + "safeName": "IS_RECTANGLE" + }, + "pascalCase": { + "unsafeName": "IsRectangle", + "safeName": "IsRectangle" + } + }, + "wireValue": "is_rectangle" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "An extension hint that this polygon is a rectangle. When true this implies several things:\\n * exactly 1 linear ring with 5 points (starting corner, 3 other corners and start again)\\n * each point has the same altitude corresponding with the plane of the rectangle\\n * each point has the same height (either all present and equal, or all not present)" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A polygon shaped geo-entity.\\n See https://datatracker.ietf.org/doc/html/rfc7946#section-3.1.6, only canonical representations accepted" + }, + "anduril.entitymanager.v1.GeoEllipse": { + "name": { + "typeId": "anduril.entitymanager.v1.GeoEllipse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoEllipse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoEllipse", + "safeName": "andurilEntitymanagerV1GeoEllipse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_ellipse", + "safeName": "anduril_entitymanager_v_1_geo_ellipse" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoEllipse", + "safeName": "AndurilEntitymanagerV1GeoEllipse" + } + }, + "displayName": "GeoEllipse" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "semi_major_axis_m", + "camelCase": { + "unsafeName": "semiMajorAxisM", + "safeName": "semiMajorAxisM" + }, + "snakeCase": { + "unsafeName": "semi_major_axis_m", + "safeName": "semi_major_axis_m" + }, + "screamingSnakeCase": { + "unsafeName": "SEMI_MAJOR_AXIS_M", + "safeName": "SEMI_MAJOR_AXIS_M" + }, + "pascalCase": { + "unsafeName": "SemiMajorAxisM", + "safeName": "SemiMajorAxisM" + } + }, + "wireValue": "semi_major_axis_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "semi_major_axis_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Defines the distance from the center point of the ellipse to the furthest distance on the perimeter in meters." + }, + { + "name": { + "name": { + "originalName": "semi_minor_axis_m", + "camelCase": { + "unsafeName": "semiMinorAxisM", + "safeName": "semiMinorAxisM" + }, + "snakeCase": { + "unsafeName": "semi_minor_axis_m", + "safeName": "semi_minor_axis_m" + }, + "screamingSnakeCase": { + "unsafeName": "SEMI_MINOR_AXIS_M", + "safeName": "SEMI_MINOR_AXIS_M" + }, + "pascalCase": { + "unsafeName": "SemiMinorAxisM", + "safeName": "SemiMinorAxisM" + } + }, + "wireValue": "semi_minor_axis_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "semi_minor_axis_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Defines the distance from the center point of the ellipse to the shortest distance on the perimeter in meters." + }, + { + "name": { + "name": { + "originalName": "orientation_d", + "camelCase": { + "unsafeName": "orientationD", + "safeName": "orientationD" + }, + "snakeCase": { + "unsafeName": "orientation_d", + "safeName": "orientation_d" + }, + "screamingSnakeCase": { + "unsafeName": "ORIENTATION_D", + "safeName": "ORIENTATION_D" + }, + "pascalCase": { + "unsafeName": "OrientationD", + "safeName": "OrientationD" + } + }, + "wireValue": "orientation_d" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "orientation_d" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The orientation of the semi-major relative to true north in degrees from clockwise: 0-180 due to symmetry across the semi-minor axis." + }, + { + "name": { + "name": { + "originalName": "height_m", + "camelCase": { + "unsafeName": "heightM", + "safeName": "heightM" + }, + "snakeCase": { + "unsafeName": "height_m", + "safeName": "height_m" + }, + "screamingSnakeCase": { + "unsafeName": "HEIGHT_M", + "safeName": "HEIGHT_M" + }, + "pascalCase": { + "unsafeName": "HeightM", + "safeName": "HeightM" + } + }, + "wireValue": "height_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "height_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional height above entity position to extrude in meters. A non-zero value creates an elliptic cylinder" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "An ellipse shaped geo-entity.\\n For a circle, the major and minor axis would be the same values.\\n This shape is NOT Geo-JSON compatible." + }, + "anduril.entitymanager.v1.GeoEllipsoid": { + "name": { + "typeId": "anduril.entitymanager.v1.GeoEllipsoid", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoEllipsoid", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoEllipsoid", + "safeName": "andurilEntitymanagerV1GeoEllipsoid" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_ellipsoid", + "safeName": "anduril_entitymanager_v_1_geo_ellipsoid" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSOID", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_ELLIPSOID" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoEllipsoid", + "safeName": "AndurilEntitymanagerV1GeoEllipsoid" + } + }, + "displayName": "GeoEllipsoid" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "forward_axis_m", + "camelCase": { + "unsafeName": "forwardAxisM", + "safeName": "forwardAxisM" + }, + "snakeCase": { + "unsafeName": "forward_axis_m", + "safeName": "forward_axis_m" + }, + "screamingSnakeCase": { + "unsafeName": "FORWARD_AXIS_M", + "safeName": "FORWARD_AXIS_M" + }, + "pascalCase": { + "unsafeName": "ForwardAxisM", + "safeName": "ForwardAxisM" + } + }, + "wireValue": "forward_axis_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "forward_axis_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Defines the distance from the center point to the surface along the forward axis" + }, + { + "name": { + "name": { + "originalName": "side_axis_m", + "camelCase": { + "unsafeName": "sideAxisM", + "safeName": "sideAxisM" + }, + "snakeCase": { + "unsafeName": "side_axis_m", + "safeName": "side_axis_m" + }, + "screamingSnakeCase": { + "unsafeName": "SIDE_AXIS_M", + "safeName": "SIDE_AXIS_M" + }, + "pascalCase": { + "unsafeName": "SideAxisM", + "safeName": "SideAxisM" + } + }, + "wireValue": "side_axis_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "side_axis_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Defines the distance from the center point to the surface along the side axis" + }, + { + "name": { + "name": { + "originalName": "up_axis_m", + "camelCase": { + "unsafeName": "upAxisM", + "safeName": "upAxisM" + }, + "snakeCase": { + "unsafeName": "up_axis_m", + "safeName": "up_axis_m" + }, + "screamingSnakeCase": { + "unsafeName": "UP_AXIS_M", + "safeName": "UP_AXIS_M" + }, + "pascalCase": { + "unsafeName": "UpAxisM", + "safeName": "UpAxisM" + } + }, + "wireValue": "up_axis_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "up_axis_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Defines the distance from the center point to the surface along the up axis" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "An ellipsoid shaped geo-entity.\\n Principal axis lengths are defined in entity body space\\n This shape is NOT Geo-JSON compatible." + }, + "anduril.entitymanager.v1.LinearRing": { + "name": { + "typeId": "anduril.entitymanager.v1.LinearRing", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.LinearRing", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1LinearRing", + "safeName": "andurilEntitymanagerV1LinearRing" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_linear_ring", + "safeName": "anduril_entitymanager_v_1_linear_ring" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINEAR_RING", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINEAR_RING" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1LinearRing", + "safeName": "AndurilEntitymanagerV1LinearRing" + } + }, + "displayName": "LinearRing" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "positions", + "camelCase": { + "unsafeName": "positions", + "safeName": "positions" + }, + "snakeCase": { + "unsafeName": "positions", + "safeName": "positions" + }, + "screamingSnakeCase": { + "unsafeName": "POSITIONS", + "safeName": "POSITIONS" + }, + "pascalCase": { + "unsafeName": "Positions", + "safeName": "Positions" + } + }, + "wireValue": "positions" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoPolygonPosition", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoPolygonPosition", + "safeName": "andurilEntitymanagerV1GeoPolygonPosition" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_polygon_position", + "safeName": "anduril_entitymanager_v_1_geo_polygon_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoPolygonPosition", + "safeName": "AndurilEntitymanagerV1GeoPolygonPosition" + } + }, + "typeId": "anduril.entitymanager.v1.GeoPolygonPosition", + "default": null, + "inline": false, + "displayName": "positions" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A closed ring of points. The first and last point must be the same." + }, + "anduril.entitymanager.v1.GeoPolygonPosition": { + "name": { + "typeId": "anduril.entitymanager.v1.GeoPolygonPosition", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoPolygonPosition", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoPolygonPosition", + "safeName": "andurilEntitymanagerV1GeoPolygonPosition" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_polygon_position", + "safeName": "anduril_entitymanager_v_1_geo_polygon_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoPolygonPosition", + "safeName": "AndurilEntitymanagerV1GeoPolygonPosition" + } + }, + "displayName": "GeoPolygonPosition" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "position", + "camelCase": { + "unsafeName": "position", + "safeName": "position" + }, + "snakeCase": { + "unsafeName": "position", + "safeName": "position" + }, + "screamingSnakeCase": { + "unsafeName": "POSITION", + "safeName": "POSITION" + }, + "pascalCase": { + "unsafeName": "Position", + "safeName": "Position" + } + }, + "wireValue": "position" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "position" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "base position. if no altitude set, its on the ground." + }, + { + "name": { + "name": { + "originalName": "height_m", + "camelCase": { + "unsafeName": "heightM", + "safeName": "heightM" + }, + "snakeCase": { + "unsafeName": "height_m", + "safeName": "height_m" + }, + "screamingSnakeCase": { + "unsafeName": "HEIGHT_M", + "safeName": "HEIGHT_M" + }, + "pascalCase": { + "unsafeName": "HeightM", + "safeName": "HeightM" + } + }, + "wireValue": "height_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FloatValue", + "camelCase": { + "unsafeName": "googleProtobufFloatValue", + "safeName": "googleProtobufFloatValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_float_value", + "safeName": "google_protobuf_float_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", + "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFloatValue", + "safeName": "GoogleProtobufFloatValue" + } + }, + "typeId": "google.protobuf.FloatValue", + "default": null, + "inline": false, + "displayName": "height_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "optional height above base position to extrude in meters.\\n for a given polygon, all points should have a height or none of them.\\n strictly GeoJSON compatible polygons will not have this set." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A position in a GeoPolygon with an optional extruded height." + }, + "anduril.entitymanager.v1.ArmyEchelon": { + "name": { + "typeId": "anduril.entitymanager.v1.ArmyEchelon", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ArmyEchelon", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ArmyEchelon", + "safeName": "andurilEntitymanagerV1ArmyEchelon" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_army_echelon", + "safeName": "anduril_entitymanager_v_1_army_echelon" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ARMY_ECHELON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ARMY_ECHELON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ArmyEchelon", + "safeName": "AndurilEntitymanagerV1ArmyEchelon" + } + }, + "displayName": "ArmyEchelon" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_INVALID", + "camelCase": { + "unsafeName": "armyEchelonInvalid", + "safeName": "armyEchelonInvalid" + }, + "snakeCase": { + "unsafeName": "army_echelon_invalid", + "safeName": "army_echelon_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_INVALID", + "safeName": "ARMY_ECHELON_INVALID" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonInvalid", + "safeName": "ArmyEchelonInvalid" + } + }, + "wireValue": "ARMY_ECHELON_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_FIRE_TEAM", + "camelCase": { + "unsafeName": "armyEchelonFireTeam", + "safeName": "armyEchelonFireTeam" + }, + "snakeCase": { + "unsafeName": "army_echelon_fire_team", + "safeName": "army_echelon_fire_team" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_FIRE_TEAM", + "safeName": "ARMY_ECHELON_FIRE_TEAM" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonFireTeam", + "safeName": "ArmyEchelonFireTeam" + } + }, + "wireValue": "ARMY_ECHELON_FIRE_TEAM" + }, + "availability": null, + "docs": "Smallest unit group, e.g., a few soldiers" + }, + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_SQUAD", + "camelCase": { + "unsafeName": "armyEchelonSquad", + "safeName": "armyEchelonSquad" + }, + "snakeCase": { + "unsafeName": "army_echelon_squad", + "safeName": "army_echelon_squad" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_SQUAD", + "safeName": "ARMY_ECHELON_SQUAD" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonSquad", + "safeName": "ArmyEchelonSquad" + } + }, + "wireValue": "ARMY_ECHELON_SQUAD" + }, + "availability": null, + "docs": "E.g., a group of fire teams" + }, + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_PLATOON", + "camelCase": { + "unsafeName": "armyEchelonPlatoon", + "safeName": "armyEchelonPlatoon" + }, + "snakeCase": { + "unsafeName": "army_echelon_platoon", + "safeName": "army_echelon_platoon" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_PLATOON", + "safeName": "ARMY_ECHELON_PLATOON" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonPlatoon", + "safeName": "ArmyEchelonPlatoon" + } + }, + "wireValue": "ARMY_ECHELON_PLATOON" + }, + "availability": null, + "docs": "E.g., several squads" + }, + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_COMPANY", + "camelCase": { + "unsafeName": "armyEchelonCompany", + "safeName": "armyEchelonCompany" + }, + "snakeCase": { + "unsafeName": "army_echelon_company", + "safeName": "army_echelon_company" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_COMPANY", + "safeName": "ARMY_ECHELON_COMPANY" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonCompany", + "safeName": "ArmyEchelonCompany" + } + }, + "wireValue": "ARMY_ECHELON_COMPANY" + }, + "availability": null, + "docs": "E.g., several platoons" + }, + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_BATTALION", + "camelCase": { + "unsafeName": "armyEchelonBattalion", + "safeName": "armyEchelonBattalion" + }, + "snakeCase": { + "unsafeName": "army_echelon_battalion", + "safeName": "army_echelon_battalion" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_BATTALION", + "safeName": "ARMY_ECHELON_BATTALION" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonBattalion", + "safeName": "ArmyEchelonBattalion" + } + }, + "wireValue": "ARMY_ECHELON_BATTALION" + }, + "availability": null, + "docs": "E.g., several companies" + }, + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_REGIMENT", + "camelCase": { + "unsafeName": "armyEchelonRegiment", + "safeName": "armyEchelonRegiment" + }, + "snakeCase": { + "unsafeName": "army_echelon_regiment", + "safeName": "army_echelon_regiment" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_REGIMENT", + "safeName": "ARMY_ECHELON_REGIMENT" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonRegiment", + "safeName": "ArmyEchelonRegiment" + } + }, + "wireValue": "ARMY_ECHELON_REGIMENT" + }, + "availability": null, + "docs": "E.g., several battalions" + }, + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_BRIGADE", + "camelCase": { + "unsafeName": "armyEchelonBrigade", + "safeName": "armyEchelonBrigade" + }, + "snakeCase": { + "unsafeName": "army_echelon_brigade", + "safeName": "army_echelon_brigade" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_BRIGADE", + "safeName": "ARMY_ECHELON_BRIGADE" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonBrigade", + "safeName": "ArmyEchelonBrigade" + } + }, + "wireValue": "ARMY_ECHELON_BRIGADE" + }, + "availability": null, + "docs": "E.g., several regiments or battalions" + }, + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_DIVISION", + "camelCase": { + "unsafeName": "armyEchelonDivision", + "safeName": "armyEchelonDivision" + }, + "snakeCase": { + "unsafeName": "army_echelon_division", + "safeName": "army_echelon_division" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_DIVISION", + "safeName": "ARMY_ECHELON_DIVISION" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonDivision", + "safeName": "ArmyEchelonDivision" + } + }, + "wireValue": "ARMY_ECHELON_DIVISION" + }, + "availability": null, + "docs": "E.g., several brigades" + }, + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_CORPS", + "camelCase": { + "unsafeName": "armyEchelonCorps", + "safeName": "armyEchelonCorps" + }, + "snakeCase": { + "unsafeName": "army_echelon_corps", + "safeName": "army_echelon_corps" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_CORPS", + "safeName": "ARMY_ECHELON_CORPS" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonCorps", + "safeName": "ArmyEchelonCorps" + } + }, + "wireValue": "ARMY_ECHELON_CORPS" + }, + "availability": null, + "docs": "E.g., several divisions" + }, + { + "name": { + "name": { + "originalName": "ARMY_ECHELON_ARMY", + "camelCase": { + "unsafeName": "armyEchelonArmy", + "safeName": "armyEchelonArmy" + }, + "snakeCase": { + "unsafeName": "army_echelon_army", + "safeName": "army_echelon_army" + }, + "screamingSnakeCase": { + "unsafeName": "ARMY_ECHELON_ARMY", + "safeName": "ARMY_ECHELON_ARMY" + }, + "pascalCase": { + "unsafeName": "ArmyEchelonArmy", + "safeName": "ArmyEchelonArmy" + } + }, + "wireValue": "ARMY_ECHELON_ARMY" + }, + "availability": null, + "docs": "E.g., several corps" + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Military units defined by the Army." + }, + "anduril.entitymanager.v1.GroupDetailsGroup_type": { + "name": { + "typeId": "anduril.entitymanager.v1.GroupDetailsGroup_type", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GroupDetailsGroup_type", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GroupDetailsGroupType", + "safeName": "andurilEntitymanagerV1GroupDetailsGroupType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_group_details_group_type", + "safeName": "anduril_entitymanager_v_1_group_details_group_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS_GROUP_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS_GROUP_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GroupDetailsGroupType", + "safeName": "AndurilEntitymanagerV1GroupDetailsGroupType" + } + }, + "displayName": "GroupDetailsGroup_type" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Team", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Team", + "safeName": "andurilEntitymanagerV1Team" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_team", + "safeName": "anduril_entitymanager_v_1_team" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TEAM", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TEAM" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Team", + "safeName": "AndurilEntitymanagerV1Team" + } + }, + "typeId": "anduril.entitymanager.v1.Team", + "default": null, + "inline": false, + "displayName": "team" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Echelon", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Echelon", + "safeName": "andurilEntitymanagerV1Echelon" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_echelon", + "safeName": "anduril_entitymanager_v_1_echelon" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Echelon", + "safeName": "AndurilEntitymanagerV1Echelon" + } + }, + "typeId": "anduril.entitymanager.v1.Echelon", + "default": null, + "inline": false, + "displayName": "echelon" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.GroupDetails": { + "name": { + "typeId": "anduril.entitymanager.v1.GroupDetails", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GroupDetails", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GroupDetails", + "safeName": "andurilEntitymanagerV1GroupDetails" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_group_details", + "safeName": "anduril_entitymanager_v_1_group_details" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GroupDetails", + "safeName": "AndurilEntitymanagerV1GroupDetails" + } + }, + "displayName": "GroupDetails" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "group_type", + "camelCase": { + "unsafeName": "groupType", + "safeName": "groupType" + }, + "snakeCase": { + "unsafeName": "group_type", + "safeName": "group_type" + }, + "screamingSnakeCase": { + "unsafeName": "GROUP_TYPE", + "safeName": "GROUP_TYPE" + }, + "pascalCase": { + "unsafeName": "GroupType", + "safeName": "GroupType" + } + }, + "wireValue": "group_type" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GroupDetailsGroup_type", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GroupDetailsGroupType", + "safeName": "andurilEntitymanagerV1GroupDetailsGroupType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_group_details_group_type", + "safeName": "anduril_entitymanager_v_1_group_details_group_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS_GROUP_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS_GROUP_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GroupDetailsGroupType", + "safeName": "AndurilEntitymanagerV1GroupDetailsGroupType" + } + }, + "typeId": "anduril.entitymanager.v1.GroupDetailsGroup_type", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Details related to grouping for this entity" + }, + "anduril.entitymanager.v1.Team": { + "name": { + "typeId": "anduril.entitymanager.v1.Team", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Team", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Team", + "safeName": "andurilEntitymanagerV1Team" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_team", + "safeName": "anduril_entitymanager_v_1_team" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TEAM", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TEAM" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Team", + "safeName": "AndurilEntitymanagerV1Team" + } + }, + "displayName": "Team" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Describes a Team group type. Comprised of autonomous entities where an entity\\n in a Team can only be a part of a single Team at a time." + }, + "anduril.entitymanager.v1.EchelonEchelon_type": { + "name": { + "typeId": "anduril.entitymanager.v1.EchelonEchelon_type", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.EchelonEchelon_type", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1EchelonEchelonType", + "safeName": "andurilEntitymanagerV1EchelonEchelonType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_echelon_echelon_type", + "safeName": "anduril_entitymanager_v_1_echelon_echelon_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON_ECHELON_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON_ECHELON_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1EchelonEchelonType", + "safeName": "AndurilEntitymanagerV1EchelonEchelonType" + } + }, + "displayName": "EchelonEchelon_type" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ArmyEchelon", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ArmyEchelon", + "safeName": "andurilEntitymanagerV1ArmyEchelon" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_army_echelon", + "safeName": "anduril_entitymanager_v_1_army_echelon" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ARMY_ECHELON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ARMY_ECHELON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ArmyEchelon", + "safeName": "AndurilEntitymanagerV1ArmyEchelon" + } + }, + "typeId": "anduril.entitymanager.v1.ArmyEchelon", + "default": null, + "inline": false, + "displayName": "army_echelon" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Echelon": { + "name": { + "typeId": "anduril.entitymanager.v1.Echelon", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Echelon", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Echelon", + "safeName": "andurilEntitymanagerV1Echelon" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_echelon", + "safeName": "anduril_entitymanager_v_1_echelon" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Echelon", + "safeName": "AndurilEntitymanagerV1Echelon" + } + }, + "displayName": "Echelon" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "echelon_type", + "camelCase": { + "unsafeName": "echelonType", + "safeName": "echelonType" + }, + "snakeCase": { + "unsafeName": "echelon_type", + "safeName": "echelon_type" + }, + "screamingSnakeCase": { + "unsafeName": "ECHELON_TYPE", + "safeName": "ECHELON_TYPE" + }, + "pascalCase": { + "unsafeName": "EchelonType", + "safeName": "EchelonType" + } + }, + "wireValue": "echelon_type" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.EchelonEchelon_type", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1EchelonEchelonType", + "safeName": "andurilEntitymanagerV1EchelonEchelonType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_echelon_echelon_type", + "safeName": "anduril_entitymanager_v_1_echelon_echelon_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON_ECHELON_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ECHELON_ECHELON_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1EchelonEchelonType", + "safeName": "AndurilEntitymanagerV1EchelonEchelonType" + } + }, + "typeId": "anduril.entitymanager.v1.EchelonEchelon_type", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Describes a Echelon group type. Comprised of entities which are members of the\\n same unit or echelon. Ex: A group of tanks within a armored company or that same company\\n as a member of a battalion." + }, + "google.protobuf.Timestamp": { + "name": { + "typeId": "google.protobuf.Timestamp", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "displayName": "Timestamp" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "seconds", + "camelCase": { + "unsafeName": "seconds", + "safeName": "seconds" + }, + "snakeCase": { + "unsafeName": "seconds", + "safeName": "seconds" + }, + "screamingSnakeCase": { + "unsafeName": "SECONDS", + "safeName": "SECONDS" + }, + "pascalCase": { + "unsafeName": "Seconds", + "safeName": "Seconds" + } + }, + "wireValue": "seconds" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "LONG", + "v2": { + "type": "long", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "nanos", + "camelCase": { + "unsafeName": "nanos", + "safeName": "nanos" + }, + "snakeCase": { + "unsafeName": "nanos", + "safeName": "nanos" + }, + "screamingSnakeCase": { + "unsafeName": "NANOS", + "safeName": "NANOS" + }, + "pascalCase": { + "unsafeName": "Nanos", + "safeName": "Nanos" + } + }, + "wireValue": "nanos" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.ConnectionStatus": { + "name": { + "typeId": "anduril.entitymanager.v1.ConnectionStatus", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ConnectionStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ConnectionStatus", + "safeName": "andurilEntitymanagerV1ConnectionStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_connection_status", + "safeName": "anduril_entitymanager_v_1_connection_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CONNECTION_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CONNECTION_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ConnectionStatus", + "safeName": "AndurilEntitymanagerV1ConnectionStatus" + } + }, + "displayName": "ConnectionStatus" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "CONNECTION_STATUS_INVALID", + "camelCase": { + "unsafeName": "connectionStatusInvalid", + "safeName": "connectionStatusInvalid" + }, + "snakeCase": { + "unsafeName": "connection_status_invalid", + "safeName": "connection_status_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "CONNECTION_STATUS_INVALID", + "safeName": "CONNECTION_STATUS_INVALID" + }, + "pascalCase": { + "unsafeName": "ConnectionStatusInvalid", + "safeName": "ConnectionStatusInvalid" + } + }, + "wireValue": "CONNECTION_STATUS_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CONNECTION_STATUS_ONLINE", + "camelCase": { + "unsafeName": "connectionStatusOnline", + "safeName": "connectionStatusOnline" + }, + "snakeCase": { + "unsafeName": "connection_status_online", + "safeName": "connection_status_online" + }, + "screamingSnakeCase": { + "unsafeName": "CONNECTION_STATUS_ONLINE", + "safeName": "CONNECTION_STATUS_ONLINE" + }, + "pascalCase": { + "unsafeName": "ConnectionStatusOnline", + "safeName": "ConnectionStatusOnline" + } + }, + "wireValue": "CONNECTION_STATUS_ONLINE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CONNECTION_STATUS_OFFLINE", + "camelCase": { + "unsafeName": "connectionStatusOffline", + "safeName": "connectionStatusOffline" + }, + "snakeCase": { + "unsafeName": "connection_status_offline", + "safeName": "connection_status_offline" + }, + "screamingSnakeCase": { + "unsafeName": "CONNECTION_STATUS_OFFLINE", + "safeName": "CONNECTION_STATUS_OFFLINE" + }, + "pascalCase": { + "unsafeName": "ConnectionStatusOffline", + "safeName": "ConnectionStatusOffline" + } + }, + "wireValue": "CONNECTION_STATUS_OFFLINE" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Enumeration of possible connection states." + }, + "anduril.entitymanager.v1.HealthStatus": { + "name": { + "typeId": "anduril.entitymanager.v1.HealthStatus", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.HealthStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1HealthStatus", + "safeName": "andurilEntitymanagerV1HealthStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_health_status", + "safeName": "anduril_entitymanager_v_1_health_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1HealthStatus", + "safeName": "AndurilEntitymanagerV1HealthStatus" + } + }, + "displayName": "HealthStatus" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "HEALTH_STATUS_INVALID", + "camelCase": { + "unsafeName": "healthStatusInvalid", + "safeName": "healthStatusInvalid" + }, + "snakeCase": { + "unsafeName": "health_status_invalid", + "safeName": "health_status_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "HEALTH_STATUS_INVALID", + "safeName": "HEALTH_STATUS_INVALID" + }, + "pascalCase": { + "unsafeName": "HealthStatusInvalid", + "safeName": "HealthStatusInvalid" + } + }, + "wireValue": "HEALTH_STATUS_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "HEALTH_STATUS_HEALTHY", + "camelCase": { + "unsafeName": "healthStatusHealthy", + "safeName": "healthStatusHealthy" + }, + "snakeCase": { + "unsafeName": "health_status_healthy", + "safeName": "health_status_healthy" + }, + "screamingSnakeCase": { + "unsafeName": "HEALTH_STATUS_HEALTHY", + "safeName": "HEALTH_STATUS_HEALTHY" + }, + "pascalCase": { + "unsafeName": "HealthStatusHealthy", + "safeName": "HealthStatusHealthy" + } + }, + "wireValue": "HEALTH_STATUS_HEALTHY" + }, + "availability": null, + "docs": "Indicates that the component is operating as intended." + }, + { + "name": { + "name": { + "originalName": "HEALTH_STATUS_WARN", + "camelCase": { + "unsafeName": "healthStatusWarn", + "safeName": "healthStatusWarn" + }, + "snakeCase": { + "unsafeName": "health_status_warn", + "safeName": "health_status_warn" + }, + "screamingSnakeCase": { + "unsafeName": "HEALTH_STATUS_WARN", + "safeName": "HEALTH_STATUS_WARN" + }, + "pascalCase": { + "unsafeName": "HealthStatusWarn", + "safeName": "HealthStatusWarn" + } + }, + "wireValue": "HEALTH_STATUS_WARN" + }, + "availability": null, + "docs": "Indicates that the component is at risk of transitioning into a HEALTH_STATUS_FAIL\\n state or that the component is operating in a degraded state." + }, + { + "name": { + "name": { + "originalName": "HEALTH_STATUS_FAIL", + "camelCase": { + "unsafeName": "healthStatusFail", + "safeName": "healthStatusFail" + }, + "snakeCase": { + "unsafeName": "health_status_fail", + "safeName": "health_status_fail" + }, + "screamingSnakeCase": { + "unsafeName": "HEALTH_STATUS_FAIL", + "safeName": "HEALTH_STATUS_FAIL" + }, + "pascalCase": { + "unsafeName": "HealthStatusFail", + "safeName": "HealthStatusFail" + } + }, + "wireValue": "HEALTH_STATUS_FAIL" + }, + "availability": null, + "docs": "Indicates that the component is not functioning as intended." + }, + { + "name": { + "name": { + "originalName": "HEALTH_STATUS_OFFLINE", + "camelCase": { + "unsafeName": "healthStatusOffline", + "safeName": "healthStatusOffline" + }, + "snakeCase": { + "unsafeName": "health_status_offline", + "safeName": "health_status_offline" + }, + "screamingSnakeCase": { + "unsafeName": "HEALTH_STATUS_OFFLINE", + "safeName": "HEALTH_STATUS_OFFLINE" + }, + "pascalCase": { + "unsafeName": "HealthStatusOffline", + "safeName": "HealthStatusOffline" + } + }, + "wireValue": "HEALTH_STATUS_OFFLINE" + }, + "availability": null, + "docs": "Indicates that the component is offline." + }, + { + "name": { + "name": { + "originalName": "HEALTH_STATUS_NOT_READY", + "camelCase": { + "unsafeName": "healthStatusNotReady", + "safeName": "healthStatusNotReady" + }, + "snakeCase": { + "unsafeName": "health_status_not_ready", + "safeName": "health_status_not_ready" + }, + "screamingSnakeCase": { + "unsafeName": "HEALTH_STATUS_NOT_READY", + "safeName": "HEALTH_STATUS_NOT_READY" + }, + "pascalCase": { + "unsafeName": "HealthStatusNotReady", + "safeName": "HealthStatusNotReady" + } + }, + "wireValue": "HEALTH_STATUS_NOT_READY" + }, + "availability": null, + "docs": "Indicates that the component is not yet functioning, but it is transitioning into a\\n HEALTH_STATUS_HEALTHY state. A component should only report this state temporarily." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Enumeration of possible health states." + }, + "anduril.entitymanager.v1.AlertLevel": { + "name": { + "typeId": "anduril.entitymanager.v1.AlertLevel", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AlertLevel", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AlertLevel", + "safeName": "andurilEntitymanagerV1AlertLevel" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_alert_level", + "safeName": "anduril_entitymanager_v_1_alert_level" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_LEVEL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_LEVEL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AlertLevel", + "safeName": "AndurilEntitymanagerV1AlertLevel" + } + }, + "displayName": "AlertLevel" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "ALERT_LEVEL_INVALID", + "camelCase": { + "unsafeName": "alertLevelInvalid", + "safeName": "alertLevelInvalid" + }, + "snakeCase": { + "unsafeName": "alert_level_invalid", + "safeName": "alert_level_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "ALERT_LEVEL_INVALID", + "safeName": "ALERT_LEVEL_INVALID" + }, + "pascalCase": { + "unsafeName": "AlertLevelInvalid", + "safeName": "AlertLevelInvalid" + } + }, + "wireValue": "ALERT_LEVEL_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ALERT_LEVEL_ADVISORY", + "camelCase": { + "unsafeName": "alertLevelAdvisory", + "safeName": "alertLevelAdvisory" + }, + "snakeCase": { + "unsafeName": "alert_level_advisory", + "safeName": "alert_level_advisory" + }, + "screamingSnakeCase": { + "unsafeName": "ALERT_LEVEL_ADVISORY", + "safeName": "ALERT_LEVEL_ADVISORY" + }, + "pascalCase": { + "unsafeName": "AlertLevelAdvisory", + "safeName": "AlertLevelAdvisory" + } + }, + "wireValue": "ALERT_LEVEL_ADVISORY" + }, + "availability": null, + "docs": "For conditions that require awareness and may require subsequent response." + }, + { + "name": { + "name": { + "originalName": "ALERT_LEVEL_CAUTION", + "camelCase": { + "unsafeName": "alertLevelCaution", + "safeName": "alertLevelCaution" + }, + "snakeCase": { + "unsafeName": "alert_level_caution", + "safeName": "alert_level_caution" + }, + "screamingSnakeCase": { + "unsafeName": "ALERT_LEVEL_CAUTION", + "safeName": "ALERT_LEVEL_CAUTION" + }, + "pascalCase": { + "unsafeName": "AlertLevelCaution", + "safeName": "AlertLevelCaution" + } + }, + "wireValue": "ALERT_LEVEL_CAUTION" + }, + "availability": null, + "docs": "For conditions that require immediate awareness and subsequent response." + }, + { + "name": { + "name": { + "originalName": "ALERT_LEVEL_WARNING", + "camelCase": { + "unsafeName": "alertLevelWarning", + "safeName": "alertLevelWarning" + }, + "snakeCase": { + "unsafeName": "alert_level_warning", + "safeName": "alert_level_warning" + }, + "screamingSnakeCase": { + "unsafeName": "ALERT_LEVEL_WARNING", + "safeName": "ALERT_LEVEL_WARNING" + }, + "pascalCase": { + "unsafeName": "AlertLevelWarning", + "safeName": "AlertLevelWarning" + } + }, + "wireValue": "ALERT_LEVEL_WARNING" + }, + "availability": null, + "docs": "For conditions that require immediate awareness and response." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Alerts are categorized into one of three levels - Warnings, Cautions, and Advisories (WCAs)." + }, + "anduril.entitymanager.v1.ComponentMessage": { + "name": { + "typeId": "anduril.entitymanager.v1.ComponentMessage", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ComponentMessage", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ComponentMessage", + "safeName": "andurilEntitymanagerV1ComponentMessage" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_component_message", + "safeName": "anduril_entitymanager_v_1_component_message" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_MESSAGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_MESSAGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ComponentMessage", + "safeName": "AndurilEntitymanagerV1ComponentMessage" + } + }, + "displayName": "ComponentMessage" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "status", + "camelCase": { + "unsafeName": "status", + "safeName": "status" + }, + "snakeCase": { + "unsafeName": "status", + "safeName": "status" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS", + "safeName": "STATUS" + }, + "pascalCase": { + "unsafeName": "Status", + "safeName": "Status" + } + }, + "wireValue": "status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.HealthStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1HealthStatus", + "safeName": "andurilEntitymanagerV1HealthStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_health_status", + "safeName": "anduril_entitymanager_v_1_health_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1HealthStatus", + "safeName": "AndurilEntitymanagerV1HealthStatus" + } + }, + "typeId": "anduril.entitymanager.v1.HealthStatus", + "default": null, + "inline": false, + "displayName": "status" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The status associated with this message." + }, + { + "name": { + "name": { + "originalName": "message", + "camelCase": { + "unsafeName": "message", + "safeName": "message" + }, + "snakeCase": { + "unsafeName": "message", + "safeName": "message" + }, + "screamingSnakeCase": { + "unsafeName": "MESSAGE", + "safeName": "MESSAGE" + }, + "pascalCase": { + "unsafeName": "Message", + "safeName": "Message" + } + }, + "wireValue": "message" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The human-readable content of the message." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A message describing the component's health status." + }, + "anduril.entitymanager.v1.ComponentHealth": { + "name": { + "typeId": "anduril.entitymanager.v1.ComponentHealth", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ComponentHealth", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ComponentHealth", + "safeName": "andurilEntitymanagerV1ComponentHealth" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_component_health", + "safeName": "anduril_entitymanager_v_1_component_health" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_HEALTH", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_HEALTH" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ComponentHealth", + "safeName": "AndurilEntitymanagerV1ComponentHealth" + } + }, + "displayName": "ComponentHealth" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "id", + "camelCase": { + "unsafeName": "id", + "safeName": "id" + }, + "snakeCase": { + "unsafeName": "id", + "safeName": "id" + }, + "screamingSnakeCase": { + "unsafeName": "ID", + "safeName": "ID" + }, + "pascalCase": { + "unsafeName": "Id", + "safeName": "Id" + } + }, + "wireValue": "id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Consistent internal ID for this component." + }, + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Display name for this component." + }, + { + "name": { + "name": { + "originalName": "health", + "camelCase": { + "unsafeName": "health", + "safeName": "health" + }, + "snakeCase": { + "unsafeName": "health", + "safeName": "health" + }, + "screamingSnakeCase": { + "unsafeName": "HEALTH", + "safeName": "HEALTH" + }, + "pascalCase": { + "unsafeName": "Health", + "safeName": "Health" + } + }, + "wireValue": "health" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.HealthStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1HealthStatus", + "safeName": "andurilEntitymanagerV1HealthStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_health_status", + "safeName": "anduril_entitymanager_v_1_health_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1HealthStatus", + "safeName": "AndurilEntitymanagerV1HealthStatus" + } + }, + "typeId": "anduril.entitymanager.v1.HealthStatus", + "default": null, + "inline": false, + "displayName": "health" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Health for this component." + }, + { + "name": { + "name": { + "originalName": "messages", + "camelCase": { + "unsafeName": "messages", + "safeName": "messages" + }, + "snakeCase": { + "unsafeName": "messages", + "safeName": "messages" + }, + "screamingSnakeCase": { + "unsafeName": "MESSAGES", + "safeName": "MESSAGES" + }, + "pascalCase": { + "unsafeName": "Messages", + "safeName": "Messages" + } + }, + "wireValue": "messages" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ComponentMessage", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ComponentMessage", + "safeName": "andurilEntitymanagerV1ComponentMessage" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_component_message", + "safeName": "anduril_entitymanager_v_1_component_message" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_MESSAGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_MESSAGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ComponentMessage", + "safeName": "AndurilEntitymanagerV1ComponentMessage" + } + }, + "typeId": "anduril.entitymanager.v1.ComponentMessage", + "default": null, + "inline": false, + "displayName": "messages" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Human-readable describing the component state. These messages should be understandable by end users." + }, + { + "name": { + "name": { + "originalName": "update_time", + "camelCase": { + "unsafeName": "updateTime", + "safeName": "updateTime" + }, + "snakeCase": { + "unsafeName": "update_time", + "safeName": "update_time" + }, + "screamingSnakeCase": { + "unsafeName": "UPDATE_TIME", + "safeName": "UPDATE_TIME" + }, + "pascalCase": { + "unsafeName": "UpdateTime", + "safeName": "UpdateTime" + } + }, + "wireValue": "update_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "update_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The last update time for this specific component.\\n If this timestamp is unset, the data is assumed to be most recent" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Health of an individual component." + }, + "anduril.entitymanager.v1.Health": { + "name": { + "typeId": "anduril.entitymanager.v1.Health", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Health", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Health", + "safeName": "andurilEntitymanagerV1Health" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_health", + "safeName": "anduril_entitymanager_v_1_health" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Health", + "safeName": "AndurilEntitymanagerV1Health" + } + }, + "displayName": "Health" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "connection_status", + "camelCase": { + "unsafeName": "connectionStatus", + "safeName": "connectionStatus" + }, + "snakeCase": { + "unsafeName": "connection_status", + "safeName": "connection_status" + }, + "screamingSnakeCase": { + "unsafeName": "CONNECTION_STATUS", + "safeName": "CONNECTION_STATUS" + }, + "pascalCase": { + "unsafeName": "ConnectionStatus", + "safeName": "ConnectionStatus" + } + }, + "wireValue": "connection_status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ConnectionStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ConnectionStatus", + "safeName": "andurilEntitymanagerV1ConnectionStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_connection_status", + "safeName": "anduril_entitymanager_v_1_connection_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CONNECTION_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CONNECTION_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ConnectionStatus", + "safeName": "AndurilEntitymanagerV1ConnectionStatus" + } + }, + "typeId": "anduril.entitymanager.v1.ConnectionStatus", + "default": null, + "inline": false, + "displayName": "connection_status" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Status indicating whether the entity is able to communicate with Entity Manager." + }, + { + "name": { + "name": { + "originalName": "health_status", + "camelCase": { + "unsafeName": "healthStatus", + "safeName": "healthStatus" + }, + "snakeCase": { + "unsafeName": "health_status", + "safeName": "health_status" + }, + "screamingSnakeCase": { + "unsafeName": "HEALTH_STATUS", + "safeName": "HEALTH_STATUS" + }, + "pascalCase": { + "unsafeName": "HealthStatus", + "safeName": "HealthStatus" + } + }, + "wireValue": "health_status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.HealthStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1HealthStatus", + "safeName": "andurilEntitymanagerV1HealthStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_health_status", + "safeName": "anduril_entitymanager_v_1_health_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1HealthStatus", + "safeName": "AndurilEntitymanagerV1HealthStatus" + } + }, + "typeId": "anduril.entitymanager.v1.HealthStatus", + "default": null, + "inline": false, + "displayName": "health_status" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Top-level health status; typically a roll-up of individual component healths." + }, + { + "name": { + "name": { + "originalName": "components", + "camelCase": { + "unsafeName": "components", + "safeName": "components" + }, + "snakeCase": { + "unsafeName": "components", + "safeName": "components" + }, + "screamingSnakeCase": { + "unsafeName": "COMPONENTS", + "safeName": "COMPONENTS" + }, + "pascalCase": { + "unsafeName": "Components", + "safeName": "Components" + } + }, + "wireValue": "components" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ComponentHealth", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ComponentHealth", + "safeName": "andurilEntitymanagerV1ComponentHealth" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_component_health", + "safeName": "anduril_entitymanager_v_1_component_health" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_HEALTH", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPONENT_HEALTH" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ComponentHealth", + "safeName": "AndurilEntitymanagerV1ComponentHealth" + } + }, + "typeId": "anduril.entitymanager.v1.ComponentHealth", + "default": null, + "inline": false, + "displayName": "components" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Health of individual components running on this Entity." + }, + { + "name": { + "name": { + "originalName": "update_time", + "camelCase": { + "unsafeName": "updateTime", + "safeName": "updateTime" + }, + "snakeCase": { + "unsafeName": "update_time", + "safeName": "update_time" + }, + "screamingSnakeCase": { + "unsafeName": "UPDATE_TIME", + "safeName": "UPDATE_TIME" + }, + "pascalCase": { + "unsafeName": "UpdateTime", + "safeName": "UpdateTime" + } + }, + "wireValue": "update_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "update_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The update time for the top-level health information.\\n If this timestamp is unset, the data is assumed to be most recent" + }, + { + "name": { + "name": { + "originalName": "active_alerts", + "camelCase": { + "unsafeName": "activeAlerts", + "safeName": "activeAlerts" + }, + "snakeCase": { + "unsafeName": "active_alerts", + "safeName": "active_alerts" + }, + "screamingSnakeCase": { + "unsafeName": "ACTIVE_ALERTS", + "safeName": "ACTIVE_ALERTS" + }, + "pascalCase": { + "unsafeName": "ActiveAlerts", + "safeName": "ActiveAlerts" + } + }, + "wireValue": "active_alerts" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Alert", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Alert", + "safeName": "andurilEntitymanagerV1Alert" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_alert", + "safeName": "anduril_entitymanager_v_1_alert" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Alert", + "safeName": "AndurilEntitymanagerV1Alert" + } + }, + "typeId": "anduril.entitymanager.v1.Alert", + "default": null, + "inline": false, + "displayName": "active_alerts" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Active alerts indicate a critical change in system state sent by the asset\\n that must be made known to an operator or consumer of the common operating picture.\\n Alerts are different from ComponentHealth messages--an active alert does not necessarily\\n indicate a component is in an unhealthy state. For example, an asset may trigger\\n an active alert based on fuel levels running low. Alerts should be removed from this list when their conditions\\n are cleared. In other words, only active alerts should be reported here." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "General health of the entity as reported by the entity." + }, + "anduril.entitymanager.v1.Alert": { + "name": { + "typeId": "anduril.entitymanager.v1.Alert", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Alert", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Alert", + "safeName": "andurilEntitymanagerV1Alert" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_alert", + "safeName": "anduril_entitymanager_v_1_alert" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Alert", + "safeName": "AndurilEntitymanagerV1Alert" + } + }, + "displayName": "Alert" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "alert_code", + "camelCase": { + "unsafeName": "alertCode", + "safeName": "alertCode" + }, + "snakeCase": { + "unsafeName": "alert_code", + "safeName": "alert_code" + }, + "screamingSnakeCase": { + "unsafeName": "ALERT_CODE", + "safeName": "ALERT_CODE" + }, + "pascalCase": { + "unsafeName": "AlertCode", + "safeName": "AlertCode" + } + }, + "wireValue": "alert_code" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Short, machine-readable code that describes this alert. This code is intended to provide systems off-asset\\n with a lookup key to retrieve more detailed information about the alert." + }, + { + "name": { + "name": { + "originalName": "description", + "camelCase": { + "unsafeName": "description", + "safeName": "description" + }, + "snakeCase": { + "unsafeName": "description", + "safeName": "description" + }, + "screamingSnakeCase": { + "unsafeName": "DESCRIPTION", + "safeName": "DESCRIPTION" + }, + "pascalCase": { + "unsafeName": "Description", + "safeName": "Description" + } + }, + "wireValue": "description" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Human-readable description of this alert. The description is intended for display in the UI for human\\n understanding and should not be used for machine processing. If the description is fixed and the vehicle controller\\n provides no dynamic substitutions, then prefer lookup based on alert_code." + }, + { + "name": { + "name": { + "originalName": "level", + "camelCase": { + "unsafeName": "level", + "safeName": "level" + }, + "snakeCase": { + "unsafeName": "level", + "safeName": "level" + }, + "screamingSnakeCase": { + "unsafeName": "LEVEL", + "safeName": "LEVEL" + }, + "pascalCase": { + "unsafeName": "Level", + "safeName": "Level" + } + }, + "wireValue": "level" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AlertLevel", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AlertLevel", + "safeName": "andurilEntitymanagerV1AlertLevel" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_alert_level", + "safeName": "anduril_entitymanager_v_1_alert_level" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_LEVEL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_LEVEL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AlertLevel", + "safeName": "AndurilEntitymanagerV1AlertLevel" + } + }, + "typeId": "anduril.entitymanager.v1.AlertLevel", + "default": null, + "inline": false, + "displayName": "level" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Alert level (Warning, Caution, or Advisory)." + }, + { + "name": { + "name": { + "originalName": "activated_time", + "camelCase": { + "unsafeName": "activatedTime", + "safeName": "activatedTime" + }, + "snakeCase": { + "unsafeName": "activated_time", + "safeName": "activated_time" + }, + "screamingSnakeCase": { + "unsafeName": "ACTIVATED_TIME", + "safeName": "ACTIVATED_TIME" + }, + "pascalCase": { + "unsafeName": "ActivatedTime", + "safeName": "ActivatedTime" + } + }, + "wireValue": "activated_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "activated_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Time at which this alert was activated." + }, + { + "name": { + "name": { + "originalName": "active_conditions", + "camelCase": { + "unsafeName": "activeConditions", + "safeName": "activeConditions" + }, + "snakeCase": { + "unsafeName": "active_conditions", + "safeName": "active_conditions" + }, + "screamingSnakeCase": { + "unsafeName": "ACTIVE_CONDITIONS", + "safeName": "ACTIVE_CONDITIONS" + }, + "pascalCase": { + "unsafeName": "ActiveConditions", + "safeName": "ActiveConditions" + } + }, + "wireValue": "active_conditions" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AlertCondition", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AlertCondition", + "safeName": "andurilEntitymanagerV1AlertCondition" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_alert_condition", + "safeName": "anduril_entitymanager_v_1_alert_condition" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_CONDITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_CONDITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AlertCondition", + "safeName": "AndurilEntitymanagerV1AlertCondition" + } + }, + "typeId": "anduril.entitymanager.v1.AlertCondition", + "default": null, + "inline": false, + "displayName": "active_conditions" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Set of conditions which have activated this alert." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "An alert informs operators of critical events related to system performance and mission\\n execution. An alert is produced as a result of one or more alert conditions." + }, + "anduril.entitymanager.v1.AlertCondition": { + "name": { + "typeId": "anduril.entitymanager.v1.AlertCondition", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AlertCondition", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AlertCondition", + "safeName": "andurilEntitymanagerV1AlertCondition" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_alert_condition", + "safeName": "anduril_entitymanager_v_1_alert_condition" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_CONDITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALERT_CONDITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AlertCondition", + "safeName": "AndurilEntitymanagerV1AlertCondition" + } + }, + "displayName": "AlertCondition" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "condition_code", + "camelCase": { + "unsafeName": "conditionCode", + "safeName": "conditionCode" + }, + "snakeCase": { + "unsafeName": "condition_code", + "safeName": "condition_code" + }, + "screamingSnakeCase": { + "unsafeName": "CONDITION_CODE", + "safeName": "CONDITION_CODE" + }, + "pascalCase": { + "unsafeName": "ConditionCode", + "safeName": "ConditionCode" + } + }, + "wireValue": "condition_code" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Short, machine-readable code that describes this condition. This code is intended to provide systems off-asset\\n with a lookup key to retrieve more detailed information about the condition." + }, + { + "name": { + "name": { + "originalName": "description", + "camelCase": { + "unsafeName": "description", + "safeName": "description" + }, + "snakeCase": { + "unsafeName": "description", + "safeName": "description" + }, + "screamingSnakeCase": { + "unsafeName": "DESCRIPTION", + "safeName": "DESCRIPTION" + }, + "pascalCase": { + "unsafeName": "Description", + "safeName": "Description" + } + }, + "wireValue": "description" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Human-readable description of this condition. The description is intended for display in the UI for human\\n understanding and should not be used for machine processing. If the description is fixed and the vehicle controller\\n provides no dynamic substitutions, then prefer lookup based on condition_code." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A condition which may trigger an alert." + }, + "google.protobuf.Edition": { + "name": { + "typeId": "google.protobuf.Edition", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Edition", + "camelCase": { + "unsafeName": "googleProtobufEdition", + "safeName": "googleProtobufEdition" + }, + "snakeCase": { + "unsafeName": "google_protobuf_edition", + "safeName": "google_protobuf_edition" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EDITION", + "safeName": "GOOGLE_PROTOBUF_EDITION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEdition", + "safeName": "GoogleProtobufEdition" + } + }, + "displayName": "Edition" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "EDITION_UNKNOWN", + "camelCase": { + "unsafeName": "editionUnknown", + "safeName": "editionUnknown" + }, + "snakeCase": { + "unsafeName": "edition_unknown", + "safeName": "edition_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_UNKNOWN", + "safeName": "EDITION_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "EditionUnknown", + "safeName": "EditionUnknown" + } + }, + "wireValue": "EDITION_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_LEGACY", + "camelCase": { + "unsafeName": "editionLegacy", + "safeName": "editionLegacy" + }, + "snakeCase": { + "unsafeName": "edition_legacy", + "safeName": "edition_legacy" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_LEGACY", + "safeName": "EDITION_LEGACY" + }, + "pascalCase": { + "unsafeName": "EditionLegacy", + "safeName": "EditionLegacy" + } + }, + "wireValue": "EDITION_LEGACY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_PROTO2", + "camelCase": { + "unsafeName": "editionProto2", + "safeName": "editionProto2" + }, + "snakeCase": { + "unsafeName": "edition_proto_2", + "safeName": "edition_proto_2" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_PROTO_2", + "safeName": "EDITION_PROTO_2" + }, + "pascalCase": { + "unsafeName": "EditionProto2", + "safeName": "EditionProto2" + } + }, + "wireValue": "EDITION_PROTO2" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_PROTO3", + "camelCase": { + "unsafeName": "editionProto3", + "safeName": "editionProto3" + }, + "snakeCase": { + "unsafeName": "edition_proto_3", + "safeName": "edition_proto_3" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_PROTO_3", + "safeName": "EDITION_PROTO_3" + }, + "pascalCase": { + "unsafeName": "EditionProto3", + "safeName": "EditionProto3" + } + }, + "wireValue": "EDITION_PROTO3" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_2023", + "camelCase": { + "unsafeName": "edition2023", + "safeName": "edition2023" + }, + "snakeCase": { + "unsafeName": "edition_2023", + "safeName": "edition_2023" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_2023", + "safeName": "EDITION_2023" + }, + "pascalCase": { + "unsafeName": "Edition2023", + "safeName": "Edition2023" + } + }, + "wireValue": "EDITION_2023" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_2024", + "camelCase": { + "unsafeName": "edition2024", + "safeName": "edition2024" + }, + "snakeCase": { + "unsafeName": "edition_2024", + "safeName": "edition_2024" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_2024", + "safeName": "EDITION_2024" + }, + "pascalCase": { + "unsafeName": "Edition2024", + "safeName": "Edition2024" + } + }, + "wireValue": "EDITION_2024" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_1_TEST_ONLY", + "camelCase": { + "unsafeName": "edition1TestOnly", + "safeName": "edition1TestOnly" + }, + "snakeCase": { + "unsafeName": "edition_1_test_only", + "safeName": "edition_1_test_only" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_1_TEST_ONLY", + "safeName": "EDITION_1_TEST_ONLY" + }, + "pascalCase": { + "unsafeName": "Edition1TestOnly", + "safeName": "Edition1TestOnly" + } + }, + "wireValue": "EDITION_1_TEST_ONLY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_2_TEST_ONLY", + "camelCase": { + "unsafeName": "edition2TestOnly", + "safeName": "edition2TestOnly" + }, + "snakeCase": { + "unsafeName": "edition_2_test_only", + "safeName": "edition_2_test_only" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_2_TEST_ONLY", + "safeName": "EDITION_2_TEST_ONLY" + }, + "pascalCase": { + "unsafeName": "Edition2TestOnly", + "safeName": "Edition2TestOnly" + } + }, + "wireValue": "EDITION_2_TEST_ONLY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_99997_TEST_ONLY", + "camelCase": { + "unsafeName": "edition99997TestOnly", + "safeName": "edition99997TestOnly" + }, + "snakeCase": { + "unsafeName": "edition_99997_test_only", + "safeName": "edition_99997_test_only" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_99997_TEST_ONLY", + "safeName": "EDITION_99997_TEST_ONLY" + }, + "pascalCase": { + "unsafeName": "Edition99997TestOnly", + "safeName": "Edition99997TestOnly" + } + }, + "wireValue": "EDITION_99997_TEST_ONLY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_99998_TEST_ONLY", + "camelCase": { + "unsafeName": "edition99998TestOnly", + "safeName": "edition99998TestOnly" + }, + "snakeCase": { + "unsafeName": "edition_99998_test_only", + "safeName": "edition_99998_test_only" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_99998_TEST_ONLY", + "safeName": "EDITION_99998_TEST_ONLY" + }, + "pascalCase": { + "unsafeName": "Edition99998TestOnly", + "safeName": "Edition99998TestOnly" + } + }, + "wireValue": "EDITION_99998_TEST_ONLY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_99999_TEST_ONLY", + "camelCase": { + "unsafeName": "edition99999TestOnly", + "safeName": "edition99999TestOnly" + }, + "snakeCase": { + "unsafeName": "edition_99999_test_only", + "safeName": "edition_99999_test_only" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_99999_TEST_ONLY", + "safeName": "EDITION_99999_TEST_ONLY" + }, + "pascalCase": { + "unsafeName": "Edition99999TestOnly", + "safeName": "Edition99999TestOnly" + } + }, + "wireValue": "EDITION_99999_TEST_ONLY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EDITION_MAX", + "camelCase": { + "unsafeName": "editionMax", + "safeName": "editionMax" + }, + "snakeCase": { + "unsafeName": "edition_max", + "safeName": "edition_max" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_MAX", + "safeName": "EDITION_MAX" + }, + "pascalCase": { + "unsafeName": "EditionMax", + "safeName": "EditionMax" + } + }, + "wireValue": "EDITION_MAX" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FileDescriptorSet": { + "name": { + "typeId": "google.protobuf.FileDescriptorSet", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FileDescriptorSet", + "camelCase": { + "unsafeName": "googleProtobufFileDescriptorSet", + "safeName": "googleProtobufFileDescriptorSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_file_descriptor_set", + "safeName": "google_protobuf_file_descriptor_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_SET", + "safeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFileDescriptorSet", + "safeName": "GoogleProtobufFileDescriptorSet" + } + }, + "displayName": "FileDescriptorSet" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "file", + "camelCase": { + "unsafeName": "file", + "safeName": "file" + }, + "snakeCase": { + "unsafeName": "file", + "safeName": "file" + }, + "screamingSnakeCase": { + "unsafeName": "FILE", + "safeName": "FILE" + }, + "pascalCase": { + "unsafeName": "File", + "safeName": "File" + } + }, + "wireValue": "file" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FileDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufFileDescriptorProto", + "safeName": "googleProtobufFileDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_file_descriptor_proto", + "safeName": "google_protobuf_file_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFileDescriptorProto", + "safeName": "GoogleProtobufFileDescriptorProto" + } + }, + "typeId": "google.protobuf.FileDescriptorProto", + "default": null, + "inline": false, + "displayName": "file" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.FileDescriptorProto": { + "name": { + "typeId": "google.protobuf.FileDescriptorProto", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FileDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufFileDescriptorProto", + "safeName": "googleProtobufFileDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_file_descriptor_proto", + "safeName": "google_protobuf_file_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_FILE_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFileDescriptorProto", + "safeName": "GoogleProtobufFileDescriptorProto" + } + }, + "displayName": "FileDescriptorProto" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "package", + "camelCase": { + "unsafeName": "package", + "safeName": "package" + }, + "snakeCase": { + "unsafeName": "package", + "safeName": "package" + }, + "screamingSnakeCase": { + "unsafeName": "PACKAGE", + "safeName": "PACKAGE" + }, + "pascalCase": { + "unsafeName": "Package", + "safeName": "Package" + } + }, + "wireValue": "package" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "dependency", + "camelCase": { + "unsafeName": "dependency", + "safeName": "dependency" + }, + "snakeCase": { + "unsafeName": "dependency", + "safeName": "dependency" + }, + "screamingSnakeCase": { + "unsafeName": "DEPENDENCY", + "safeName": "DEPENDENCY" + }, + "pascalCase": { + "unsafeName": "Dependency", + "safeName": "Dependency" + } + }, + "wireValue": "dependency" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "public_dependency", + "camelCase": { + "unsafeName": "publicDependency", + "safeName": "publicDependency" + }, + "snakeCase": { + "unsafeName": "public_dependency", + "safeName": "public_dependency" + }, + "screamingSnakeCase": { + "unsafeName": "PUBLIC_DEPENDENCY", + "safeName": "PUBLIC_DEPENDENCY" + }, + "pascalCase": { + "unsafeName": "PublicDependency", + "safeName": "PublicDependency" + } + }, + "wireValue": "public_dependency" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "weak_dependency", + "camelCase": { + "unsafeName": "weakDependency", + "safeName": "weakDependency" + }, + "snakeCase": { + "unsafeName": "weak_dependency", + "safeName": "weak_dependency" + }, + "screamingSnakeCase": { + "unsafeName": "WEAK_DEPENDENCY", + "safeName": "WEAK_DEPENDENCY" + }, + "pascalCase": { + "unsafeName": "WeakDependency", + "safeName": "WeakDependency" + } + }, + "wireValue": "weak_dependency" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "message_type", + "camelCase": { + "unsafeName": "messageType", + "safeName": "messageType" + }, + "snakeCase": { + "unsafeName": "message_type", + "safeName": "message_type" + }, + "screamingSnakeCase": { + "unsafeName": "MESSAGE_TYPE", + "safeName": "MESSAGE_TYPE" + }, + "pascalCase": { + "unsafeName": "MessageType", + "safeName": "MessageType" + } + }, + "wireValue": "message_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufDescriptorProto", + "safeName": "googleProtobufDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_descriptor_proto", + "safeName": "google_protobuf_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDescriptorProto", + "safeName": "GoogleProtobufDescriptorProto" + } + }, + "typeId": "google.protobuf.DescriptorProto", + "default": null, + "inline": false, + "displayName": "message_type" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "enum_type", + "camelCase": { + "unsafeName": "enumType", + "safeName": "enumType" + }, + "snakeCase": { + "unsafeName": "enum_type", + "safeName": "enum_type" + }, + "screamingSnakeCase": { + "unsafeName": "ENUM_TYPE", + "safeName": "ENUM_TYPE" + }, + "pascalCase": { + "unsafeName": "EnumType", + "safeName": "EnumType" + } + }, + "wireValue": "enum_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufEnumDescriptorProto", + "safeName": "googleProtobufEnumDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_descriptor_proto", + "safeName": "google_protobuf_enum_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumDescriptorProto", + "safeName": "GoogleProtobufEnumDescriptorProto" + } + }, + "typeId": "google.protobuf.EnumDescriptorProto", + "default": null, + "inline": false, + "displayName": "enum_type" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "service", + "camelCase": { + "unsafeName": "service", + "safeName": "service" + }, + "snakeCase": { + "unsafeName": "service", + "safeName": "service" + }, + "screamingSnakeCase": { + "unsafeName": "SERVICE", + "safeName": "SERVICE" + }, + "pascalCase": { + "unsafeName": "Service", + "safeName": "Service" + } + }, + "wireValue": "service" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.ServiceDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufServiceDescriptorProto", + "safeName": "googleProtobufServiceDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_service_descriptor_proto", + "safeName": "google_protobuf_service_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_SERVICE_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_SERVICE_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufServiceDescriptorProto", + "safeName": "GoogleProtobufServiceDescriptorProto" + } + }, + "typeId": "google.protobuf.ServiceDescriptorProto", + "default": null, + "inline": false, + "displayName": "service" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "extension", + "camelCase": { + "unsafeName": "extension", + "safeName": "extension" + }, + "snakeCase": { + "unsafeName": "extension", + "safeName": "extension" + }, + "screamingSnakeCase": { + "unsafeName": "EXTENSION", + "safeName": "EXTENSION" + }, + "pascalCase": { + "unsafeName": "Extension", + "safeName": "Extension" + } + }, + "wireValue": "extension" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufFieldDescriptorProto", + "safeName": "googleProtobufFieldDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_descriptor_proto", + "safeName": "google_protobuf_field_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldDescriptorProto", + "safeName": "GoogleProtobufFieldDescriptorProto" + } + }, + "typeId": "google.protobuf.FieldDescriptorProto", + "default": null, + "inline": false, + "displayName": "extension" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "options", + "camelCase": { + "unsafeName": "options", + "safeName": "options" + }, + "snakeCase": { + "unsafeName": "options", + "safeName": "options" + }, + "screamingSnakeCase": { + "unsafeName": "OPTIONS", + "safeName": "OPTIONS" + }, + "pascalCase": { + "unsafeName": "Options", + "safeName": "Options" + } + }, + "wireValue": "options" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FileOptions", + "camelCase": { + "unsafeName": "googleProtobufFileOptions", + "safeName": "googleProtobufFileOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_file_options", + "safeName": "google_protobuf_file_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FILE_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_FILE_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFileOptions", + "safeName": "GoogleProtobufFileOptions" + } + }, + "typeId": "google.protobuf.FileOptions", + "default": null, + "inline": false, + "displayName": "options" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "source_code_info", + "camelCase": { + "unsafeName": "sourceCodeInfo", + "safeName": "sourceCodeInfo" + }, + "snakeCase": { + "unsafeName": "source_code_info", + "safeName": "source_code_info" + }, + "screamingSnakeCase": { + "unsafeName": "SOURCE_CODE_INFO", + "safeName": "SOURCE_CODE_INFO" + }, + "pascalCase": { + "unsafeName": "SourceCodeInfo", + "safeName": "SourceCodeInfo" + } + }, + "wireValue": "source_code_info" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.SourceCodeInfo", + "camelCase": { + "unsafeName": "googleProtobufSourceCodeInfo", + "safeName": "googleProtobufSourceCodeInfo" + }, + "snakeCase": { + "unsafeName": "google_protobuf_source_code_info", + "safeName": "google_protobuf_source_code_info" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO", + "safeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufSourceCodeInfo", + "safeName": "GoogleProtobufSourceCodeInfo" + } + }, + "typeId": "google.protobuf.SourceCodeInfo", + "default": null, + "inline": false, + "displayName": "source_code_info" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "syntax", + "camelCase": { + "unsafeName": "syntax", + "safeName": "syntax" + }, + "snakeCase": { + "unsafeName": "syntax", + "safeName": "syntax" + }, + "screamingSnakeCase": { + "unsafeName": "SYNTAX", + "safeName": "SYNTAX" + }, + "pascalCase": { + "unsafeName": "Syntax", + "safeName": "Syntax" + } + }, + "wireValue": "syntax" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "edition", + "camelCase": { + "unsafeName": "edition", + "safeName": "edition" + }, + "snakeCase": { + "unsafeName": "edition", + "safeName": "edition" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION", + "safeName": "EDITION" + }, + "pascalCase": { + "unsafeName": "Edition", + "safeName": "Edition" + } + }, + "wireValue": "edition" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Edition", + "camelCase": { + "unsafeName": "googleProtobufEdition", + "safeName": "googleProtobufEdition" + }, + "snakeCase": { + "unsafeName": "google_protobuf_edition", + "safeName": "google_protobuf_edition" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EDITION", + "safeName": "GOOGLE_PROTOBUF_EDITION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEdition", + "safeName": "GoogleProtobufEdition" + } + }, + "typeId": "google.protobuf.Edition", + "default": null, + "inline": false, + "displayName": "edition" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.DescriptorProto.ExtensionRange": { + "name": { + "typeId": "DescriptorProto.ExtensionRange", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.ExtensionRange", + "camelCase": { + "unsafeName": "googleProtobufExtensionRange", + "safeName": "googleProtobufExtensionRange" + }, + "snakeCase": { + "unsafeName": "google_protobuf_extension_range", + "safeName": "google_protobuf_extension_range" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE", + "safeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufExtensionRange", + "safeName": "GoogleProtobufExtensionRange" + } + }, + "displayName": "ExtensionRange" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "start", + "camelCase": { + "unsafeName": "start", + "safeName": "start" + }, + "snakeCase": { + "unsafeName": "start", + "safeName": "start" + }, + "screamingSnakeCase": { + "unsafeName": "START", + "safeName": "START" + }, + "pascalCase": { + "unsafeName": "Start", + "safeName": "Start" + } + }, + "wireValue": "start" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "end", + "camelCase": { + "unsafeName": "end", + "safeName": "end" + }, + "snakeCase": { + "unsafeName": "end", + "safeName": "end" + }, + "screamingSnakeCase": { + "unsafeName": "END", + "safeName": "END" + }, + "pascalCase": { + "unsafeName": "End", + "safeName": "End" + } + }, + "wireValue": "end" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "options", + "camelCase": { + "unsafeName": "options", + "safeName": "options" + }, + "snakeCase": { + "unsafeName": "options", + "safeName": "options" + }, + "screamingSnakeCase": { + "unsafeName": "OPTIONS", + "safeName": "OPTIONS" + }, + "pascalCase": { + "unsafeName": "Options", + "safeName": "Options" + } + }, + "wireValue": "options" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.ExtensionRangeOptions", + "camelCase": { + "unsafeName": "googleProtobufExtensionRangeOptions", + "safeName": "googleProtobufExtensionRangeOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_extension_range_options", + "safeName": "google_protobuf_extension_range_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufExtensionRangeOptions", + "safeName": "GoogleProtobufExtensionRangeOptions" + } + }, + "typeId": "google.protobuf.ExtensionRangeOptions", + "default": null, + "inline": false, + "displayName": "options" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.DescriptorProto.ReservedRange": { + "name": { + "typeId": "DescriptorProto.ReservedRange", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.ReservedRange", + "camelCase": { + "unsafeName": "googleProtobufReservedRange", + "safeName": "googleProtobufReservedRange" + }, + "snakeCase": { + "unsafeName": "google_protobuf_reserved_range", + "safeName": "google_protobuf_reserved_range" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_RESERVED_RANGE", + "safeName": "GOOGLE_PROTOBUF_RESERVED_RANGE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufReservedRange", + "safeName": "GoogleProtobufReservedRange" + } + }, + "displayName": "ReservedRange" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "start", + "camelCase": { + "unsafeName": "start", + "safeName": "start" + }, + "snakeCase": { + "unsafeName": "start", + "safeName": "start" + }, + "screamingSnakeCase": { + "unsafeName": "START", + "safeName": "START" + }, + "pascalCase": { + "unsafeName": "Start", + "safeName": "Start" + } + }, + "wireValue": "start" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "end", + "camelCase": { + "unsafeName": "end", + "safeName": "end" + }, + "snakeCase": { + "unsafeName": "end", + "safeName": "end" + }, + "screamingSnakeCase": { + "unsafeName": "END", + "safeName": "END" + }, + "pascalCase": { + "unsafeName": "End", + "safeName": "End" + } + }, + "wireValue": "end" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.DescriptorProto": { + "name": { + "typeId": "google.protobuf.DescriptorProto", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufDescriptorProto", + "safeName": "googleProtobufDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_descriptor_proto", + "safeName": "google_protobuf_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDescriptorProto", + "safeName": "GoogleProtobufDescriptorProto" + } + }, + "displayName": "DescriptorProto" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "field", + "camelCase": { + "unsafeName": "field", + "safeName": "field" + }, + "snakeCase": { + "unsafeName": "field", + "safeName": "field" + }, + "screamingSnakeCase": { + "unsafeName": "FIELD", + "safeName": "FIELD" + }, + "pascalCase": { + "unsafeName": "Field", + "safeName": "Field" + } + }, + "wireValue": "field" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufFieldDescriptorProto", + "safeName": "googleProtobufFieldDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_descriptor_proto", + "safeName": "google_protobuf_field_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldDescriptorProto", + "safeName": "GoogleProtobufFieldDescriptorProto" + } + }, + "typeId": "google.protobuf.FieldDescriptorProto", + "default": null, + "inline": false, + "displayName": "field" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "extension", + "camelCase": { + "unsafeName": "extension", + "safeName": "extension" + }, + "snakeCase": { + "unsafeName": "extension", + "safeName": "extension" + }, + "screamingSnakeCase": { + "unsafeName": "EXTENSION", + "safeName": "EXTENSION" + }, + "pascalCase": { + "unsafeName": "Extension", + "safeName": "Extension" + } + }, + "wireValue": "extension" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufFieldDescriptorProto", + "safeName": "googleProtobufFieldDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_descriptor_proto", + "safeName": "google_protobuf_field_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldDescriptorProto", + "safeName": "GoogleProtobufFieldDescriptorProto" + } + }, + "typeId": "google.protobuf.FieldDescriptorProto", + "default": null, + "inline": false, + "displayName": "extension" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "nested_type", + "camelCase": { + "unsafeName": "nestedType", + "safeName": "nestedType" + }, + "snakeCase": { + "unsafeName": "nested_type", + "safeName": "nested_type" + }, + "screamingSnakeCase": { + "unsafeName": "NESTED_TYPE", + "safeName": "NESTED_TYPE" + }, + "pascalCase": { + "unsafeName": "NestedType", + "safeName": "NestedType" + } + }, + "wireValue": "nested_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufDescriptorProto", + "safeName": "googleProtobufDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_descriptor_proto", + "safeName": "google_protobuf_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDescriptorProto", + "safeName": "GoogleProtobufDescriptorProto" + } + }, + "typeId": "google.protobuf.DescriptorProto", + "default": null, + "inline": false, + "displayName": "nested_type" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "enum_type", + "camelCase": { + "unsafeName": "enumType", + "safeName": "enumType" + }, + "snakeCase": { + "unsafeName": "enum_type", + "safeName": "enum_type" + }, + "screamingSnakeCase": { + "unsafeName": "ENUM_TYPE", + "safeName": "ENUM_TYPE" + }, + "pascalCase": { + "unsafeName": "EnumType", + "safeName": "EnumType" + } + }, + "wireValue": "enum_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufEnumDescriptorProto", + "safeName": "googleProtobufEnumDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_descriptor_proto", + "safeName": "google_protobuf_enum_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumDescriptorProto", + "safeName": "GoogleProtobufEnumDescriptorProto" + } + }, + "typeId": "google.protobuf.EnumDescriptorProto", + "default": null, + "inline": false, + "displayName": "enum_type" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "extension_range", + "camelCase": { + "unsafeName": "extensionRange", + "safeName": "extensionRange" + }, + "snakeCase": { + "unsafeName": "extension_range", + "safeName": "extension_range" + }, + "screamingSnakeCase": { + "unsafeName": "EXTENSION_RANGE", + "safeName": "EXTENSION_RANGE" + }, + "pascalCase": { + "unsafeName": "ExtensionRange", + "safeName": "ExtensionRange" + } + }, + "wireValue": "extension_range" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DescriptorProto.ExtensionRange", + "camelCase": { + "unsafeName": "googleProtobufDescriptorProtoExtensionRange", + "safeName": "googleProtobufDescriptorProtoExtensionRange" + }, + "snakeCase": { + "unsafeName": "google_protobuf_descriptor_proto_extension_range", + "safeName": "google_protobuf_descriptor_proto_extension_range" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO_EXTENSION_RANGE", + "safeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO_EXTENSION_RANGE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDescriptorProtoExtensionRange", + "safeName": "GoogleProtobufDescriptorProtoExtensionRange" + } + }, + "typeId": "google.protobuf.DescriptorProto.ExtensionRange", + "default": null, + "inline": false, + "displayName": "extension_range" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "oneof_decl", + "camelCase": { + "unsafeName": "oneofDecl", + "safeName": "oneofDecl" + }, + "snakeCase": { + "unsafeName": "oneof_decl", + "safeName": "oneof_decl" + }, + "screamingSnakeCase": { + "unsafeName": "ONEOF_DECL", + "safeName": "ONEOF_DECL" + }, + "pascalCase": { + "unsafeName": "OneofDecl", + "safeName": "OneofDecl" + } + }, + "wireValue": "oneof_decl" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.OneofDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufOneofDescriptorProto", + "safeName": "googleProtobufOneofDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_oneof_descriptor_proto", + "safeName": "google_protobuf_oneof_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ONEOF_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_ONEOF_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufOneofDescriptorProto", + "safeName": "GoogleProtobufOneofDescriptorProto" + } + }, + "typeId": "google.protobuf.OneofDescriptorProto", + "default": null, + "inline": false, + "displayName": "oneof_decl" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "options", + "camelCase": { + "unsafeName": "options", + "safeName": "options" + }, + "snakeCase": { + "unsafeName": "options", + "safeName": "options" + }, + "screamingSnakeCase": { + "unsafeName": "OPTIONS", + "safeName": "OPTIONS" + }, + "pascalCase": { + "unsafeName": "Options", + "safeName": "Options" + } + }, + "wireValue": "options" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.MessageOptions", + "camelCase": { + "unsafeName": "googleProtobufMessageOptions", + "safeName": "googleProtobufMessageOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_message_options", + "safeName": "google_protobuf_message_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_MESSAGE_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_MESSAGE_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufMessageOptions", + "safeName": "GoogleProtobufMessageOptions" + } + }, + "typeId": "google.protobuf.MessageOptions", + "default": null, + "inline": false, + "displayName": "options" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "reserved_range", + "camelCase": { + "unsafeName": "reservedRange", + "safeName": "reservedRange" + }, + "snakeCase": { + "unsafeName": "reserved_range", + "safeName": "reserved_range" + }, + "screamingSnakeCase": { + "unsafeName": "RESERVED_RANGE", + "safeName": "RESERVED_RANGE" + }, + "pascalCase": { + "unsafeName": "ReservedRange", + "safeName": "ReservedRange" + } + }, + "wireValue": "reserved_range" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DescriptorProto.ReservedRange", + "camelCase": { + "unsafeName": "googleProtobufDescriptorProtoReservedRange", + "safeName": "googleProtobufDescriptorProtoReservedRange" + }, + "snakeCase": { + "unsafeName": "google_protobuf_descriptor_proto_reserved_range", + "safeName": "google_protobuf_descriptor_proto_reserved_range" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO_RESERVED_RANGE", + "safeName": "GOOGLE_PROTOBUF_DESCRIPTOR_PROTO_RESERVED_RANGE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDescriptorProtoReservedRange", + "safeName": "GoogleProtobufDescriptorProtoReservedRange" + } + }, + "typeId": "google.protobuf.DescriptorProto.ReservedRange", + "default": null, + "inline": false, + "displayName": "reserved_range" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "reserved_name", + "camelCase": { + "unsafeName": "reservedName", + "safeName": "reservedName" + }, + "snakeCase": { + "unsafeName": "reserved_name", + "safeName": "reserved_name" + }, + "screamingSnakeCase": { + "unsafeName": "RESERVED_NAME", + "safeName": "RESERVED_NAME" + }, + "pascalCase": { + "unsafeName": "ReservedName", + "safeName": "ReservedName" + } + }, + "wireValue": "reserved_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.ExtensionRangeOptions.Declaration": { + "name": { + "typeId": "ExtensionRangeOptions.Declaration", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Declaration", + "camelCase": { + "unsafeName": "googleProtobufDeclaration", + "safeName": "googleProtobufDeclaration" + }, + "snakeCase": { + "unsafeName": "google_protobuf_declaration", + "safeName": "google_protobuf_declaration" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DECLARATION", + "safeName": "GOOGLE_PROTOBUF_DECLARATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDeclaration", + "safeName": "GoogleProtobufDeclaration" + } + }, + "displayName": "Declaration" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "number", + "camelCase": { + "unsafeName": "number", + "safeName": "number" + }, + "snakeCase": { + "unsafeName": "number", + "safeName": "number" + }, + "screamingSnakeCase": { + "unsafeName": "NUMBER", + "safeName": "NUMBER" + }, + "pascalCase": { + "unsafeName": "Number", + "safeName": "Number" + } + }, + "wireValue": "number" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "full_name", + "camelCase": { + "unsafeName": "fullName", + "safeName": "fullName" + }, + "snakeCase": { + "unsafeName": "full_name", + "safeName": "full_name" + }, + "screamingSnakeCase": { + "unsafeName": "FULL_NAME", + "safeName": "FULL_NAME" + }, + "pascalCase": { + "unsafeName": "FullName", + "safeName": "FullName" + } + }, + "wireValue": "full_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "type", + "camelCase": { + "unsafeName": "type", + "safeName": "type" + }, + "snakeCase": { + "unsafeName": "type", + "safeName": "type" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE", + "safeName": "TYPE" + }, + "pascalCase": { + "unsafeName": "Type", + "safeName": "Type" + } + }, + "wireValue": "type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "reserved", + "camelCase": { + "unsafeName": "reserved", + "safeName": "reserved" + }, + "snakeCase": { + "unsafeName": "reserved", + "safeName": "reserved" + }, + "screamingSnakeCase": { + "unsafeName": "RESERVED", + "safeName": "RESERVED" + }, + "pascalCase": { + "unsafeName": "Reserved", + "safeName": "Reserved" + } + }, + "wireValue": "reserved" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "repeated", + "camelCase": { + "unsafeName": "repeated", + "safeName": "repeated" + }, + "snakeCase": { + "unsafeName": "repeated", + "safeName": "repeated" + }, + "screamingSnakeCase": { + "unsafeName": "REPEATED", + "safeName": "REPEATED" + }, + "pascalCase": { + "unsafeName": "Repeated", + "safeName": "Repeated" + } + }, + "wireValue": "repeated" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.ExtensionRangeOptions.VerificationState": { + "name": { + "typeId": "ExtensionRangeOptions.VerificationState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.VerificationState", + "camelCase": { + "unsafeName": "googleProtobufVerificationState", + "safeName": "googleProtobufVerificationState" + }, + "snakeCase": { + "unsafeName": "google_protobuf_verification_state", + "safeName": "google_protobuf_verification_state" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_VERIFICATION_STATE", + "safeName": "GOOGLE_PROTOBUF_VERIFICATION_STATE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufVerificationState", + "safeName": "GoogleProtobufVerificationState" + } + }, + "displayName": "VerificationState" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "DECLARATION", + "camelCase": { + "unsafeName": "declaration", + "safeName": "declaration" + }, + "snakeCase": { + "unsafeName": "declaration", + "safeName": "declaration" + }, + "screamingSnakeCase": { + "unsafeName": "DECLARATION", + "safeName": "DECLARATION" + }, + "pascalCase": { + "unsafeName": "Declaration", + "safeName": "Declaration" + } + }, + "wireValue": "DECLARATION" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "UNVERIFIED", + "camelCase": { + "unsafeName": "unverified", + "safeName": "unverified" + }, + "snakeCase": { + "unsafeName": "unverified", + "safeName": "unverified" + }, + "screamingSnakeCase": { + "unsafeName": "UNVERIFIED", + "safeName": "UNVERIFIED" + }, + "pascalCase": { + "unsafeName": "Unverified", + "safeName": "Unverified" + } + }, + "wireValue": "UNVERIFIED" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.ExtensionRangeOptions": { + "name": { + "typeId": "google.protobuf.ExtensionRangeOptions", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.ExtensionRangeOptions", + "camelCase": { + "unsafeName": "googleProtobufExtensionRangeOptions", + "safeName": "googleProtobufExtensionRangeOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_extension_range_options", + "safeName": "google_protobuf_extension_range_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufExtensionRangeOptions", + "safeName": "GoogleProtobufExtensionRangeOptions" + } + }, + "displayName": "ExtensionRangeOptions" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "uninterpreted_option", + "camelCase": { + "unsafeName": "uninterpretedOption", + "safeName": "uninterpretedOption" + }, + "snakeCase": { + "unsafeName": "uninterpreted_option", + "safeName": "uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "UNINTERPRETED_OPTION", + "safeName": "UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "UninterpretedOption", + "safeName": "UninterpretedOption" + } + }, + "wireValue": "uninterpreted_option" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOption", + "safeName": "googleProtobufUninterpretedOption" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option", + "safeName": "google_protobuf_uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOption", + "safeName": "GoogleProtobufUninterpretedOption" + } + }, + "typeId": "google.protobuf.UninterpretedOption", + "default": null, + "inline": false, + "displayName": "uninterpreted_option" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "declaration", + "camelCase": { + "unsafeName": "declaration", + "safeName": "declaration" + }, + "snakeCase": { + "unsafeName": "declaration", + "safeName": "declaration" + }, + "screamingSnakeCase": { + "unsafeName": "DECLARATION", + "safeName": "DECLARATION" + }, + "pascalCase": { + "unsafeName": "Declaration", + "safeName": "Declaration" + } + }, + "wireValue": "declaration" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.ExtensionRangeOptions.Declaration", + "camelCase": { + "unsafeName": "googleProtobufExtensionRangeOptionsDeclaration", + "safeName": "googleProtobufExtensionRangeOptionsDeclaration" + }, + "snakeCase": { + "unsafeName": "google_protobuf_extension_range_options_declaration", + "safeName": "google_protobuf_extension_range_options_declaration" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS_DECLARATION", + "safeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS_DECLARATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufExtensionRangeOptionsDeclaration", + "safeName": "GoogleProtobufExtensionRangeOptionsDeclaration" + } + }, + "typeId": "google.protobuf.ExtensionRangeOptions.Declaration", + "default": null, + "inline": false, + "displayName": "declaration" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "features", + "camelCase": { + "unsafeName": "features", + "safeName": "features" + }, + "snakeCase": { + "unsafeName": "features", + "safeName": "features" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURES", + "safeName": "FEATURES" + }, + "pascalCase": { + "unsafeName": "Features", + "safeName": "Features" + } + }, + "wireValue": "features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "verification", + "camelCase": { + "unsafeName": "verification", + "safeName": "verification" + }, + "snakeCase": { + "unsafeName": "verification", + "safeName": "verification" + }, + "screamingSnakeCase": { + "unsafeName": "VERIFICATION", + "safeName": "VERIFICATION" + }, + "pascalCase": { + "unsafeName": "Verification", + "safeName": "Verification" + } + }, + "wireValue": "verification" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.ExtensionRangeOptions.VerificationState", + "camelCase": { + "unsafeName": "googleProtobufExtensionRangeOptionsVerificationState", + "safeName": "googleProtobufExtensionRangeOptionsVerificationState" + }, + "snakeCase": { + "unsafeName": "google_protobuf_extension_range_options_verification_state", + "safeName": "google_protobuf_extension_range_options_verification_state" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS_VERIFICATION_STATE", + "safeName": "GOOGLE_PROTOBUF_EXTENSION_RANGE_OPTIONS_VERIFICATION_STATE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufExtensionRangeOptionsVerificationState", + "safeName": "GoogleProtobufExtensionRangeOptionsVerificationState" + } + }, + "typeId": "google.protobuf.ExtensionRangeOptions.VerificationState", + "default": null, + "inline": false, + "displayName": "verification" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.FieldDescriptorProto.Type": { + "name": { + "typeId": "FieldDescriptorProto.Type", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Type", + "camelCase": { + "unsafeName": "googleProtobufType", + "safeName": "googleProtobufType" + }, + "snakeCase": { + "unsafeName": "google_protobuf_type", + "safeName": "google_protobuf_type" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TYPE", + "safeName": "GOOGLE_PROTOBUF_TYPE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufType", + "safeName": "GoogleProtobufType" + } + }, + "displayName": "Type" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "TYPE_DOUBLE", + "camelCase": { + "unsafeName": "typeDouble", + "safeName": "typeDouble" + }, + "snakeCase": { + "unsafeName": "type_double", + "safeName": "type_double" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_DOUBLE", + "safeName": "TYPE_DOUBLE" + }, + "pascalCase": { + "unsafeName": "TypeDouble", + "safeName": "TypeDouble" + } + }, + "wireValue": "TYPE_DOUBLE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_FLOAT", + "camelCase": { + "unsafeName": "typeFloat", + "safeName": "typeFloat" + }, + "snakeCase": { + "unsafeName": "type_float", + "safeName": "type_float" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_FLOAT", + "safeName": "TYPE_FLOAT" + }, + "pascalCase": { + "unsafeName": "TypeFloat", + "safeName": "TypeFloat" + } + }, + "wireValue": "TYPE_FLOAT" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_INT64", + "camelCase": { + "unsafeName": "typeInt64", + "safeName": "typeInt64" + }, + "snakeCase": { + "unsafeName": "type_int_64", + "safeName": "type_int_64" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_INT_64", + "safeName": "TYPE_INT_64" + }, + "pascalCase": { + "unsafeName": "TypeInt64", + "safeName": "TypeInt64" + } + }, + "wireValue": "TYPE_INT64" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_UINT64", + "camelCase": { + "unsafeName": "typeUint64", + "safeName": "typeUint64" + }, + "snakeCase": { + "unsafeName": "type_uint_64", + "safeName": "type_uint_64" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_UINT_64", + "safeName": "TYPE_UINT_64" + }, + "pascalCase": { + "unsafeName": "TypeUint64", + "safeName": "TypeUint64" + } + }, + "wireValue": "TYPE_UINT64" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_INT32", + "camelCase": { + "unsafeName": "typeInt32", + "safeName": "typeInt32" + }, + "snakeCase": { + "unsafeName": "type_int_32", + "safeName": "type_int_32" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_INT_32", + "safeName": "TYPE_INT_32" + }, + "pascalCase": { + "unsafeName": "TypeInt32", + "safeName": "TypeInt32" + } + }, + "wireValue": "TYPE_INT32" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_FIXED64", + "camelCase": { + "unsafeName": "typeFixed64", + "safeName": "typeFixed64" + }, + "snakeCase": { + "unsafeName": "type_fixed_64", + "safeName": "type_fixed_64" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_FIXED_64", + "safeName": "TYPE_FIXED_64" + }, + "pascalCase": { + "unsafeName": "TypeFixed64", + "safeName": "TypeFixed64" + } + }, + "wireValue": "TYPE_FIXED64" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_FIXED32", + "camelCase": { + "unsafeName": "typeFixed32", + "safeName": "typeFixed32" + }, + "snakeCase": { + "unsafeName": "type_fixed_32", + "safeName": "type_fixed_32" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_FIXED_32", + "safeName": "TYPE_FIXED_32" + }, + "pascalCase": { + "unsafeName": "TypeFixed32", + "safeName": "TypeFixed32" + } + }, + "wireValue": "TYPE_FIXED32" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_BOOL", + "camelCase": { + "unsafeName": "typeBool", + "safeName": "typeBool" + }, + "snakeCase": { + "unsafeName": "type_bool", + "safeName": "type_bool" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_BOOL", + "safeName": "TYPE_BOOL" + }, + "pascalCase": { + "unsafeName": "TypeBool", + "safeName": "TypeBool" + } + }, + "wireValue": "TYPE_BOOL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_STRING", + "camelCase": { + "unsafeName": "typeString", + "safeName": "typeString" + }, + "snakeCase": { + "unsafeName": "type_string", + "safeName": "type_string" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_STRING", + "safeName": "TYPE_STRING" + }, + "pascalCase": { + "unsafeName": "TypeString", + "safeName": "TypeString" + } + }, + "wireValue": "TYPE_STRING" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_GROUP", + "camelCase": { + "unsafeName": "typeGroup", + "safeName": "typeGroup" + }, + "snakeCase": { + "unsafeName": "type_group", + "safeName": "type_group" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_GROUP", + "safeName": "TYPE_GROUP" + }, + "pascalCase": { + "unsafeName": "TypeGroup", + "safeName": "TypeGroup" + } + }, + "wireValue": "TYPE_GROUP" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_MESSAGE", + "camelCase": { + "unsafeName": "typeMessage", + "safeName": "typeMessage" + }, + "snakeCase": { + "unsafeName": "type_message", + "safeName": "type_message" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_MESSAGE", + "safeName": "TYPE_MESSAGE" + }, + "pascalCase": { + "unsafeName": "TypeMessage", + "safeName": "TypeMessage" + } + }, + "wireValue": "TYPE_MESSAGE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_BYTES", + "camelCase": { + "unsafeName": "typeBytes", + "safeName": "typeBytes" + }, + "snakeCase": { + "unsafeName": "type_bytes", + "safeName": "type_bytes" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_BYTES", + "safeName": "TYPE_BYTES" + }, + "pascalCase": { + "unsafeName": "TypeBytes", + "safeName": "TypeBytes" + } + }, + "wireValue": "TYPE_BYTES" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_UINT32", + "camelCase": { + "unsafeName": "typeUint32", + "safeName": "typeUint32" + }, + "snakeCase": { + "unsafeName": "type_uint_32", + "safeName": "type_uint_32" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_UINT_32", + "safeName": "TYPE_UINT_32" + }, + "pascalCase": { + "unsafeName": "TypeUint32", + "safeName": "TypeUint32" + } + }, + "wireValue": "TYPE_UINT32" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_ENUM", + "camelCase": { + "unsafeName": "typeEnum", + "safeName": "typeEnum" + }, + "snakeCase": { + "unsafeName": "type_enum", + "safeName": "type_enum" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_ENUM", + "safeName": "TYPE_ENUM" + }, + "pascalCase": { + "unsafeName": "TypeEnum", + "safeName": "TypeEnum" + } + }, + "wireValue": "TYPE_ENUM" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_SFIXED32", + "camelCase": { + "unsafeName": "typeSfixed32", + "safeName": "typeSfixed32" + }, + "snakeCase": { + "unsafeName": "type_sfixed_32", + "safeName": "type_sfixed_32" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_SFIXED_32", + "safeName": "TYPE_SFIXED_32" + }, + "pascalCase": { + "unsafeName": "TypeSfixed32", + "safeName": "TypeSfixed32" + } + }, + "wireValue": "TYPE_SFIXED32" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_SFIXED64", + "camelCase": { + "unsafeName": "typeSfixed64", + "safeName": "typeSfixed64" + }, + "snakeCase": { + "unsafeName": "type_sfixed_64", + "safeName": "type_sfixed_64" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_SFIXED_64", + "safeName": "TYPE_SFIXED_64" + }, + "pascalCase": { + "unsafeName": "TypeSfixed64", + "safeName": "TypeSfixed64" + } + }, + "wireValue": "TYPE_SFIXED64" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_SINT32", + "camelCase": { + "unsafeName": "typeSint32", + "safeName": "typeSint32" + }, + "snakeCase": { + "unsafeName": "type_sint_32", + "safeName": "type_sint_32" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_SINT_32", + "safeName": "TYPE_SINT_32" + }, + "pascalCase": { + "unsafeName": "TypeSint32", + "safeName": "TypeSint32" + } + }, + "wireValue": "TYPE_SINT32" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TYPE_SINT64", + "camelCase": { + "unsafeName": "typeSint64", + "safeName": "typeSint64" + }, + "snakeCase": { + "unsafeName": "type_sint_64", + "safeName": "type_sint_64" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_SINT_64", + "safeName": "TYPE_SINT_64" + }, + "pascalCase": { + "unsafeName": "TypeSint64", + "safeName": "TypeSint64" + } + }, + "wireValue": "TYPE_SINT64" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FieldDescriptorProto.Label": { + "name": { + "typeId": "FieldDescriptorProto.Label", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Label", + "camelCase": { + "unsafeName": "googleProtobufLabel", + "safeName": "googleProtobufLabel" + }, + "snakeCase": { + "unsafeName": "google_protobuf_label", + "safeName": "google_protobuf_label" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_LABEL", + "safeName": "GOOGLE_PROTOBUF_LABEL" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufLabel", + "safeName": "GoogleProtobufLabel" + } + }, + "displayName": "Label" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "LABEL_OPTIONAL", + "camelCase": { + "unsafeName": "labelOptional", + "safeName": "labelOptional" + }, + "snakeCase": { + "unsafeName": "label_optional", + "safeName": "label_optional" + }, + "screamingSnakeCase": { + "unsafeName": "LABEL_OPTIONAL", + "safeName": "LABEL_OPTIONAL" + }, + "pascalCase": { + "unsafeName": "LabelOptional", + "safeName": "LabelOptional" + } + }, + "wireValue": "LABEL_OPTIONAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "LABEL_REPEATED", + "camelCase": { + "unsafeName": "labelRepeated", + "safeName": "labelRepeated" + }, + "snakeCase": { + "unsafeName": "label_repeated", + "safeName": "label_repeated" + }, + "screamingSnakeCase": { + "unsafeName": "LABEL_REPEATED", + "safeName": "LABEL_REPEATED" + }, + "pascalCase": { + "unsafeName": "LabelRepeated", + "safeName": "LabelRepeated" + } + }, + "wireValue": "LABEL_REPEATED" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "LABEL_REQUIRED", + "camelCase": { + "unsafeName": "labelRequired", + "safeName": "labelRequired" + }, + "snakeCase": { + "unsafeName": "label_required", + "safeName": "label_required" + }, + "screamingSnakeCase": { + "unsafeName": "LABEL_REQUIRED", + "safeName": "LABEL_REQUIRED" + }, + "pascalCase": { + "unsafeName": "LabelRequired", + "safeName": "LabelRequired" + } + }, + "wireValue": "LABEL_REQUIRED" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FieldDescriptorProto": { + "name": { + "typeId": "google.protobuf.FieldDescriptorProto", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufFieldDescriptorProto", + "safeName": "googleProtobufFieldDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_descriptor_proto", + "safeName": "google_protobuf_field_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldDescriptorProto", + "safeName": "GoogleProtobufFieldDescriptorProto" + } + }, + "displayName": "FieldDescriptorProto" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "number", + "camelCase": { + "unsafeName": "number", + "safeName": "number" + }, + "snakeCase": { + "unsafeName": "number", + "safeName": "number" + }, + "screamingSnakeCase": { + "unsafeName": "NUMBER", + "safeName": "NUMBER" + }, + "pascalCase": { + "unsafeName": "Number", + "safeName": "Number" + } + }, + "wireValue": "number" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "label", + "camelCase": { + "unsafeName": "label", + "safeName": "label" + }, + "snakeCase": { + "unsafeName": "label", + "safeName": "label" + }, + "screamingSnakeCase": { + "unsafeName": "LABEL", + "safeName": "LABEL" + }, + "pascalCase": { + "unsafeName": "Label", + "safeName": "Label" + } + }, + "wireValue": "label" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldDescriptorProto.Label", + "camelCase": { + "unsafeName": "googleProtobufFieldDescriptorProtoLabel", + "safeName": "googleProtobufFieldDescriptorProtoLabel" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_descriptor_proto_label", + "safeName": "google_protobuf_field_descriptor_proto_label" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO_LABEL", + "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO_LABEL" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldDescriptorProtoLabel", + "safeName": "GoogleProtobufFieldDescriptorProtoLabel" + } + }, + "typeId": "google.protobuf.FieldDescriptorProto.Label", + "default": null, + "inline": false, + "displayName": "label" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "type", + "camelCase": { + "unsafeName": "type", + "safeName": "type" + }, + "snakeCase": { + "unsafeName": "type", + "safeName": "type" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE", + "safeName": "TYPE" + }, + "pascalCase": { + "unsafeName": "Type", + "safeName": "Type" + } + }, + "wireValue": "type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldDescriptorProto.Type", + "camelCase": { + "unsafeName": "googleProtobufFieldDescriptorProtoType", + "safeName": "googleProtobufFieldDescriptorProtoType" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_descriptor_proto_type", + "safeName": "google_protobuf_field_descriptor_proto_type" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO_TYPE", + "safeName": "GOOGLE_PROTOBUF_FIELD_DESCRIPTOR_PROTO_TYPE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldDescriptorProtoType", + "safeName": "GoogleProtobufFieldDescriptorProtoType" + } + }, + "typeId": "google.protobuf.FieldDescriptorProto.Type", + "default": null, + "inline": false, + "displayName": "type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "type_name", + "camelCase": { + "unsafeName": "typeName", + "safeName": "typeName" + }, + "snakeCase": { + "unsafeName": "type_name", + "safeName": "type_name" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_NAME", + "safeName": "TYPE_NAME" + }, + "pascalCase": { + "unsafeName": "TypeName", + "safeName": "TypeName" + } + }, + "wireValue": "type_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "extendee", + "camelCase": { + "unsafeName": "extendee", + "safeName": "extendee" + }, + "snakeCase": { + "unsafeName": "extendee", + "safeName": "extendee" + }, + "screamingSnakeCase": { + "unsafeName": "EXTENDEE", + "safeName": "EXTENDEE" + }, + "pascalCase": { + "unsafeName": "Extendee", + "safeName": "Extendee" + } + }, + "wireValue": "extendee" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "default_value", + "camelCase": { + "unsafeName": "defaultValue", + "safeName": "defaultValue" + }, + "snakeCase": { + "unsafeName": "default_value", + "safeName": "default_value" + }, + "screamingSnakeCase": { + "unsafeName": "DEFAULT_VALUE", + "safeName": "DEFAULT_VALUE" + }, + "pascalCase": { + "unsafeName": "DefaultValue", + "safeName": "DefaultValue" + } + }, + "wireValue": "default_value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "oneof_index", + "camelCase": { + "unsafeName": "oneofIndex", + "safeName": "oneofIndex" + }, + "snakeCase": { + "unsafeName": "oneof_index", + "safeName": "oneof_index" + }, + "screamingSnakeCase": { + "unsafeName": "ONEOF_INDEX", + "safeName": "ONEOF_INDEX" + }, + "pascalCase": { + "unsafeName": "OneofIndex", + "safeName": "OneofIndex" + } + }, + "wireValue": "oneof_index" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "json_name", + "camelCase": { + "unsafeName": "jsonName", + "safeName": "jsonName" + }, + "snakeCase": { + "unsafeName": "json_name", + "safeName": "json_name" + }, + "screamingSnakeCase": { + "unsafeName": "JSON_NAME", + "safeName": "JSON_NAME" + }, + "pascalCase": { + "unsafeName": "JsonName", + "safeName": "JsonName" + } + }, + "wireValue": "json_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "options", + "camelCase": { + "unsafeName": "options", + "safeName": "options" + }, + "snakeCase": { + "unsafeName": "options", + "safeName": "options" + }, + "screamingSnakeCase": { + "unsafeName": "OPTIONS", + "safeName": "OPTIONS" + }, + "pascalCase": { + "unsafeName": "Options", + "safeName": "Options" + } + }, + "wireValue": "options" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldOptions", + "camelCase": { + "unsafeName": "googleProtobufFieldOptions", + "safeName": "googleProtobufFieldOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_options", + "safeName": "google_protobuf_field_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldOptions", + "safeName": "GoogleProtobufFieldOptions" + } + }, + "typeId": "google.protobuf.FieldOptions", + "default": null, + "inline": false, + "displayName": "options" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "proto3_optional", + "camelCase": { + "unsafeName": "proto3Optional", + "safeName": "proto3Optional" + }, + "snakeCase": { + "unsafeName": "proto_3_optional", + "safeName": "proto_3_optional" + }, + "screamingSnakeCase": { + "unsafeName": "PROTO_3_OPTIONAL", + "safeName": "PROTO_3_OPTIONAL" + }, + "pascalCase": { + "unsafeName": "Proto3Optional", + "safeName": "Proto3Optional" + } + }, + "wireValue": "proto3_optional" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.OneofDescriptorProto": { + "name": { + "typeId": "google.protobuf.OneofDescriptorProto", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.OneofDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufOneofDescriptorProto", + "safeName": "googleProtobufOneofDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_oneof_descriptor_proto", + "safeName": "google_protobuf_oneof_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ONEOF_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_ONEOF_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufOneofDescriptorProto", + "safeName": "GoogleProtobufOneofDescriptorProto" + } + }, + "displayName": "OneofDescriptorProto" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "options", + "camelCase": { + "unsafeName": "options", + "safeName": "options" + }, + "snakeCase": { + "unsafeName": "options", + "safeName": "options" + }, + "screamingSnakeCase": { + "unsafeName": "OPTIONS", + "safeName": "OPTIONS" + }, + "pascalCase": { + "unsafeName": "Options", + "safeName": "Options" + } + }, + "wireValue": "options" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.OneofOptions", + "camelCase": { + "unsafeName": "googleProtobufOneofOptions", + "safeName": "googleProtobufOneofOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_oneof_options", + "safeName": "google_protobuf_oneof_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ONEOF_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_ONEOF_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufOneofOptions", + "safeName": "GoogleProtobufOneofOptions" + } + }, + "typeId": "google.protobuf.OneofOptions", + "default": null, + "inline": false, + "displayName": "options" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.EnumDescriptorProto.EnumReservedRange": { + "name": { + "typeId": "EnumDescriptorProto.EnumReservedRange", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumReservedRange", + "camelCase": { + "unsafeName": "googleProtobufEnumReservedRange", + "safeName": "googleProtobufEnumReservedRange" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_reserved_range", + "safeName": "google_protobuf_enum_reserved_range" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_RESERVED_RANGE", + "safeName": "GOOGLE_PROTOBUF_ENUM_RESERVED_RANGE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumReservedRange", + "safeName": "GoogleProtobufEnumReservedRange" + } + }, + "displayName": "EnumReservedRange" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "start", + "camelCase": { + "unsafeName": "start", + "safeName": "start" + }, + "snakeCase": { + "unsafeName": "start", + "safeName": "start" + }, + "screamingSnakeCase": { + "unsafeName": "START", + "safeName": "START" + }, + "pascalCase": { + "unsafeName": "Start", + "safeName": "Start" + } + }, + "wireValue": "start" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "end", + "camelCase": { + "unsafeName": "end", + "safeName": "end" + }, + "snakeCase": { + "unsafeName": "end", + "safeName": "end" + }, + "screamingSnakeCase": { + "unsafeName": "END", + "safeName": "END" + }, + "pascalCase": { + "unsafeName": "End", + "safeName": "End" + } + }, + "wireValue": "end" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.EnumDescriptorProto": { + "name": { + "typeId": "google.protobuf.EnumDescriptorProto", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufEnumDescriptorProto", + "safeName": "googleProtobufEnumDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_descriptor_proto", + "safeName": "google_protobuf_enum_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumDescriptorProto", + "safeName": "GoogleProtobufEnumDescriptorProto" + } + }, + "displayName": "EnumDescriptorProto" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumValueDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufEnumValueDescriptorProto", + "safeName": "googleProtobufEnumValueDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_value_descriptor_proto", + "safeName": "google_protobuf_enum_value_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_VALUE_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_ENUM_VALUE_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumValueDescriptorProto", + "safeName": "GoogleProtobufEnumValueDescriptorProto" + } + }, + "typeId": "google.protobuf.EnumValueDescriptorProto", + "default": null, + "inline": false, + "displayName": "value" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "options", + "camelCase": { + "unsafeName": "options", + "safeName": "options" + }, + "snakeCase": { + "unsafeName": "options", + "safeName": "options" + }, + "screamingSnakeCase": { + "unsafeName": "OPTIONS", + "safeName": "OPTIONS" + }, + "pascalCase": { + "unsafeName": "Options", + "safeName": "Options" + } + }, + "wireValue": "options" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumOptions", + "camelCase": { + "unsafeName": "googleProtobufEnumOptions", + "safeName": "googleProtobufEnumOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_options", + "safeName": "google_protobuf_enum_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_ENUM_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumOptions", + "safeName": "GoogleProtobufEnumOptions" + } + }, + "typeId": "google.protobuf.EnumOptions", + "default": null, + "inline": false, + "displayName": "options" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "reserved_range", + "camelCase": { + "unsafeName": "reservedRange", + "safeName": "reservedRange" + }, + "snakeCase": { + "unsafeName": "reserved_range", + "safeName": "reserved_range" + }, + "screamingSnakeCase": { + "unsafeName": "RESERVED_RANGE", + "safeName": "RESERVED_RANGE" + }, + "pascalCase": { + "unsafeName": "ReservedRange", + "safeName": "ReservedRange" + } + }, + "wireValue": "reserved_range" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumDescriptorProto.EnumReservedRange", + "camelCase": { + "unsafeName": "googleProtobufEnumDescriptorProtoEnumReservedRange", + "safeName": "googleProtobufEnumDescriptorProtoEnumReservedRange" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_descriptor_proto_enum_reserved_range", + "safeName": "google_protobuf_enum_descriptor_proto_enum_reserved_range" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO_ENUM_RESERVED_RANGE", + "safeName": "GOOGLE_PROTOBUF_ENUM_DESCRIPTOR_PROTO_ENUM_RESERVED_RANGE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumDescriptorProtoEnumReservedRange", + "safeName": "GoogleProtobufEnumDescriptorProtoEnumReservedRange" + } + }, + "typeId": "google.protobuf.EnumDescriptorProto.EnumReservedRange", + "default": null, + "inline": false, + "displayName": "reserved_range" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "reserved_name", + "camelCase": { + "unsafeName": "reservedName", + "safeName": "reservedName" + }, + "snakeCase": { + "unsafeName": "reserved_name", + "safeName": "reserved_name" + }, + "screamingSnakeCase": { + "unsafeName": "RESERVED_NAME", + "safeName": "RESERVED_NAME" + }, + "pascalCase": { + "unsafeName": "ReservedName", + "safeName": "ReservedName" + } + }, + "wireValue": "reserved_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.EnumValueDescriptorProto": { + "name": { + "typeId": "google.protobuf.EnumValueDescriptorProto", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumValueDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufEnumValueDescriptorProto", + "safeName": "googleProtobufEnumValueDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_value_descriptor_proto", + "safeName": "google_protobuf_enum_value_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_VALUE_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_ENUM_VALUE_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumValueDescriptorProto", + "safeName": "GoogleProtobufEnumValueDescriptorProto" + } + }, + "displayName": "EnumValueDescriptorProto" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "number", + "camelCase": { + "unsafeName": "number", + "safeName": "number" + }, + "snakeCase": { + "unsafeName": "number", + "safeName": "number" + }, + "screamingSnakeCase": { + "unsafeName": "NUMBER", + "safeName": "NUMBER" + }, + "pascalCase": { + "unsafeName": "Number", + "safeName": "Number" + } + }, + "wireValue": "number" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "options", + "camelCase": { + "unsafeName": "options", + "safeName": "options" + }, + "snakeCase": { + "unsafeName": "options", + "safeName": "options" + }, + "screamingSnakeCase": { + "unsafeName": "OPTIONS", + "safeName": "OPTIONS" + }, + "pascalCase": { + "unsafeName": "Options", + "safeName": "Options" + } + }, + "wireValue": "options" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumValueOptions", + "camelCase": { + "unsafeName": "googleProtobufEnumValueOptions", + "safeName": "googleProtobufEnumValueOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_value_options", + "safeName": "google_protobuf_enum_value_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_VALUE_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_ENUM_VALUE_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumValueOptions", + "safeName": "GoogleProtobufEnumValueOptions" + } + }, + "typeId": "google.protobuf.EnumValueOptions", + "default": null, + "inline": false, + "displayName": "options" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.ServiceDescriptorProto": { + "name": { + "typeId": "google.protobuf.ServiceDescriptorProto", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.ServiceDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufServiceDescriptorProto", + "safeName": "googleProtobufServiceDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_service_descriptor_proto", + "safeName": "google_protobuf_service_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_SERVICE_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_SERVICE_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufServiceDescriptorProto", + "safeName": "GoogleProtobufServiceDescriptorProto" + } + }, + "displayName": "ServiceDescriptorProto" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "method", + "camelCase": { + "unsafeName": "method", + "safeName": "method" + }, + "snakeCase": { + "unsafeName": "method", + "safeName": "method" + }, + "screamingSnakeCase": { + "unsafeName": "METHOD", + "safeName": "METHOD" + }, + "pascalCase": { + "unsafeName": "Method", + "safeName": "Method" + } + }, + "wireValue": "method" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.MethodDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufMethodDescriptorProto", + "safeName": "googleProtobufMethodDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_method_descriptor_proto", + "safeName": "google_protobuf_method_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_METHOD_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_METHOD_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufMethodDescriptorProto", + "safeName": "GoogleProtobufMethodDescriptorProto" + } + }, + "typeId": "google.protobuf.MethodDescriptorProto", + "default": null, + "inline": false, + "displayName": "method" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "options", + "camelCase": { + "unsafeName": "options", + "safeName": "options" + }, + "snakeCase": { + "unsafeName": "options", + "safeName": "options" + }, + "screamingSnakeCase": { + "unsafeName": "OPTIONS", + "safeName": "OPTIONS" + }, + "pascalCase": { + "unsafeName": "Options", + "safeName": "Options" + } + }, + "wireValue": "options" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.ServiceOptions", + "camelCase": { + "unsafeName": "googleProtobufServiceOptions", + "safeName": "googleProtobufServiceOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_service_options", + "safeName": "google_protobuf_service_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_SERVICE_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_SERVICE_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufServiceOptions", + "safeName": "GoogleProtobufServiceOptions" + } + }, + "typeId": "google.protobuf.ServiceOptions", + "default": null, + "inline": false, + "displayName": "options" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.MethodDescriptorProto": { + "name": { + "typeId": "google.protobuf.MethodDescriptorProto", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.MethodDescriptorProto", + "camelCase": { + "unsafeName": "googleProtobufMethodDescriptorProto", + "safeName": "googleProtobufMethodDescriptorProto" + }, + "snakeCase": { + "unsafeName": "google_protobuf_method_descriptor_proto", + "safeName": "google_protobuf_method_descriptor_proto" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_METHOD_DESCRIPTOR_PROTO", + "safeName": "GOOGLE_PROTOBUF_METHOD_DESCRIPTOR_PROTO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufMethodDescriptorProto", + "safeName": "GoogleProtobufMethodDescriptorProto" + } + }, + "displayName": "MethodDescriptorProto" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "input_type", + "camelCase": { + "unsafeName": "inputType", + "safeName": "inputType" + }, + "snakeCase": { + "unsafeName": "input_type", + "safeName": "input_type" + }, + "screamingSnakeCase": { + "unsafeName": "INPUT_TYPE", + "safeName": "INPUT_TYPE" + }, + "pascalCase": { + "unsafeName": "InputType", + "safeName": "InputType" + } + }, + "wireValue": "input_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "output_type", + "camelCase": { + "unsafeName": "outputType", + "safeName": "outputType" + }, + "snakeCase": { + "unsafeName": "output_type", + "safeName": "output_type" + }, + "screamingSnakeCase": { + "unsafeName": "OUTPUT_TYPE", + "safeName": "OUTPUT_TYPE" + }, + "pascalCase": { + "unsafeName": "OutputType", + "safeName": "OutputType" + } + }, + "wireValue": "output_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "options", + "camelCase": { + "unsafeName": "options", + "safeName": "options" + }, + "snakeCase": { + "unsafeName": "options", + "safeName": "options" + }, + "screamingSnakeCase": { + "unsafeName": "OPTIONS", + "safeName": "OPTIONS" + }, + "pascalCase": { + "unsafeName": "Options", + "safeName": "Options" + } + }, + "wireValue": "options" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.MethodOptions", + "camelCase": { + "unsafeName": "googleProtobufMethodOptions", + "safeName": "googleProtobufMethodOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_method_options", + "safeName": "google_protobuf_method_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufMethodOptions", + "safeName": "GoogleProtobufMethodOptions" + } + }, + "typeId": "google.protobuf.MethodOptions", + "default": null, + "inline": false, + "displayName": "options" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "client_streaming", + "camelCase": { + "unsafeName": "clientStreaming", + "safeName": "clientStreaming" + }, + "snakeCase": { + "unsafeName": "client_streaming", + "safeName": "client_streaming" + }, + "screamingSnakeCase": { + "unsafeName": "CLIENT_STREAMING", + "safeName": "CLIENT_STREAMING" + }, + "pascalCase": { + "unsafeName": "ClientStreaming", + "safeName": "ClientStreaming" + } + }, + "wireValue": "client_streaming" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "server_streaming", + "camelCase": { + "unsafeName": "serverStreaming", + "safeName": "serverStreaming" + }, + "snakeCase": { + "unsafeName": "server_streaming", + "safeName": "server_streaming" + }, + "screamingSnakeCase": { + "unsafeName": "SERVER_STREAMING", + "safeName": "SERVER_STREAMING" + }, + "pascalCase": { + "unsafeName": "ServerStreaming", + "safeName": "ServerStreaming" + } + }, + "wireValue": "server_streaming" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.FileOptions.OptimizeMode": { + "name": { + "typeId": "FileOptions.OptimizeMode", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.OptimizeMode", + "camelCase": { + "unsafeName": "googleProtobufOptimizeMode", + "safeName": "googleProtobufOptimizeMode" + }, + "snakeCase": { + "unsafeName": "google_protobuf_optimize_mode", + "safeName": "google_protobuf_optimize_mode" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_OPTIMIZE_MODE", + "safeName": "GOOGLE_PROTOBUF_OPTIMIZE_MODE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufOptimizeMode", + "safeName": "GoogleProtobufOptimizeMode" + } + }, + "displayName": "OptimizeMode" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "SPEED", + "camelCase": { + "unsafeName": "speed", + "safeName": "speed" + }, + "snakeCase": { + "unsafeName": "speed", + "safeName": "speed" + }, + "screamingSnakeCase": { + "unsafeName": "SPEED", + "safeName": "SPEED" + }, + "pascalCase": { + "unsafeName": "Speed", + "safeName": "Speed" + } + }, + "wireValue": "SPEED" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CODE_SIZE", + "camelCase": { + "unsafeName": "codeSize", + "safeName": "codeSize" + }, + "snakeCase": { + "unsafeName": "code_size", + "safeName": "code_size" + }, + "screamingSnakeCase": { + "unsafeName": "CODE_SIZE", + "safeName": "CODE_SIZE" + }, + "pascalCase": { + "unsafeName": "CodeSize", + "safeName": "CodeSize" + } + }, + "wireValue": "CODE_SIZE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "LITE_RUNTIME", + "camelCase": { + "unsafeName": "liteRuntime", + "safeName": "liteRuntime" + }, + "snakeCase": { + "unsafeName": "lite_runtime", + "safeName": "lite_runtime" + }, + "screamingSnakeCase": { + "unsafeName": "LITE_RUNTIME", + "safeName": "LITE_RUNTIME" + }, + "pascalCase": { + "unsafeName": "LiteRuntime", + "safeName": "LiteRuntime" + } + }, + "wireValue": "LITE_RUNTIME" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FileOptions": { + "name": { + "typeId": "google.protobuf.FileOptions", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FileOptions", + "camelCase": { + "unsafeName": "googleProtobufFileOptions", + "safeName": "googleProtobufFileOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_file_options", + "safeName": "google_protobuf_file_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FILE_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_FILE_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFileOptions", + "safeName": "GoogleProtobufFileOptions" + } + }, + "displayName": "FileOptions" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "java_package", + "camelCase": { + "unsafeName": "javaPackage", + "safeName": "javaPackage" + }, + "snakeCase": { + "unsafeName": "java_package", + "safeName": "java_package" + }, + "screamingSnakeCase": { + "unsafeName": "JAVA_PACKAGE", + "safeName": "JAVA_PACKAGE" + }, + "pascalCase": { + "unsafeName": "JavaPackage", + "safeName": "JavaPackage" + } + }, + "wireValue": "java_package" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "java_outer_classname", + "camelCase": { + "unsafeName": "javaOuterClassname", + "safeName": "javaOuterClassname" + }, + "snakeCase": { + "unsafeName": "java_outer_classname", + "safeName": "java_outer_classname" + }, + "screamingSnakeCase": { + "unsafeName": "JAVA_OUTER_CLASSNAME", + "safeName": "JAVA_OUTER_CLASSNAME" + }, + "pascalCase": { + "unsafeName": "JavaOuterClassname", + "safeName": "JavaOuterClassname" + } + }, + "wireValue": "java_outer_classname" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "java_multiple_files", + "camelCase": { + "unsafeName": "javaMultipleFiles", + "safeName": "javaMultipleFiles" + }, + "snakeCase": { + "unsafeName": "java_multiple_files", + "safeName": "java_multiple_files" + }, + "screamingSnakeCase": { + "unsafeName": "JAVA_MULTIPLE_FILES", + "safeName": "JAVA_MULTIPLE_FILES" + }, + "pascalCase": { + "unsafeName": "JavaMultipleFiles", + "safeName": "JavaMultipleFiles" + } + }, + "wireValue": "java_multiple_files" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "java_generate_equals_and_hash", + "camelCase": { + "unsafeName": "javaGenerateEqualsAndHash", + "safeName": "javaGenerateEqualsAndHash" + }, + "snakeCase": { + "unsafeName": "java_generate_equals_and_hash", + "safeName": "java_generate_equals_and_hash" + }, + "screamingSnakeCase": { + "unsafeName": "JAVA_GENERATE_EQUALS_AND_HASH", + "safeName": "JAVA_GENERATE_EQUALS_AND_HASH" + }, + "pascalCase": { + "unsafeName": "JavaGenerateEqualsAndHash", + "safeName": "JavaGenerateEqualsAndHash" + } + }, + "wireValue": "java_generate_equals_and_hash" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": { + "status": "DEPRECATED", + "message": "DEPRECATED" + }, + "docs": null + }, + { + "name": { + "name": { + "originalName": "java_string_check_utf8", + "camelCase": { + "unsafeName": "javaStringCheckUtf8", + "safeName": "javaStringCheckUtf8" + }, + "snakeCase": { + "unsafeName": "java_string_check_utf_8", + "safeName": "java_string_check_utf_8" + }, + "screamingSnakeCase": { + "unsafeName": "JAVA_STRING_CHECK_UTF_8", + "safeName": "JAVA_STRING_CHECK_UTF_8" + }, + "pascalCase": { + "unsafeName": "JavaStringCheckUtf8", + "safeName": "JavaStringCheckUtf8" + } + }, + "wireValue": "java_string_check_utf8" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "optimize_for", + "camelCase": { + "unsafeName": "optimizeFor", + "safeName": "optimizeFor" + }, + "snakeCase": { + "unsafeName": "optimize_for", + "safeName": "optimize_for" + }, + "screamingSnakeCase": { + "unsafeName": "OPTIMIZE_FOR", + "safeName": "OPTIMIZE_FOR" + }, + "pascalCase": { + "unsafeName": "OptimizeFor", + "safeName": "OptimizeFor" + } + }, + "wireValue": "optimize_for" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FileOptions.OptimizeMode", + "camelCase": { + "unsafeName": "googleProtobufFileOptionsOptimizeMode", + "safeName": "googleProtobufFileOptionsOptimizeMode" + }, + "snakeCase": { + "unsafeName": "google_protobuf_file_options_optimize_mode", + "safeName": "google_protobuf_file_options_optimize_mode" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FILE_OPTIONS_OPTIMIZE_MODE", + "safeName": "GOOGLE_PROTOBUF_FILE_OPTIONS_OPTIMIZE_MODE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFileOptionsOptimizeMode", + "safeName": "GoogleProtobufFileOptionsOptimizeMode" + } + }, + "typeId": "google.protobuf.FileOptions.OptimizeMode", + "default": null, + "inline": false, + "displayName": "optimize_for" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "go_package", + "camelCase": { + "unsafeName": "goPackage", + "safeName": "goPackage" + }, + "snakeCase": { + "unsafeName": "go_package", + "safeName": "go_package" + }, + "screamingSnakeCase": { + "unsafeName": "GO_PACKAGE", + "safeName": "GO_PACKAGE" + }, + "pascalCase": { + "unsafeName": "GoPackage", + "safeName": "GoPackage" + } + }, + "wireValue": "go_package" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "cc_generic_services", + "camelCase": { + "unsafeName": "ccGenericServices", + "safeName": "ccGenericServices" + }, + "snakeCase": { + "unsafeName": "cc_generic_services", + "safeName": "cc_generic_services" + }, + "screamingSnakeCase": { + "unsafeName": "CC_GENERIC_SERVICES", + "safeName": "CC_GENERIC_SERVICES" + }, + "pascalCase": { + "unsafeName": "CcGenericServices", + "safeName": "CcGenericServices" + } + }, + "wireValue": "cc_generic_services" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "java_generic_services", + "camelCase": { + "unsafeName": "javaGenericServices", + "safeName": "javaGenericServices" + }, + "snakeCase": { + "unsafeName": "java_generic_services", + "safeName": "java_generic_services" + }, + "screamingSnakeCase": { + "unsafeName": "JAVA_GENERIC_SERVICES", + "safeName": "JAVA_GENERIC_SERVICES" + }, + "pascalCase": { + "unsafeName": "JavaGenericServices", + "safeName": "JavaGenericServices" + } + }, + "wireValue": "java_generic_services" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "py_generic_services", + "camelCase": { + "unsafeName": "pyGenericServices", + "safeName": "pyGenericServices" + }, + "snakeCase": { + "unsafeName": "py_generic_services", + "safeName": "py_generic_services" + }, + "screamingSnakeCase": { + "unsafeName": "PY_GENERIC_SERVICES", + "safeName": "PY_GENERIC_SERVICES" + }, + "pascalCase": { + "unsafeName": "PyGenericServices", + "safeName": "PyGenericServices" + } + }, + "wireValue": "py_generic_services" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "deprecated", + "camelCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "snakeCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "screamingSnakeCase": { + "unsafeName": "DEPRECATED", + "safeName": "DEPRECATED" + }, + "pascalCase": { + "unsafeName": "Deprecated", + "safeName": "Deprecated" + } + }, + "wireValue": "deprecated" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "cc_enable_arenas", + "camelCase": { + "unsafeName": "ccEnableArenas", + "safeName": "ccEnableArenas" + }, + "snakeCase": { + "unsafeName": "cc_enable_arenas", + "safeName": "cc_enable_arenas" + }, + "screamingSnakeCase": { + "unsafeName": "CC_ENABLE_ARENAS", + "safeName": "CC_ENABLE_ARENAS" + }, + "pascalCase": { + "unsafeName": "CcEnableArenas", + "safeName": "CcEnableArenas" + } + }, + "wireValue": "cc_enable_arenas" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "objc_class_prefix", + "camelCase": { + "unsafeName": "objcClassPrefix", + "safeName": "objcClassPrefix" + }, + "snakeCase": { + "unsafeName": "objc_class_prefix", + "safeName": "objc_class_prefix" + }, + "screamingSnakeCase": { + "unsafeName": "OBJC_CLASS_PREFIX", + "safeName": "OBJC_CLASS_PREFIX" + }, + "pascalCase": { + "unsafeName": "ObjcClassPrefix", + "safeName": "ObjcClassPrefix" + } + }, + "wireValue": "objc_class_prefix" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "csharp_namespace", + "camelCase": { + "unsafeName": "csharpNamespace", + "safeName": "csharpNamespace" + }, + "snakeCase": { + "unsafeName": "csharp_namespace", + "safeName": "csharp_namespace" + }, + "screamingSnakeCase": { + "unsafeName": "CSHARP_NAMESPACE", + "safeName": "CSHARP_NAMESPACE" + }, + "pascalCase": { + "unsafeName": "CsharpNamespace", + "safeName": "CsharpNamespace" + } + }, + "wireValue": "csharp_namespace" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "swift_prefix", + "camelCase": { + "unsafeName": "swiftPrefix", + "safeName": "swiftPrefix" + }, + "snakeCase": { + "unsafeName": "swift_prefix", + "safeName": "swift_prefix" + }, + "screamingSnakeCase": { + "unsafeName": "SWIFT_PREFIX", + "safeName": "SWIFT_PREFIX" + }, + "pascalCase": { + "unsafeName": "SwiftPrefix", + "safeName": "SwiftPrefix" + } + }, + "wireValue": "swift_prefix" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "php_class_prefix", + "camelCase": { + "unsafeName": "phpClassPrefix", + "safeName": "phpClassPrefix" + }, + "snakeCase": { + "unsafeName": "php_class_prefix", + "safeName": "php_class_prefix" + }, + "screamingSnakeCase": { + "unsafeName": "PHP_CLASS_PREFIX", + "safeName": "PHP_CLASS_PREFIX" + }, + "pascalCase": { + "unsafeName": "PhpClassPrefix", + "safeName": "PhpClassPrefix" + } + }, + "wireValue": "php_class_prefix" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "php_namespace", + "camelCase": { + "unsafeName": "phpNamespace", + "safeName": "phpNamespace" + }, + "snakeCase": { + "unsafeName": "php_namespace", + "safeName": "php_namespace" + }, + "screamingSnakeCase": { + "unsafeName": "PHP_NAMESPACE", + "safeName": "PHP_NAMESPACE" + }, + "pascalCase": { + "unsafeName": "PhpNamespace", + "safeName": "PhpNamespace" + } + }, + "wireValue": "php_namespace" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "php_metadata_namespace", + "camelCase": { + "unsafeName": "phpMetadataNamespace", + "safeName": "phpMetadataNamespace" + }, + "snakeCase": { + "unsafeName": "php_metadata_namespace", + "safeName": "php_metadata_namespace" + }, + "screamingSnakeCase": { + "unsafeName": "PHP_METADATA_NAMESPACE", + "safeName": "PHP_METADATA_NAMESPACE" + }, + "pascalCase": { + "unsafeName": "PhpMetadataNamespace", + "safeName": "PhpMetadataNamespace" + } + }, + "wireValue": "php_metadata_namespace" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ruby_package", + "camelCase": { + "unsafeName": "rubyPackage", + "safeName": "rubyPackage" + }, + "snakeCase": { + "unsafeName": "ruby_package", + "safeName": "ruby_package" + }, + "screamingSnakeCase": { + "unsafeName": "RUBY_PACKAGE", + "safeName": "RUBY_PACKAGE" + }, + "pascalCase": { + "unsafeName": "RubyPackage", + "safeName": "RubyPackage" + } + }, + "wireValue": "ruby_package" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "features", + "camelCase": { + "unsafeName": "features", + "safeName": "features" + }, + "snakeCase": { + "unsafeName": "features", + "safeName": "features" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURES", + "safeName": "FEATURES" + }, + "pascalCase": { + "unsafeName": "Features", + "safeName": "Features" + } + }, + "wireValue": "features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "uninterpreted_option", + "camelCase": { + "unsafeName": "uninterpretedOption", + "safeName": "uninterpretedOption" + }, + "snakeCase": { + "unsafeName": "uninterpreted_option", + "safeName": "uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "UNINTERPRETED_OPTION", + "safeName": "UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "UninterpretedOption", + "safeName": "UninterpretedOption" + } + }, + "wireValue": "uninterpreted_option" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOption", + "safeName": "googleProtobufUninterpretedOption" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option", + "safeName": "google_protobuf_uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOption", + "safeName": "GoogleProtobufUninterpretedOption" + } + }, + "typeId": "google.protobuf.UninterpretedOption", + "default": null, + "inline": false, + "displayName": "uninterpreted_option" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.MessageOptions": { + "name": { + "typeId": "google.protobuf.MessageOptions", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.MessageOptions", + "camelCase": { + "unsafeName": "googleProtobufMessageOptions", + "safeName": "googleProtobufMessageOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_message_options", + "safeName": "google_protobuf_message_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_MESSAGE_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_MESSAGE_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufMessageOptions", + "safeName": "GoogleProtobufMessageOptions" + } + }, + "displayName": "MessageOptions" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "message_set_wire_format", + "camelCase": { + "unsafeName": "messageSetWireFormat", + "safeName": "messageSetWireFormat" + }, + "snakeCase": { + "unsafeName": "message_set_wire_format", + "safeName": "message_set_wire_format" + }, + "screamingSnakeCase": { + "unsafeName": "MESSAGE_SET_WIRE_FORMAT", + "safeName": "MESSAGE_SET_WIRE_FORMAT" + }, + "pascalCase": { + "unsafeName": "MessageSetWireFormat", + "safeName": "MessageSetWireFormat" + } + }, + "wireValue": "message_set_wire_format" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "no_standard_descriptor_accessor", + "camelCase": { + "unsafeName": "noStandardDescriptorAccessor", + "safeName": "noStandardDescriptorAccessor" + }, + "snakeCase": { + "unsafeName": "no_standard_descriptor_accessor", + "safeName": "no_standard_descriptor_accessor" + }, + "screamingSnakeCase": { + "unsafeName": "NO_STANDARD_DESCRIPTOR_ACCESSOR", + "safeName": "NO_STANDARD_DESCRIPTOR_ACCESSOR" + }, + "pascalCase": { + "unsafeName": "NoStandardDescriptorAccessor", + "safeName": "NoStandardDescriptorAccessor" + } + }, + "wireValue": "no_standard_descriptor_accessor" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "deprecated", + "camelCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "snakeCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "screamingSnakeCase": { + "unsafeName": "DEPRECATED", + "safeName": "DEPRECATED" + }, + "pascalCase": { + "unsafeName": "Deprecated", + "safeName": "Deprecated" + } + }, + "wireValue": "deprecated" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "map_entry", + "camelCase": { + "unsafeName": "mapEntry", + "safeName": "mapEntry" + }, + "snakeCase": { + "unsafeName": "map_entry", + "safeName": "map_entry" + }, + "screamingSnakeCase": { + "unsafeName": "MAP_ENTRY", + "safeName": "MAP_ENTRY" + }, + "pascalCase": { + "unsafeName": "MapEntry", + "safeName": "MapEntry" + } + }, + "wireValue": "map_entry" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "deprecated_legacy_json_field_conflicts", + "camelCase": { + "unsafeName": "deprecatedLegacyJsonFieldConflicts", + "safeName": "deprecatedLegacyJsonFieldConflicts" + }, + "snakeCase": { + "unsafeName": "deprecated_legacy_json_field_conflicts", + "safeName": "deprecated_legacy_json_field_conflicts" + }, + "screamingSnakeCase": { + "unsafeName": "DEPRECATED_LEGACY_JSON_FIELD_CONFLICTS", + "safeName": "DEPRECATED_LEGACY_JSON_FIELD_CONFLICTS" + }, + "pascalCase": { + "unsafeName": "DeprecatedLegacyJsonFieldConflicts", + "safeName": "DeprecatedLegacyJsonFieldConflicts" + } + }, + "wireValue": "deprecated_legacy_json_field_conflicts" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": { + "status": "DEPRECATED", + "message": "DEPRECATED" + }, + "docs": null + }, + { + "name": { + "name": { + "originalName": "features", + "camelCase": { + "unsafeName": "features", + "safeName": "features" + }, + "snakeCase": { + "unsafeName": "features", + "safeName": "features" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURES", + "safeName": "FEATURES" + }, + "pascalCase": { + "unsafeName": "Features", + "safeName": "Features" + } + }, + "wireValue": "features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "uninterpreted_option", + "camelCase": { + "unsafeName": "uninterpretedOption", + "safeName": "uninterpretedOption" + }, + "snakeCase": { + "unsafeName": "uninterpreted_option", + "safeName": "uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "UNINTERPRETED_OPTION", + "safeName": "UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "UninterpretedOption", + "safeName": "UninterpretedOption" + } + }, + "wireValue": "uninterpreted_option" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOption", + "safeName": "googleProtobufUninterpretedOption" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option", + "safeName": "google_protobuf_uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOption", + "safeName": "GoogleProtobufUninterpretedOption" + } + }, + "typeId": "google.protobuf.UninterpretedOption", + "default": null, + "inline": false, + "displayName": "uninterpreted_option" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.FieldOptions.EditionDefault": { + "name": { + "typeId": "FieldOptions.EditionDefault", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EditionDefault", + "camelCase": { + "unsafeName": "googleProtobufEditionDefault", + "safeName": "googleProtobufEditionDefault" + }, + "snakeCase": { + "unsafeName": "google_protobuf_edition_default", + "safeName": "google_protobuf_edition_default" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EDITION_DEFAULT", + "safeName": "GOOGLE_PROTOBUF_EDITION_DEFAULT" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEditionDefault", + "safeName": "GoogleProtobufEditionDefault" + } + }, + "displayName": "EditionDefault" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "edition", + "camelCase": { + "unsafeName": "edition", + "safeName": "edition" + }, + "snakeCase": { + "unsafeName": "edition", + "safeName": "edition" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION", + "safeName": "EDITION" + }, + "pascalCase": { + "unsafeName": "Edition", + "safeName": "Edition" + } + }, + "wireValue": "edition" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Edition", + "camelCase": { + "unsafeName": "googleProtobufEdition", + "safeName": "googleProtobufEdition" + }, + "snakeCase": { + "unsafeName": "google_protobuf_edition", + "safeName": "google_protobuf_edition" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EDITION", + "safeName": "GOOGLE_PROTOBUF_EDITION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEdition", + "safeName": "GoogleProtobufEdition" + } + }, + "typeId": "google.protobuf.Edition", + "default": null, + "inline": false, + "displayName": "edition" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.FieldOptions.FeatureSupport": { + "name": { + "typeId": "FieldOptions.FeatureSupport", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSupport", + "camelCase": { + "unsafeName": "googleProtobufFeatureSupport", + "safeName": "googleProtobufFeatureSupport" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_support", + "safeName": "google_protobuf_feature_support" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SUPPORT", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SUPPORT" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSupport", + "safeName": "GoogleProtobufFeatureSupport" + } + }, + "displayName": "FeatureSupport" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "edition_introduced", + "camelCase": { + "unsafeName": "editionIntroduced", + "safeName": "editionIntroduced" + }, + "snakeCase": { + "unsafeName": "edition_introduced", + "safeName": "edition_introduced" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_INTRODUCED", + "safeName": "EDITION_INTRODUCED" + }, + "pascalCase": { + "unsafeName": "EditionIntroduced", + "safeName": "EditionIntroduced" + } + }, + "wireValue": "edition_introduced" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Edition", + "camelCase": { + "unsafeName": "googleProtobufEdition", + "safeName": "googleProtobufEdition" + }, + "snakeCase": { + "unsafeName": "google_protobuf_edition", + "safeName": "google_protobuf_edition" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EDITION", + "safeName": "GOOGLE_PROTOBUF_EDITION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEdition", + "safeName": "GoogleProtobufEdition" + } + }, + "typeId": "google.protobuf.Edition", + "default": null, + "inline": false, + "displayName": "edition_introduced" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "edition_deprecated", + "camelCase": { + "unsafeName": "editionDeprecated", + "safeName": "editionDeprecated" + }, + "snakeCase": { + "unsafeName": "edition_deprecated", + "safeName": "edition_deprecated" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_DEPRECATED", + "safeName": "EDITION_DEPRECATED" + }, + "pascalCase": { + "unsafeName": "EditionDeprecated", + "safeName": "EditionDeprecated" + } + }, + "wireValue": "edition_deprecated" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Edition", + "camelCase": { + "unsafeName": "googleProtobufEdition", + "safeName": "googleProtobufEdition" + }, + "snakeCase": { + "unsafeName": "google_protobuf_edition", + "safeName": "google_protobuf_edition" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EDITION", + "safeName": "GOOGLE_PROTOBUF_EDITION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEdition", + "safeName": "GoogleProtobufEdition" + } + }, + "typeId": "google.protobuf.Edition", + "default": null, + "inline": false, + "displayName": "edition_deprecated" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "deprecation_warning", + "camelCase": { + "unsafeName": "deprecationWarning", + "safeName": "deprecationWarning" + }, + "snakeCase": { + "unsafeName": "deprecation_warning", + "safeName": "deprecation_warning" + }, + "screamingSnakeCase": { + "unsafeName": "DEPRECATION_WARNING", + "safeName": "DEPRECATION_WARNING" + }, + "pascalCase": { + "unsafeName": "DeprecationWarning", + "safeName": "DeprecationWarning" + } + }, + "wireValue": "deprecation_warning" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "edition_removed", + "camelCase": { + "unsafeName": "editionRemoved", + "safeName": "editionRemoved" + }, + "snakeCase": { + "unsafeName": "edition_removed", + "safeName": "edition_removed" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_REMOVED", + "safeName": "EDITION_REMOVED" + }, + "pascalCase": { + "unsafeName": "EditionRemoved", + "safeName": "EditionRemoved" + } + }, + "wireValue": "edition_removed" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Edition", + "camelCase": { + "unsafeName": "googleProtobufEdition", + "safeName": "googleProtobufEdition" + }, + "snakeCase": { + "unsafeName": "google_protobuf_edition", + "safeName": "google_protobuf_edition" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EDITION", + "safeName": "GOOGLE_PROTOBUF_EDITION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEdition", + "safeName": "GoogleProtobufEdition" + } + }, + "typeId": "google.protobuf.Edition", + "default": null, + "inline": false, + "displayName": "edition_removed" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.FieldOptions.CType": { + "name": { + "typeId": "FieldOptions.CType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.CType", + "camelCase": { + "unsafeName": "googleProtobufCType", + "safeName": "googleProtobufCType" + }, + "snakeCase": { + "unsafeName": "google_protobuf_c_type", + "safeName": "google_protobuf_c_type" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_C_TYPE", + "safeName": "GOOGLE_PROTOBUF_C_TYPE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufCType", + "safeName": "GoogleProtobufCType" + } + }, + "displayName": "CType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "STRING", + "camelCase": { + "unsafeName": "string", + "safeName": "string" + }, + "snakeCase": { + "unsafeName": "string", + "safeName": "string" + }, + "screamingSnakeCase": { + "unsafeName": "STRING", + "safeName": "STRING" + }, + "pascalCase": { + "unsafeName": "String", + "safeName": "String" + } + }, + "wireValue": "STRING" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CORD", + "camelCase": { + "unsafeName": "cord", + "safeName": "cord" + }, + "snakeCase": { + "unsafeName": "cord", + "safeName": "cord" + }, + "screamingSnakeCase": { + "unsafeName": "CORD", + "safeName": "CORD" + }, + "pascalCase": { + "unsafeName": "Cord", + "safeName": "Cord" + } + }, + "wireValue": "CORD" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "STRING_PIECE", + "camelCase": { + "unsafeName": "stringPiece", + "safeName": "stringPiece" + }, + "snakeCase": { + "unsafeName": "string_piece", + "safeName": "string_piece" + }, + "screamingSnakeCase": { + "unsafeName": "STRING_PIECE", + "safeName": "STRING_PIECE" + }, + "pascalCase": { + "unsafeName": "StringPiece", + "safeName": "StringPiece" + } + }, + "wireValue": "STRING_PIECE" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FieldOptions.JSType": { + "name": { + "typeId": "FieldOptions.JSType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.JSType", + "camelCase": { + "unsafeName": "googleProtobufJsType", + "safeName": "googleProtobufJsType" + }, + "snakeCase": { + "unsafeName": "google_protobuf_js_type", + "safeName": "google_protobuf_js_type" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_JS_TYPE", + "safeName": "GOOGLE_PROTOBUF_JS_TYPE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufJsType", + "safeName": "GoogleProtobufJsType" + } + }, + "displayName": "JSType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "JS_NORMAL", + "camelCase": { + "unsafeName": "jsNormal", + "safeName": "jsNormal" + }, + "snakeCase": { + "unsafeName": "js_normal", + "safeName": "js_normal" + }, + "screamingSnakeCase": { + "unsafeName": "JS_NORMAL", + "safeName": "JS_NORMAL" + }, + "pascalCase": { + "unsafeName": "JsNormal", + "safeName": "JsNormal" + } + }, + "wireValue": "JS_NORMAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "JS_STRING", + "camelCase": { + "unsafeName": "jsString", + "safeName": "jsString" + }, + "snakeCase": { + "unsafeName": "js_string", + "safeName": "js_string" + }, + "screamingSnakeCase": { + "unsafeName": "JS_STRING", + "safeName": "JS_STRING" + }, + "pascalCase": { + "unsafeName": "JsString", + "safeName": "JsString" + } + }, + "wireValue": "JS_STRING" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "JS_NUMBER", + "camelCase": { + "unsafeName": "jsNumber", + "safeName": "jsNumber" + }, + "snakeCase": { + "unsafeName": "js_number", + "safeName": "js_number" + }, + "screamingSnakeCase": { + "unsafeName": "JS_NUMBER", + "safeName": "JS_NUMBER" + }, + "pascalCase": { + "unsafeName": "JsNumber", + "safeName": "JsNumber" + } + }, + "wireValue": "JS_NUMBER" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FieldOptions.OptionRetention": { + "name": { + "typeId": "FieldOptions.OptionRetention", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.OptionRetention", + "camelCase": { + "unsafeName": "googleProtobufOptionRetention", + "safeName": "googleProtobufOptionRetention" + }, + "snakeCase": { + "unsafeName": "google_protobuf_option_retention", + "safeName": "google_protobuf_option_retention" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_OPTION_RETENTION", + "safeName": "GOOGLE_PROTOBUF_OPTION_RETENTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufOptionRetention", + "safeName": "GoogleProtobufOptionRetention" + } + }, + "displayName": "OptionRetention" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "RETENTION_UNKNOWN", + "camelCase": { + "unsafeName": "retentionUnknown", + "safeName": "retentionUnknown" + }, + "snakeCase": { + "unsafeName": "retention_unknown", + "safeName": "retention_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "RETENTION_UNKNOWN", + "safeName": "RETENTION_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "RetentionUnknown", + "safeName": "RetentionUnknown" + } + }, + "wireValue": "RETENTION_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "RETENTION_RUNTIME", + "camelCase": { + "unsafeName": "retentionRuntime", + "safeName": "retentionRuntime" + }, + "snakeCase": { + "unsafeName": "retention_runtime", + "safeName": "retention_runtime" + }, + "screamingSnakeCase": { + "unsafeName": "RETENTION_RUNTIME", + "safeName": "RETENTION_RUNTIME" + }, + "pascalCase": { + "unsafeName": "RetentionRuntime", + "safeName": "RetentionRuntime" + } + }, + "wireValue": "RETENTION_RUNTIME" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "RETENTION_SOURCE", + "camelCase": { + "unsafeName": "retentionSource", + "safeName": "retentionSource" + }, + "snakeCase": { + "unsafeName": "retention_source", + "safeName": "retention_source" + }, + "screamingSnakeCase": { + "unsafeName": "RETENTION_SOURCE", + "safeName": "RETENTION_SOURCE" + }, + "pascalCase": { + "unsafeName": "RetentionSource", + "safeName": "RetentionSource" + } + }, + "wireValue": "RETENTION_SOURCE" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FieldOptions.OptionTargetType": { + "name": { + "typeId": "FieldOptions.OptionTargetType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.OptionTargetType", + "camelCase": { + "unsafeName": "googleProtobufOptionTargetType", + "safeName": "googleProtobufOptionTargetType" + }, + "snakeCase": { + "unsafeName": "google_protobuf_option_target_type", + "safeName": "google_protobuf_option_target_type" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_OPTION_TARGET_TYPE", + "safeName": "GOOGLE_PROTOBUF_OPTION_TARGET_TYPE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufOptionTargetType", + "safeName": "GoogleProtobufOptionTargetType" + } + }, + "displayName": "OptionTargetType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "TARGET_TYPE_UNKNOWN", + "camelCase": { + "unsafeName": "targetTypeUnknown", + "safeName": "targetTypeUnknown" + }, + "snakeCase": { + "unsafeName": "target_type_unknown", + "safeName": "target_type_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_TYPE_UNKNOWN", + "safeName": "TARGET_TYPE_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "TargetTypeUnknown", + "safeName": "TargetTypeUnknown" + } + }, + "wireValue": "TARGET_TYPE_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TARGET_TYPE_FILE", + "camelCase": { + "unsafeName": "targetTypeFile", + "safeName": "targetTypeFile" + }, + "snakeCase": { + "unsafeName": "target_type_file", + "safeName": "target_type_file" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_TYPE_FILE", + "safeName": "TARGET_TYPE_FILE" + }, + "pascalCase": { + "unsafeName": "TargetTypeFile", + "safeName": "TargetTypeFile" + } + }, + "wireValue": "TARGET_TYPE_FILE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TARGET_TYPE_EXTENSION_RANGE", + "camelCase": { + "unsafeName": "targetTypeExtensionRange", + "safeName": "targetTypeExtensionRange" + }, + "snakeCase": { + "unsafeName": "target_type_extension_range", + "safeName": "target_type_extension_range" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_TYPE_EXTENSION_RANGE", + "safeName": "TARGET_TYPE_EXTENSION_RANGE" + }, + "pascalCase": { + "unsafeName": "TargetTypeExtensionRange", + "safeName": "TargetTypeExtensionRange" + } + }, + "wireValue": "TARGET_TYPE_EXTENSION_RANGE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TARGET_TYPE_MESSAGE", + "camelCase": { + "unsafeName": "targetTypeMessage", + "safeName": "targetTypeMessage" + }, + "snakeCase": { + "unsafeName": "target_type_message", + "safeName": "target_type_message" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_TYPE_MESSAGE", + "safeName": "TARGET_TYPE_MESSAGE" + }, + "pascalCase": { + "unsafeName": "TargetTypeMessage", + "safeName": "TargetTypeMessage" + } + }, + "wireValue": "TARGET_TYPE_MESSAGE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TARGET_TYPE_FIELD", + "camelCase": { + "unsafeName": "targetTypeField", + "safeName": "targetTypeField" + }, + "snakeCase": { + "unsafeName": "target_type_field", + "safeName": "target_type_field" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_TYPE_FIELD", + "safeName": "TARGET_TYPE_FIELD" + }, + "pascalCase": { + "unsafeName": "TargetTypeField", + "safeName": "TargetTypeField" + } + }, + "wireValue": "TARGET_TYPE_FIELD" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TARGET_TYPE_ONEOF", + "camelCase": { + "unsafeName": "targetTypeOneof", + "safeName": "targetTypeOneof" + }, + "snakeCase": { + "unsafeName": "target_type_oneof", + "safeName": "target_type_oneof" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_TYPE_ONEOF", + "safeName": "TARGET_TYPE_ONEOF" + }, + "pascalCase": { + "unsafeName": "TargetTypeOneof", + "safeName": "TargetTypeOneof" + } + }, + "wireValue": "TARGET_TYPE_ONEOF" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TARGET_TYPE_ENUM", + "camelCase": { + "unsafeName": "targetTypeEnum", + "safeName": "targetTypeEnum" + }, + "snakeCase": { + "unsafeName": "target_type_enum", + "safeName": "target_type_enum" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_TYPE_ENUM", + "safeName": "TARGET_TYPE_ENUM" + }, + "pascalCase": { + "unsafeName": "TargetTypeEnum", + "safeName": "TargetTypeEnum" + } + }, + "wireValue": "TARGET_TYPE_ENUM" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TARGET_TYPE_ENUM_ENTRY", + "camelCase": { + "unsafeName": "targetTypeEnumEntry", + "safeName": "targetTypeEnumEntry" + }, + "snakeCase": { + "unsafeName": "target_type_enum_entry", + "safeName": "target_type_enum_entry" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_TYPE_ENUM_ENTRY", + "safeName": "TARGET_TYPE_ENUM_ENTRY" + }, + "pascalCase": { + "unsafeName": "TargetTypeEnumEntry", + "safeName": "TargetTypeEnumEntry" + } + }, + "wireValue": "TARGET_TYPE_ENUM_ENTRY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TARGET_TYPE_SERVICE", + "camelCase": { + "unsafeName": "targetTypeService", + "safeName": "targetTypeService" + }, + "snakeCase": { + "unsafeName": "target_type_service", + "safeName": "target_type_service" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_TYPE_SERVICE", + "safeName": "TARGET_TYPE_SERVICE" + }, + "pascalCase": { + "unsafeName": "TargetTypeService", + "safeName": "TargetTypeService" + } + }, + "wireValue": "TARGET_TYPE_SERVICE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TARGET_TYPE_METHOD", + "camelCase": { + "unsafeName": "targetTypeMethod", + "safeName": "targetTypeMethod" + }, + "snakeCase": { + "unsafeName": "target_type_method", + "safeName": "target_type_method" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_TYPE_METHOD", + "safeName": "TARGET_TYPE_METHOD" + }, + "pascalCase": { + "unsafeName": "TargetTypeMethod", + "safeName": "TargetTypeMethod" + } + }, + "wireValue": "TARGET_TYPE_METHOD" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FieldOptions": { + "name": { + "typeId": "google.protobuf.FieldOptions", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldOptions", + "camelCase": { + "unsafeName": "googleProtobufFieldOptions", + "safeName": "googleProtobufFieldOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_options", + "safeName": "google_protobuf_field_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldOptions", + "safeName": "GoogleProtobufFieldOptions" + } + }, + "displayName": "FieldOptions" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "ctype", + "camelCase": { + "unsafeName": "ctype", + "safeName": "ctype" + }, + "snakeCase": { + "unsafeName": "ctype", + "safeName": "ctype" + }, + "screamingSnakeCase": { + "unsafeName": "CTYPE", + "safeName": "CTYPE" + }, + "pascalCase": { + "unsafeName": "Ctype", + "safeName": "Ctype" + } + }, + "wireValue": "ctype" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldOptions.CType", + "camelCase": { + "unsafeName": "googleProtobufFieldOptionsCType", + "safeName": "googleProtobufFieldOptionsCType" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_options_c_type", + "safeName": "google_protobuf_field_options_c_type" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_C_TYPE", + "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_C_TYPE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldOptionsCType", + "safeName": "GoogleProtobufFieldOptionsCType" + } + }, + "typeId": "google.protobuf.FieldOptions.CType", + "default": null, + "inline": false, + "displayName": "ctype" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "packed", + "camelCase": { + "unsafeName": "packed", + "safeName": "packed" + }, + "snakeCase": { + "unsafeName": "packed", + "safeName": "packed" + }, + "screamingSnakeCase": { + "unsafeName": "PACKED", + "safeName": "PACKED" + }, + "pascalCase": { + "unsafeName": "Packed", + "safeName": "Packed" + } + }, + "wireValue": "packed" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "jstype", + "camelCase": { + "unsafeName": "jstype", + "safeName": "jstype" + }, + "snakeCase": { + "unsafeName": "jstype", + "safeName": "jstype" + }, + "screamingSnakeCase": { + "unsafeName": "JSTYPE", + "safeName": "JSTYPE" + }, + "pascalCase": { + "unsafeName": "Jstype", + "safeName": "Jstype" + } + }, + "wireValue": "jstype" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldOptions.JSType", + "camelCase": { + "unsafeName": "googleProtobufFieldOptionsJsType", + "safeName": "googleProtobufFieldOptionsJsType" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_options_js_type", + "safeName": "google_protobuf_field_options_js_type" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_JS_TYPE", + "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_JS_TYPE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldOptionsJsType", + "safeName": "GoogleProtobufFieldOptionsJsType" + } + }, + "typeId": "google.protobuf.FieldOptions.JSType", + "default": null, + "inline": false, + "displayName": "jstype" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "lazy", + "camelCase": { + "unsafeName": "lazy", + "safeName": "lazy" + }, + "snakeCase": { + "unsafeName": "lazy", + "safeName": "lazy" + }, + "screamingSnakeCase": { + "unsafeName": "LAZY", + "safeName": "LAZY" + }, + "pascalCase": { + "unsafeName": "Lazy", + "safeName": "Lazy" + } + }, + "wireValue": "lazy" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "unverified_lazy", + "camelCase": { + "unsafeName": "unverifiedLazy", + "safeName": "unverifiedLazy" + }, + "snakeCase": { + "unsafeName": "unverified_lazy", + "safeName": "unverified_lazy" + }, + "screamingSnakeCase": { + "unsafeName": "UNVERIFIED_LAZY", + "safeName": "UNVERIFIED_LAZY" + }, + "pascalCase": { + "unsafeName": "UnverifiedLazy", + "safeName": "UnverifiedLazy" + } + }, + "wireValue": "unverified_lazy" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "deprecated", + "camelCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "snakeCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "screamingSnakeCase": { + "unsafeName": "DEPRECATED", + "safeName": "DEPRECATED" + }, + "pascalCase": { + "unsafeName": "Deprecated", + "safeName": "Deprecated" + } + }, + "wireValue": "deprecated" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "weak", + "camelCase": { + "unsafeName": "weak", + "safeName": "weak" + }, + "snakeCase": { + "unsafeName": "weak", + "safeName": "weak" + }, + "screamingSnakeCase": { + "unsafeName": "WEAK", + "safeName": "WEAK" + }, + "pascalCase": { + "unsafeName": "Weak", + "safeName": "Weak" + } + }, + "wireValue": "weak" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "debug_redact", + "camelCase": { + "unsafeName": "debugRedact", + "safeName": "debugRedact" + }, + "snakeCase": { + "unsafeName": "debug_redact", + "safeName": "debug_redact" + }, + "screamingSnakeCase": { + "unsafeName": "DEBUG_REDACT", + "safeName": "DEBUG_REDACT" + }, + "pascalCase": { + "unsafeName": "DebugRedact", + "safeName": "DebugRedact" + } + }, + "wireValue": "debug_redact" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "retention", + "camelCase": { + "unsafeName": "retention", + "safeName": "retention" + }, + "snakeCase": { + "unsafeName": "retention", + "safeName": "retention" + }, + "screamingSnakeCase": { + "unsafeName": "RETENTION", + "safeName": "RETENTION" + }, + "pascalCase": { + "unsafeName": "Retention", + "safeName": "Retention" + } + }, + "wireValue": "retention" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldOptions.OptionRetention", + "camelCase": { + "unsafeName": "googleProtobufFieldOptionsOptionRetention", + "safeName": "googleProtobufFieldOptionsOptionRetention" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_options_option_retention", + "safeName": "google_protobuf_field_options_option_retention" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_OPTION_RETENTION", + "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_OPTION_RETENTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldOptionsOptionRetention", + "safeName": "GoogleProtobufFieldOptionsOptionRetention" + } + }, + "typeId": "google.protobuf.FieldOptions.OptionRetention", + "default": null, + "inline": false, + "displayName": "retention" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "targets", + "camelCase": { + "unsafeName": "targets", + "safeName": "targets" + }, + "snakeCase": { + "unsafeName": "targets", + "safeName": "targets" + }, + "screamingSnakeCase": { + "unsafeName": "TARGETS", + "safeName": "TARGETS" + }, + "pascalCase": { + "unsafeName": "Targets", + "safeName": "Targets" + } + }, + "wireValue": "targets" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldOptions.OptionTargetType", + "camelCase": { + "unsafeName": "googleProtobufFieldOptionsOptionTargetType", + "safeName": "googleProtobufFieldOptionsOptionTargetType" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_options_option_target_type", + "safeName": "google_protobuf_field_options_option_target_type" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_OPTION_TARGET_TYPE", + "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_OPTION_TARGET_TYPE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldOptionsOptionTargetType", + "safeName": "GoogleProtobufFieldOptionsOptionTargetType" + } + }, + "typeId": "google.protobuf.FieldOptions.OptionTargetType", + "default": null, + "inline": false, + "displayName": "targets" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "edition_defaults", + "camelCase": { + "unsafeName": "editionDefaults", + "safeName": "editionDefaults" + }, + "snakeCase": { + "unsafeName": "edition_defaults", + "safeName": "edition_defaults" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION_DEFAULTS", + "safeName": "EDITION_DEFAULTS" + }, + "pascalCase": { + "unsafeName": "EditionDefaults", + "safeName": "EditionDefaults" + } + }, + "wireValue": "edition_defaults" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldOptions.EditionDefault", + "camelCase": { + "unsafeName": "googleProtobufFieldOptionsEditionDefault", + "safeName": "googleProtobufFieldOptionsEditionDefault" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_options_edition_default", + "safeName": "google_protobuf_field_options_edition_default" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_EDITION_DEFAULT", + "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_EDITION_DEFAULT" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldOptionsEditionDefault", + "safeName": "GoogleProtobufFieldOptionsEditionDefault" + } + }, + "typeId": "google.protobuf.FieldOptions.EditionDefault", + "default": null, + "inline": false, + "displayName": "edition_defaults" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "features", + "camelCase": { + "unsafeName": "features", + "safeName": "features" + }, + "snakeCase": { + "unsafeName": "features", + "safeName": "features" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURES", + "safeName": "FEATURES" + }, + "pascalCase": { + "unsafeName": "Features", + "safeName": "Features" + } + }, + "wireValue": "features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "feature_support", + "camelCase": { + "unsafeName": "featureSupport", + "safeName": "featureSupport" + }, + "snakeCase": { + "unsafeName": "feature_support", + "safeName": "feature_support" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURE_SUPPORT", + "safeName": "FEATURE_SUPPORT" + }, + "pascalCase": { + "unsafeName": "FeatureSupport", + "safeName": "FeatureSupport" + } + }, + "wireValue": "feature_support" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldOptions.FeatureSupport", + "camelCase": { + "unsafeName": "googleProtobufFieldOptionsFeatureSupport", + "safeName": "googleProtobufFieldOptionsFeatureSupport" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_options_feature_support", + "safeName": "google_protobuf_field_options_feature_support" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_FEATURE_SUPPORT", + "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_FEATURE_SUPPORT" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldOptionsFeatureSupport", + "safeName": "GoogleProtobufFieldOptionsFeatureSupport" + } + }, + "typeId": "google.protobuf.FieldOptions.FeatureSupport", + "default": null, + "inline": false, + "displayName": "feature_support" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "uninterpreted_option", + "camelCase": { + "unsafeName": "uninterpretedOption", + "safeName": "uninterpretedOption" + }, + "snakeCase": { + "unsafeName": "uninterpreted_option", + "safeName": "uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "UNINTERPRETED_OPTION", + "safeName": "UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "UninterpretedOption", + "safeName": "UninterpretedOption" + } + }, + "wireValue": "uninterpreted_option" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOption", + "safeName": "googleProtobufUninterpretedOption" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option", + "safeName": "google_protobuf_uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOption", + "safeName": "GoogleProtobufUninterpretedOption" + } + }, + "typeId": "google.protobuf.UninterpretedOption", + "default": null, + "inline": false, + "displayName": "uninterpreted_option" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.OneofOptions": { + "name": { + "typeId": "google.protobuf.OneofOptions", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.OneofOptions", + "camelCase": { + "unsafeName": "googleProtobufOneofOptions", + "safeName": "googleProtobufOneofOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_oneof_options", + "safeName": "google_protobuf_oneof_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ONEOF_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_ONEOF_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufOneofOptions", + "safeName": "GoogleProtobufOneofOptions" + } + }, + "displayName": "OneofOptions" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "features", + "camelCase": { + "unsafeName": "features", + "safeName": "features" + }, + "snakeCase": { + "unsafeName": "features", + "safeName": "features" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURES", + "safeName": "FEATURES" + }, + "pascalCase": { + "unsafeName": "Features", + "safeName": "Features" + } + }, + "wireValue": "features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "uninterpreted_option", + "camelCase": { + "unsafeName": "uninterpretedOption", + "safeName": "uninterpretedOption" + }, + "snakeCase": { + "unsafeName": "uninterpreted_option", + "safeName": "uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "UNINTERPRETED_OPTION", + "safeName": "UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "UninterpretedOption", + "safeName": "UninterpretedOption" + } + }, + "wireValue": "uninterpreted_option" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOption", + "safeName": "googleProtobufUninterpretedOption" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option", + "safeName": "google_protobuf_uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOption", + "safeName": "GoogleProtobufUninterpretedOption" + } + }, + "typeId": "google.protobuf.UninterpretedOption", + "default": null, + "inline": false, + "displayName": "uninterpreted_option" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.EnumOptions": { + "name": { + "typeId": "google.protobuf.EnumOptions", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumOptions", + "camelCase": { + "unsafeName": "googleProtobufEnumOptions", + "safeName": "googleProtobufEnumOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_options", + "safeName": "google_protobuf_enum_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_ENUM_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumOptions", + "safeName": "GoogleProtobufEnumOptions" + } + }, + "displayName": "EnumOptions" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "allow_alias", + "camelCase": { + "unsafeName": "allowAlias", + "safeName": "allowAlias" + }, + "snakeCase": { + "unsafeName": "allow_alias", + "safeName": "allow_alias" + }, + "screamingSnakeCase": { + "unsafeName": "ALLOW_ALIAS", + "safeName": "ALLOW_ALIAS" + }, + "pascalCase": { + "unsafeName": "AllowAlias", + "safeName": "AllowAlias" + } + }, + "wireValue": "allow_alias" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "deprecated", + "camelCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "snakeCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "screamingSnakeCase": { + "unsafeName": "DEPRECATED", + "safeName": "DEPRECATED" + }, + "pascalCase": { + "unsafeName": "Deprecated", + "safeName": "Deprecated" + } + }, + "wireValue": "deprecated" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "deprecated_legacy_json_field_conflicts", + "camelCase": { + "unsafeName": "deprecatedLegacyJsonFieldConflicts", + "safeName": "deprecatedLegacyJsonFieldConflicts" + }, + "snakeCase": { + "unsafeName": "deprecated_legacy_json_field_conflicts", + "safeName": "deprecated_legacy_json_field_conflicts" + }, + "screamingSnakeCase": { + "unsafeName": "DEPRECATED_LEGACY_JSON_FIELD_CONFLICTS", + "safeName": "DEPRECATED_LEGACY_JSON_FIELD_CONFLICTS" + }, + "pascalCase": { + "unsafeName": "DeprecatedLegacyJsonFieldConflicts", + "safeName": "DeprecatedLegacyJsonFieldConflicts" + } + }, + "wireValue": "deprecated_legacy_json_field_conflicts" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": { + "status": "DEPRECATED", + "message": "DEPRECATED" + }, + "docs": null + }, + { + "name": { + "name": { + "originalName": "features", + "camelCase": { + "unsafeName": "features", + "safeName": "features" + }, + "snakeCase": { + "unsafeName": "features", + "safeName": "features" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURES", + "safeName": "FEATURES" + }, + "pascalCase": { + "unsafeName": "Features", + "safeName": "Features" + } + }, + "wireValue": "features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "uninterpreted_option", + "camelCase": { + "unsafeName": "uninterpretedOption", + "safeName": "uninterpretedOption" + }, + "snakeCase": { + "unsafeName": "uninterpreted_option", + "safeName": "uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "UNINTERPRETED_OPTION", + "safeName": "UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "UninterpretedOption", + "safeName": "UninterpretedOption" + } + }, + "wireValue": "uninterpreted_option" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOption", + "safeName": "googleProtobufUninterpretedOption" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option", + "safeName": "google_protobuf_uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOption", + "safeName": "GoogleProtobufUninterpretedOption" + } + }, + "typeId": "google.protobuf.UninterpretedOption", + "default": null, + "inline": false, + "displayName": "uninterpreted_option" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.EnumValueOptions": { + "name": { + "typeId": "google.protobuf.EnumValueOptions", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumValueOptions", + "camelCase": { + "unsafeName": "googleProtobufEnumValueOptions", + "safeName": "googleProtobufEnumValueOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_value_options", + "safeName": "google_protobuf_enum_value_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_VALUE_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_ENUM_VALUE_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumValueOptions", + "safeName": "GoogleProtobufEnumValueOptions" + } + }, + "displayName": "EnumValueOptions" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "deprecated", + "camelCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "snakeCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "screamingSnakeCase": { + "unsafeName": "DEPRECATED", + "safeName": "DEPRECATED" + }, + "pascalCase": { + "unsafeName": "Deprecated", + "safeName": "Deprecated" + } + }, + "wireValue": "deprecated" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "features", + "camelCase": { + "unsafeName": "features", + "safeName": "features" + }, + "snakeCase": { + "unsafeName": "features", + "safeName": "features" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURES", + "safeName": "FEATURES" + }, + "pascalCase": { + "unsafeName": "Features", + "safeName": "Features" + } + }, + "wireValue": "features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "debug_redact", + "camelCase": { + "unsafeName": "debugRedact", + "safeName": "debugRedact" + }, + "snakeCase": { + "unsafeName": "debug_redact", + "safeName": "debug_redact" + }, + "screamingSnakeCase": { + "unsafeName": "DEBUG_REDACT", + "safeName": "DEBUG_REDACT" + }, + "pascalCase": { + "unsafeName": "DebugRedact", + "safeName": "DebugRedact" + } + }, + "wireValue": "debug_redact" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "feature_support", + "camelCase": { + "unsafeName": "featureSupport", + "safeName": "featureSupport" + }, + "snakeCase": { + "unsafeName": "feature_support", + "safeName": "feature_support" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURE_SUPPORT", + "safeName": "FEATURE_SUPPORT" + }, + "pascalCase": { + "unsafeName": "FeatureSupport", + "safeName": "FeatureSupport" + } + }, + "wireValue": "feature_support" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldOptions.FeatureSupport", + "camelCase": { + "unsafeName": "googleProtobufFieldOptionsFeatureSupport", + "safeName": "googleProtobufFieldOptionsFeatureSupport" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_options_feature_support", + "safeName": "google_protobuf_field_options_feature_support" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_FEATURE_SUPPORT", + "safeName": "GOOGLE_PROTOBUF_FIELD_OPTIONS_FEATURE_SUPPORT" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldOptionsFeatureSupport", + "safeName": "GoogleProtobufFieldOptionsFeatureSupport" + } + }, + "typeId": "google.protobuf.FieldOptions.FeatureSupport", + "default": null, + "inline": false, + "displayName": "feature_support" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "uninterpreted_option", + "camelCase": { + "unsafeName": "uninterpretedOption", + "safeName": "uninterpretedOption" + }, + "snakeCase": { + "unsafeName": "uninterpreted_option", + "safeName": "uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "UNINTERPRETED_OPTION", + "safeName": "UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "UninterpretedOption", + "safeName": "UninterpretedOption" + } + }, + "wireValue": "uninterpreted_option" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOption", + "safeName": "googleProtobufUninterpretedOption" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option", + "safeName": "google_protobuf_uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOption", + "safeName": "GoogleProtobufUninterpretedOption" + } + }, + "typeId": "google.protobuf.UninterpretedOption", + "default": null, + "inline": false, + "displayName": "uninterpreted_option" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.ServiceOptions": { + "name": { + "typeId": "google.protobuf.ServiceOptions", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.ServiceOptions", + "camelCase": { + "unsafeName": "googleProtobufServiceOptions", + "safeName": "googleProtobufServiceOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_service_options", + "safeName": "google_protobuf_service_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_SERVICE_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_SERVICE_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufServiceOptions", + "safeName": "GoogleProtobufServiceOptions" + } + }, + "displayName": "ServiceOptions" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "features", + "camelCase": { + "unsafeName": "features", + "safeName": "features" + }, + "snakeCase": { + "unsafeName": "features", + "safeName": "features" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURES", + "safeName": "FEATURES" + }, + "pascalCase": { + "unsafeName": "Features", + "safeName": "Features" + } + }, + "wireValue": "features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "deprecated", + "camelCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "snakeCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "screamingSnakeCase": { + "unsafeName": "DEPRECATED", + "safeName": "DEPRECATED" + }, + "pascalCase": { + "unsafeName": "Deprecated", + "safeName": "Deprecated" + } + }, + "wireValue": "deprecated" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "uninterpreted_option", + "camelCase": { + "unsafeName": "uninterpretedOption", + "safeName": "uninterpretedOption" + }, + "snakeCase": { + "unsafeName": "uninterpreted_option", + "safeName": "uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "UNINTERPRETED_OPTION", + "safeName": "UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "UninterpretedOption", + "safeName": "UninterpretedOption" + } + }, + "wireValue": "uninterpreted_option" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOption", + "safeName": "googleProtobufUninterpretedOption" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option", + "safeName": "google_protobuf_uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOption", + "safeName": "GoogleProtobufUninterpretedOption" + } + }, + "typeId": "google.protobuf.UninterpretedOption", + "default": null, + "inline": false, + "displayName": "uninterpreted_option" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.MethodOptions.IdempotencyLevel": { + "name": { + "typeId": "MethodOptions.IdempotencyLevel", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.IdempotencyLevel", + "camelCase": { + "unsafeName": "googleProtobufIdempotencyLevel", + "safeName": "googleProtobufIdempotencyLevel" + }, + "snakeCase": { + "unsafeName": "google_protobuf_idempotency_level", + "safeName": "google_protobuf_idempotency_level" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_IDEMPOTENCY_LEVEL", + "safeName": "GOOGLE_PROTOBUF_IDEMPOTENCY_LEVEL" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufIdempotencyLevel", + "safeName": "GoogleProtobufIdempotencyLevel" + } + }, + "displayName": "IdempotencyLevel" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "IDEMPOTENCY_UNKNOWN", + "camelCase": { + "unsafeName": "idempotencyUnknown", + "safeName": "idempotencyUnknown" + }, + "snakeCase": { + "unsafeName": "idempotency_unknown", + "safeName": "idempotency_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "IDEMPOTENCY_UNKNOWN", + "safeName": "IDEMPOTENCY_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "IdempotencyUnknown", + "safeName": "IdempotencyUnknown" + } + }, + "wireValue": "IDEMPOTENCY_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NO_SIDE_EFFECTS", + "camelCase": { + "unsafeName": "noSideEffects", + "safeName": "noSideEffects" + }, + "snakeCase": { + "unsafeName": "no_side_effects", + "safeName": "no_side_effects" + }, + "screamingSnakeCase": { + "unsafeName": "NO_SIDE_EFFECTS", + "safeName": "NO_SIDE_EFFECTS" + }, + "pascalCase": { + "unsafeName": "NoSideEffects", + "safeName": "NoSideEffects" + } + }, + "wireValue": "NO_SIDE_EFFECTS" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "IDEMPOTENT", + "camelCase": { + "unsafeName": "idempotent", + "safeName": "idempotent" + }, + "snakeCase": { + "unsafeName": "idempotent", + "safeName": "idempotent" + }, + "screamingSnakeCase": { + "unsafeName": "IDEMPOTENT", + "safeName": "IDEMPOTENT" + }, + "pascalCase": { + "unsafeName": "Idempotent", + "safeName": "Idempotent" + } + }, + "wireValue": "IDEMPOTENT" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.MethodOptions": { + "name": { + "typeId": "google.protobuf.MethodOptions", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.MethodOptions", + "camelCase": { + "unsafeName": "googleProtobufMethodOptions", + "safeName": "googleProtobufMethodOptions" + }, + "snakeCase": { + "unsafeName": "google_protobuf_method_options", + "safeName": "google_protobuf_method_options" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS", + "safeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufMethodOptions", + "safeName": "GoogleProtobufMethodOptions" + } + }, + "displayName": "MethodOptions" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "deprecated", + "camelCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "snakeCase": { + "unsafeName": "deprecated", + "safeName": "deprecated" + }, + "screamingSnakeCase": { + "unsafeName": "DEPRECATED", + "safeName": "DEPRECATED" + }, + "pascalCase": { + "unsafeName": "Deprecated", + "safeName": "Deprecated" + } + }, + "wireValue": "deprecated" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "idempotency_level", + "camelCase": { + "unsafeName": "idempotencyLevel", + "safeName": "idempotencyLevel" + }, + "snakeCase": { + "unsafeName": "idempotency_level", + "safeName": "idempotency_level" + }, + "screamingSnakeCase": { + "unsafeName": "IDEMPOTENCY_LEVEL", + "safeName": "IDEMPOTENCY_LEVEL" + }, + "pascalCase": { + "unsafeName": "IdempotencyLevel", + "safeName": "IdempotencyLevel" + } + }, + "wireValue": "idempotency_level" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.MethodOptions.IdempotencyLevel", + "camelCase": { + "unsafeName": "googleProtobufMethodOptionsIdempotencyLevel", + "safeName": "googleProtobufMethodOptionsIdempotencyLevel" + }, + "snakeCase": { + "unsafeName": "google_protobuf_method_options_idempotency_level", + "safeName": "google_protobuf_method_options_idempotency_level" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS_IDEMPOTENCY_LEVEL", + "safeName": "GOOGLE_PROTOBUF_METHOD_OPTIONS_IDEMPOTENCY_LEVEL" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufMethodOptionsIdempotencyLevel", + "safeName": "GoogleProtobufMethodOptionsIdempotencyLevel" + } + }, + "typeId": "google.protobuf.MethodOptions.IdempotencyLevel", + "default": null, + "inline": false, + "displayName": "idempotency_level" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "features", + "camelCase": { + "unsafeName": "features", + "safeName": "features" + }, + "snakeCase": { + "unsafeName": "features", + "safeName": "features" + }, + "screamingSnakeCase": { + "unsafeName": "FEATURES", + "safeName": "FEATURES" + }, + "pascalCase": { + "unsafeName": "Features", + "safeName": "Features" + } + }, + "wireValue": "features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "uninterpreted_option", + "camelCase": { + "unsafeName": "uninterpretedOption", + "safeName": "uninterpretedOption" + }, + "snakeCase": { + "unsafeName": "uninterpreted_option", + "safeName": "uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "UNINTERPRETED_OPTION", + "safeName": "UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "UninterpretedOption", + "safeName": "UninterpretedOption" + } + }, + "wireValue": "uninterpreted_option" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOption", + "safeName": "googleProtobufUninterpretedOption" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option", + "safeName": "google_protobuf_uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOption", + "safeName": "GoogleProtobufUninterpretedOption" + } + }, + "typeId": "google.protobuf.UninterpretedOption", + "default": null, + "inline": false, + "displayName": "uninterpreted_option" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.UninterpretedOption.NamePart": { + "name": { + "typeId": "UninterpretedOption.NamePart", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.NamePart", + "camelCase": { + "unsafeName": "googleProtobufNamePart", + "safeName": "googleProtobufNamePart" + }, + "snakeCase": { + "unsafeName": "google_protobuf_name_part", + "safeName": "google_protobuf_name_part" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_NAME_PART", + "safeName": "GOOGLE_PROTOBUF_NAME_PART" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufNamePart", + "safeName": "GoogleProtobufNamePart" + } + }, + "displayName": "NamePart" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "name_part", + "camelCase": { + "unsafeName": "namePart", + "safeName": "namePart" + }, + "snakeCase": { + "unsafeName": "name_part", + "safeName": "name_part" + }, + "screamingSnakeCase": { + "unsafeName": "NAME_PART", + "safeName": "NAME_PART" + }, + "pascalCase": { + "unsafeName": "NamePart", + "safeName": "NamePart" + } + }, + "wireValue": "name_part" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "is_extension", + "camelCase": { + "unsafeName": "isExtension", + "safeName": "isExtension" + }, + "snakeCase": { + "unsafeName": "is_extension", + "safeName": "is_extension" + }, + "screamingSnakeCase": { + "unsafeName": "IS_EXTENSION", + "safeName": "IS_EXTENSION" + }, + "pascalCase": { + "unsafeName": "IsExtension", + "safeName": "IsExtension" + } + }, + "wireValue": "is_extension" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.UninterpretedOption": { + "name": { + "typeId": "google.protobuf.UninterpretedOption", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOption", + "safeName": "googleProtobufUninterpretedOption" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option", + "safeName": "google_protobuf_uninterpreted_option" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOption", + "safeName": "GoogleProtobufUninterpretedOption" + } + }, + "displayName": "UninterpretedOption" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UninterpretedOption.NamePart", + "camelCase": { + "unsafeName": "googleProtobufUninterpretedOptionNamePart", + "safeName": "googleProtobufUninterpretedOptionNamePart" + }, + "snakeCase": { + "unsafeName": "google_protobuf_uninterpreted_option_name_part", + "safeName": "google_protobuf_uninterpreted_option_name_part" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION_NAME_PART", + "safeName": "GOOGLE_PROTOBUF_UNINTERPRETED_OPTION_NAME_PART" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUninterpretedOptionNamePart", + "safeName": "GoogleProtobufUninterpretedOptionNamePart" + } + }, + "typeId": "google.protobuf.UninterpretedOption.NamePart", + "default": null, + "inline": false, + "displayName": "name" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "identifier_value", + "camelCase": { + "unsafeName": "identifierValue", + "safeName": "identifierValue" + }, + "snakeCase": { + "unsafeName": "identifier_value", + "safeName": "identifier_value" + }, + "screamingSnakeCase": { + "unsafeName": "IDENTIFIER_VALUE", + "safeName": "IDENTIFIER_VALUE" + }, + "pascalCase": { + "unsafeName": "IdentifierValue", + "safeName": "IdentifierValue" + } + }, + "wireValue": "identifier_value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "positive_int_value", + "camelCase": { + "unsafeName": "positiveIntValue", + "safeName": "positiveIntValue" + }, + "snakeCase": { + "unsafeName": "positive_int_value", + "safeName": "positive_int_value" + }, + "screamingSnakeCase": { + "unsafeName": "POSITIVE_INT_VALUE", + "safeName": "POSITIVE_INT_VALUE" + }, + "pascalCase": { + "unsafeName": "PositiveIntValue", + "safeName": "PositiveIntValue" + } + }, + "wireValue": "positive_int_value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT_64", + "v2": { + "type": "uint64" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "negative_int_value", + "camelCase": { + "unsafeName": "negativeIntValue", + "safeName": "negativeIntValue" + }, + "snakeCase": { + "unsafeName": "negative_int_value", + "safeName": "negative_int_value" + }, + "screamingSnakeCase": { + "unsafeName": "NEGATIVE_INT_VALUE", + "safeName": "NEGATIVE_INT_VALUE" + }, + "pascalCase": { + "unsafeName": "NegativeIntValue", + "safeName": "NegativeIntValue" + } + }, + "wireValue": "negative_int_value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "LONG", + "v2": { + "type": "long", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "double_value", + "camelCase": { + "unsafeName": "doubleValue", + "safeName": "doubleValue" + }, + "snakeCase": { + "unsafeName": "double_value", + "safeName": "double_value" + }, + "screamingSnakeCase": { + "unsafeName": "DOUBLE_VALUE", + "safeName": "DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "DoubleValue", + "safeName": "DoubleValue" + } + }, + "wireValue": "double_value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "string_value", + "camelCase": { + "unsafeName": "stringValue", + "safeName": "stringValue" + }, + "snakeCase": { + "unsafeName": "string_value", + "safeName": "string_value" + }, + "screamingSnakeCase": { + "unsafeName": "STRING_VALUE", + "safeName": "STRING_VALUE" + }, + "pascalCase": { + "unsafeName": "StringValue", + "safeName": "StringValue" + } + }, + "wireValue": "string_value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "unknown" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "aggregate_value", + "camelCase": { + "unsafeName": "aggregateValue", + "safeName": "aggregateValue" + }, + "snakeCase": { + "unsafeName": "aggregate_value", + "safeName": "aggregate_value" + }, + "screamingSnakeCase": { + "unsafeName": "AGGREGATE_VALUE", + "safeName": "AGGREGATE_VALUE" + }, + "pascalCase": { + "unsafeName": "AggregateValue", + "safeName": "AggregateValue" + } + }, + "wireValue": "aggregate_value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.FeatureSet.FieldPresence": { + "name": { + "typeId": "FeatureSet.FieldPresence", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FieldPresence", + "camelCase": { + "unsafeName": "googleProtobufFieldPresence", + "safeName": "googleProtobufFieldPresence" + }, + "snakeCase": { + "unsafeName": "google_protobuf_field_presence", + "safeName": "google_protobuf_field_presence" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FIELD_PRESENCE", + "safeName": "GOOGLE_PROTOBUF_FIELD_PRESENCE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFieldPresence", + "safeName": "GoogleProtobufFieldPresence" + } + }, + "displayName": "FieldPresence" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "FIELD_PRESENCE_UNKNOWN", + "camelCase": { + "unsafeName": "fieldPresenceUnknown", + "safeName": "fieldPresenceUnknown" + }, + "snakeCase": { + "unsafeName": "field_presence_unknown", + "safeName": "field_presence_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "FIELD_PRESENCE_UNKNOWN", + "safeName": "FIELD_PRESENCE_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "FieldPresenceUnknown", + "safeName": "FieldPresenceUnknown" + } + }, + "wireValue": "FIELD_PRESENCE_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EXPLICIT", + "camelCase": { + "unsafeName": "explicit", + "safeName": "explicit" + }, + "snakeCase": { + "unsafeName": "explicit", + "safeName": "explicit" + }, + "screamingSnakeCase": { + "unsafeName": "EXPLICIT", + "safeName": "EXPLICIT" + }, + "pascalCase": { + "unsafeName": "Explicit", + "safeName": "Explicit" + } + }, + "wireValue": "EXPLICIT" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "IMPLICIT", + "camelCase": { + "unsafeName": "implicit", + "safeName": "implicit" + }, + "snakeCase": { + "unsafeName": "implicit", + "safeName": "implicit" + }, + "screamingSnakeCase": { + "unsafeName": "IMPLICIT", + "safeName": "IMPLICIT" + }, + "pascalCase": { + "unsafeName": "Implicit", + "safeName": "Implicit" + } + }, + "wireValue": "IMPLICIT" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "LEGACY_REQUIRED", + "camelCase": { + "unsafeName": "legacyRequired", + "safeName": "legacyRequired" + }, + "snakeCase": { + "unsafeName": "legacy_required", + "safeName": "legacy_required" + }, + "screamingSnakeCase": { + "unsafeName": "LEGACY_REQUIRED", + "safeName": "LEGACY_REQUIRED" + }, + "pascalCase": { + "unsafeName": "LegacyRequired", + "safeName": "LegacyRequired" + } + }, + "wireValue": "LEGACY_REQUIRED" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FeatureSet.EnumType": { + "name": { + "typeId": "FeatureSet.EnumType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.EnumType", + "camelCase": { + "unsafeName": "googleProtobufEnumType", + "safeName": "googleProtobufEnumType" + }, + "snakeCase": { + "unsafeName": "google_protobuf_enum_type", + "safeName": "google_protobuf_enum_type" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ENUM_TYPE", + "safeName": "GOOGLE_PROTOBUF_ENUM_TYPE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEnumType", + "safeName": "GoogleProtobufEnumType" + } + }, + "displayName": "EnumType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "ENUM_TYPE_UNKNOWN", + "camelCase": { + "unsafeName": "enumTypeUnknown", + "safeName": "enumTypeUnknown" + }, + "snakeCase": { + "unsafeName": "enum_type_unknown", + "safeName": "enum_type_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "ENUM_TYPE_UNKNOWN", + "safeName": "ENUM_TYPE_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "EnumTypeUnknown", + "safeName": "EnumTypeUnknown" + } + }, + "wireValue": "ENUM_TYPE_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "OPEN", + "camelCase": { + "unsafeName": "open", + "safeName": "open" + }, + "snakeCase": { + "unsafeName": "open", + "safeName": "open" + }, + "screamingSnakeCase": { + "unsafeName": "OPEN", + "safeName": "OPEN" + }, + "pascalCase": { + "unsafeName": "Open", + "safeName": "Open" + } + }, + "wireValue": "OPEN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CLOSED", + "camelCase": { + "unsafeName": "closed", + "safeName": "closed" + }, + "snakeCase": { + "unsafeName": "closed", + "safeName": "closed" + }, + "screamingSnakeCase": { + "unsafeName": "CLOSED", + "safeName": "CLOSED" + }, + "pascalCase": { + "unsafeName": "Closed", + "safeName": "Closed" + } + }, + "wireValue": "CLOSED" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FeatureSet.RepeatedFieldEncoding": { + "name": { + "typeId": "FeatureSet.RepeatedFieldEncoding", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.RepeatedFieldEncoding", + "camelCase": { + "unsafeName": "googleProtobufRepeatedFieldEncoding", + "safeName": "googleProtobufRepeatedFieldEncoding" + }, + "snakeCase": { + "unsafeName": "google_protobuf_repeated_field_encoding", + "safeName": "google_protobuf_repeated_field_encoding" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_REPEATED_FIELD_ENCODING", + "safeName": "GOOGLE_PROTOBUF_REPEATED_FIELD_ENCODING" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufRepeatedFieldEncoding", + "safeName": "GoogleProtobufRepeatedFieldEncoding" + } + }, + "displayName": "RepeatedFieldEncoding" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "REPEATED_FIELD_ENCODING_UNKNOWN", + "camelCase": { + "unsafeName": "repeatedFieldEncodingUnknown", + "safeName": "repeatedFieldEncodingUnknown" + }, + "snakeCase": { + "unsafeName": "repeated_field_encoding_unknown", + "safeName": "repeated_field_encoding_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "REPEATED_FIELD_ENCODING_UNKNOWN", + "safeName": "REPEATED_FIELD_ENCODING_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "RepeatedFieldEncodingUnknown", + "safeName": "RepeatedFieldEncodingUnknown" + } + }, + "wireValue": "REPEATED_FIELD_ENCODING_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "PACKED", + "camelCase": { + "unsafeName": "packed", + "safeName": "packed" + }, + "snakeCase": { + "unsafeName": "packed", + "safeName": "packed" + }, + "screamingSnakeCase": { + "unsafeName": "PACKED", + "safeName": "PACKED" + }, + "pascalCase": { + "unsafeName": "Packed", + "safeName": "Packed" + } + }, + "wireValue": "PACKED" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EXPANDED", + "camelCase": { + "unsafeName": "expanded", + "safeName": "expanded" + }, + "snakeCase": { + "unsafeName": "expanded", + "safeName": "expanded" + }, + "screamingSnakeCase": { + "unsafeName": "EXPANDED", + "safeName": "EXPANDED" + }, + "pascalCase": { + "unsafeName": "Expanded", + "safeName": "Expanded" + } + }, + "wireValue": "EXPANDED" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FeatureSet.Utf8Validation": { + "name": { + "typeId": "FeatureSet.Utf8Validation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Utf8Validation", + "camelCase": { + "unsafeName": "googleProtobufUtf8Validation", + "safeName": "googleProtobufUtf8Validation" + }, + "snakeCase": { + "unsafeName": "google_protobuf_utf_8_validation", + "safeName": "google_protobuf_utf_8_validation" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_UTF_8_VALIDATION", + "safeName": "GOOGLE_PROTOBUF_UTF_8_VALIDATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUtf8Validation", + "safeName": "GoogleProtobufUtf8Validation" + } + }, + "displayName": "Utf8Validation" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "UTF8_VALIDATION_UNKNOWN", + "camelCase": { + "unsafeName": "utf8ValidationUnknown", + "safeName": "utf8ValidationUnknown" + }, + "snakeCase": { + "unsafeName": "utf_8_validation_unknown", + "safeName": "utf_8_validation_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "UTF_8_VALIDATION_UNKNOWN", + "safeName": "UTF_8_VALIDATION_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "Utf8ValidationUnknown", + "safeName": "Utf8ValidationUnknown" + } + }, + "wireValue": "UTF8_VALIDATION_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "VERIFY", + "camelCase": { + "unsafeName": "verify", + "safeName": "verify" + }, + "snakeCase": { + "unsafeName": "verify", + "safeName": "verify" + }, + "screamingSnakeCase": { + "unsafeName": "VERIFY", + "safeName": "VERIFY" + }, + "pascalCase": { + "unsafeName": "Verify", + "safeName": "Verify" + } + }, + "wireValue": "VERIFY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NONE", + "camelCase": { + "unsafeName": "none", + "safeName": "none" + }, + "snakeCase": { + "unsafeName": "none", + "safeName": "none" + }, + "screamingSnakeCase": { + "unsafeName": "NONE", + "safeName": "NONE" + }, + "pascalCase": { + "unsafeName": "None", + "safeName": "None" + } + }, + "wireValue": "NONE" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FeatureSet.MessageEncoding": { + "name": { + "typeId": "FeatureSet.MessageEncoding", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.MessageEncoding", + "camelCase": { + "unsafeName": "googleProtobufMessageEncoding", + "safeName": "googleProtobufMessageEncoding" + }, + "snakeCase": { + "unsafeName": "google_protobuf_message_encoding", + "safeName": "google_protobuf_message_encoding" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_MESSAGE_ENCODING", + "safeName": "GOOGLE_PROTOBUF_MESSAGE_ENCODING" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufMessageEncoding", + "safeName": "GoogleProtobufMessageEncoding" + } + }, + "displayName": "MessageEncoding" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "MESSAGE_ENCODING_UNKNOWN", + "camelCase": { + "unsafeName": "messageEncodingUnknown", + "safeName": "messageEncodingUnknown" + }, + "snakeCase": { + "unsafeName": "message_encoding_unknown", + "safeName": "message_encoding_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "MESSAGE_ENCODING_UNKNOWN", + "safeName": "MESSAGE_ENCODING_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "MessageEncodingUnknown", + "safeName": "MessageEncodingUnknown" + } + }, + "wireValue": "MESSAGE_ENCODING_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "LENGTH_PREFIXED", + "camelCase": { + "unsafeName": "lengthPrefixed", + "safeName": "lengthPrefixed" + }, + "snakeCase": { + "unsafeName": "length_prefixed", + "safeName": "length_prefixed" + }, + "screamingSnakeCase": { + "unsafeName": "LENGTH_PREFIXED", + "safeName": "LENGTH_PREFIXED" + }, + "pascalCase": { + "unsafeName": "LengthPrefixed", + "safeName": "LengthPrefixed" + } + }, + "wireValue": "LENGTH_PREFIXED" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "DELIMITED", + "camelCase": { + "unsafeName": "delimited", + "safeName": "delimited" + }, + "snakeCase": { + "unsafeName": "delimited", + "safeName": "delimited" + }, + "screamingSnakeCase": { + "unsafeName": "DELIMITED", + "safeName": "DELIMITED" + }, + "pascalCase": { + "unsafeName": "Delimited", + "safeName": "Delimited" + } + }, + "wireValue": "DELIMITED" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FeatureSet.JsonFormat": { + "name": { + "typeId": "FeatureSet.JsonFormat", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.JsonFormat", + "camelCase": { + "unsafeName": "googleProtobufJsonFormat", + "safeName": "googleProtobufJsonFormat" + }, + "snakeCase": { + "unsafeName": "google_protobuf_json_format", + "safeName": "google_protobuf_json_format" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_JSON_FORMAT", + "safeName": "GOOGLE_PROTOBUF_JSON_FORMAT" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufJsonFormat", + "safeName": "GoogleProtobufJsonFormat" + } + }, + "displayName": "JsonFormat" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "JSON_FORMAT_UNKNOWN", + "camelCase": { + "unsafeName": "jsonFormatUnknown", + "safeName": "jsonFormatUnknown" + }, + "snakeCase": { + "unsafeName": "json_format_unknown", + "safeName": "json_format_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "JSON_FORMAT_UNKNOWN", + "safeName": "JSON_FORMAT_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "JsonFormatUnknown", + "safeName": "JsonFormatUnknown" + } + }, + "wireValue": "JSON_FORMAT_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ALLOW", + "camelCase": { + "unsafeName": "allow", + "safeName": "allow" + }, + "snakeCase": { + "unsafeName": "allow", + "safeName": "allow" + }, + "screamingSnakeCase": { + "unsafeName": "ALLOW", + "safeName": "ALLOW" + }, + "pascalCase": { + "unsafeName": "Allow", + "safeName": "Allow" + } + }, + "wireValue": "ALLOW" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "LEGACY_BEST_EFFORT", + "camelCase": { + "unsafeName": "legacyBestEffort", + "safeName": "legacyBestEffort" + }, + "snakeCase": { + "unsafeName": "legacy_best_effort", + "safeName": "legacy_best_effort" + }, + "screamingSnakeCase": { + "unsafeName": "LEGACY_BEST_EFFORT", + "safeName": "LEGACY_BEST_EFFORT" + }, + "pascalCase": { + "unsafeName": "LegacyBestEffort", + "safeName": "LegacyBestEffort" + } + }, + "wireValue": "LEGACY_BEST_EFFORT" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.FeatureSet": { + "name": { + "typeId": "google.protobuf.FeatureSet", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "displayName": "FeatureSet" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "field_presence", + "camelCase": { + "unsafeName": "fieldPresence", + "safeName": "fieldPresence" + }, + "snakeCase": { + "unsafeName": "field_presence", + "safeName": "field_presence" + }, + "screamingSnakeCase": { + "unsafeName": "FIELD_PRESENCE", + "safeName": "FIELD_PRESENCE" + }, + "pascalCase": { + "unsafeName": "FieldPresence", + "safeName": "FieldPresence" + } + }, + "wireValue": "field_presence" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet.FieldPresence", + "camelCase": { + "unsafeName": "googleProtobufFeatureSetFieldPresence", + "safeName": "googleProtobufFeatureSetFieldPresence" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set_field_presence", + "safeName": "google_protobuf_feature_set_field_presence" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_FIELD_PRESENCE", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_FIELD_PRESENCE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSetFieldPresence", + "safeName": "GoogleProtobufFeatureSetFieldPresence" + } + }, + "typeId": "google.protobuf.FeatureSet.FieldPresence", + "default": null, + "inline": false, + "displayName": "field_presence" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "enum_type", + "camelCase": { + "unsafeName": "enumType", + "safeName": "enumType" + }, + "snakeCase": { + "unsafeName": "enum_type", + "safeName": "enum_type" + }, + "screamingSnakeCase": { + "unsafeName": "ENUM_TYPE", + "safeName": "ENUM_TYPE" + }, + "pascalCase": { + "unsafeName": "EnumType", + "safeName": "EnumType" + } + }, + "wireValue": "enum_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet.EnumType", + "camelCase": { + "unsafeName": "googleProtobufFeatureSetEnumType", + "safeName": "googleProtobufFeatureSetEnumType" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set_enum_type", + "safeName": "google_protobuf_feature_set_enum_type" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_ENUM_TYPE", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_ENUM_TYPE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSetEnumType", + "safeName": "GoogleProtobufFeatureSetEnumType" + } + }, + "typeId": "google.protobuf.FeatureSet.EnumType", + "default": null, + "inline": false, + "displayName": "enum_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "repeated_field_encoding", + "camelCase": { + "unsafeName": "repeatedFieldEncoding", + "safeName": "repeatedFieldEncoding" + }, + "snakeCase": { + "unsafeName": "repeated_field_encoding", + "safeName": "repeated_field_encoding" + }, + "screamingSnakeCase": { + "unsafeName": "REPEATED_FIELD_ENCODING", + "safeName": "REPEATED_FIELD_ENCODING" + }, + "pascalCase": { + "unsafeName": "RepeatedFieldEncoding", + "safeName": "RepeatedFieldEncoding" + } + }, + "wireValue": "repeated_field_encoding" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet.RepeatedFieldEncoding", + "camelCase": { + "unsafeName": "googleProtobufFeatureSetRepeatedFieldEncoding", + "safeName": "googleProtobufFeatureSetRepeatedFieldEncoding" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set_repeated_field_encoding", + "safeName": "google_protobuf_feature_set_repeated_field_encoding" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_REPEATED_FIELD_ENCODING", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_REPEATED_FIELD_ENCODING" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSetRepeatedFieldEncoding", + "safeName": "GoogleProtobufFeatureSetRepeatedFieldEncoding" + } + }, + "typeId": "google.protobuf.FeatureSet.RepeatedFieldEncoding", + "default": null, + "inline": false, + "displayName": "repeated_field_encoding" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "utf8_validation", + "camelCase": { + "unsafeName": "utf8Validation", + "safeName": "utf8Validation" + }, + "snakeCase": { + "unsafeName": "utf_8_validation", + "safeName": "utf_8_validation" + }, + "screamingSnakeCase": { + "unsafeName": "UTF_8_VALIDATION", + "safeName": "UTF_8_VALIDATION" + }, + "pascalCase": { + "unsafeName": "Utf8Validation", + "safeName": "Utf8Validation" + } + }, + "wireValue": "utf8_validation" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet.Utf8Validation", + "camelCase": { + "unsafeName": "googleProtobufFeatureSetUtf8Validation", + "safeName": "googleProtobufFeatureSetUtf8Validation" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set_utf_8_validation", + "safeName": "google_protobuf_feature_set_utf_8_validation" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_UTF_8_VALIDATION", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_UTF_8_VALIDATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSetUtf8Validation", + "safeName": "GoogleProtobufFeatureSetUtf8Validation" + } + }, + "typeId": "google.protobuf.FeatureSet.Utf8Validation", + "default": null, + "inline": false, + "displayName": "utf8_validation" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "message_encoding", + "camelCase": { + "unsafeName": "messageEncoding", + "safeName": "messageEncoding" + }, + "snakeCase": { + "unsafeName": "message_encoding", + "safeName": "message_encoding" + }, + "screamingSnakeCase": { + "unsafeName": "MESSAGE_ENCODING", + "safeName": "MESSAGE_ENCODING" + }, + "pascalCase": { + "unsafeName": "MessageEncoding", + "safeName": "MessageEncoding" + } + }, + "wireValue": "message_encoding" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet.MessageEncoding", + "camelCase": { + "unsafeName": "googleProtobufFeatureSetMessageEncoding", + "safeName": "googleProtobufFeatureSetMessageEncoding" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set_message_encoding", + "safeName": "google_protobuf_feature_set_message_encoding" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_MESSAGE_ENCODING", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_MESSAGE_ENCODING" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSetMessageEncoding", + "safeName": "GoogleProtobufFeatureSetMessageEncoding" + } + }, + "typeId": "google.protobuf.FeatureSet.MessageEncoding", + "default": null, + "inline": false, + "displayName": "message_encoding" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "json_format", + "camelCase": { + "unsafeName": "jsonFormat", + "safeName": "jsonFormat" + }, + "snakeCase": { + "unsafeName": "json_format", + "safeName": "json_format" + }, + "screamingSnakeCase": { + "unsafeName": "JSON_FORMAT", + "safeName": "JSON_FORMAT" + }, + "pascalCase": { + "unsafeName": "JsonFormat", + "safeName": "JsonFormat" + } + }, + "wireValue": "json_format" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet.JsonFormat", + "camelCase": { + "unsafeName": "googleProtobufFeatureSetJsonFormat", + "safeName": "googleProtobufFeatureSetJsonFormat" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set_json_format", + "safeName": "google_protobuf_feature_set_json_format" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_JSON_FORMAT", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_JSON_FORMAT" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSetJsonFormat", + "safeName": "GoogleProtobufFeatureSetJsonFormat" + } + }, + "typeId": "google.protobuf.FeatureSet.JsonFormat", + "default": null, + "inline": false, + "displayName": "json_format" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.FeatureSetDefaults.FeatureSetEditionDefault": { + "name": { + "typeId": "FeatureSetDefaults.FeatureSetEditionDefault", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSetEditionDefault", + "camelCase": { + "unsafeName": "googleProtobufFeatureSetEditionDefault", + "safeName": "googleProtobufFeatureSetEditionDefault" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set_edition_default", + "safeName": "google_protobuf_feature_set_edition_default" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_EDITION_DEFAULT", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_EDITION_DEFAULT" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSetEditionDefault", + "safeName": "GoogleProtobufFeatureSetEditionDefault" + } + }, + "displayName": "FeatureSetEditionDefault" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "edition", + "camelCase": { + "unsafeName": "edition", + "safeName": "edition" + }, + "snakeCase": { + "unsafeName": "edition", + "safeName": "edition" + }, + "screamingSnakeCase": { + "unsafeName": "EDITION", + "safeName": "EDITION" + }, + "pascalCase": { + "unsafeName": "Edition", + "safeName": "Edition" + } + }, + "wireValue": "edition" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Edition", + "camelCase": { + "unsafeName": "googleProtobufEdition", + "safeName": "googleProtobufEdition" + }, + "snakeCase": { + "unsafeName": "google_protobuf_edition", + "safeName": "google_protobuf_edition" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EDITION", + "safeName": "GOOGLE_PROTOBUF_EDITION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEdition", + "safeName": "GoogleProtobufEdition" + } + }, + "typeId": "google.protobuf.Edition", + "default": null, + "inline": false, + "displayName": "edition" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "overridable_features", + "camelCase": { + "unsafeName": "overridableFeatures", + "safeName": "overridableFeatures" + }, + "snakeCase": { + "unsafeName": "overridable_features", + "safeName": "overridable_features" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDABLE_FEATURES", + "safeName": "OVERRIDABLE_FEATURES" + }, + "pascalCase": { + "unsafeName": "OverridableFeatures", + "safeName": "OverridableFeatures" + } + }, + "wireValue": "overridable_features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "overridable_features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "fixed_features", + "camelCase": { + "unsafeName": "fixedFeatures", + "safeName": "fixedFeatures" + }, + "snakeCase": { + "unsafeName": "fixed_features", + "safeName": "fixed_features" + }, + "screamingSnakeCase": { + "unsafeName": "FIXED_FEATURES", + "safeName": "FIXED_FEATURES" + }, + "pascalCase": { + "unsafeName": "FixedFeatures", + "safeName": "FixedFeatures" + } + }, + "wireValue": "fixed_features" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSet", + "camelCase": { + "unsafeName": "googleProtobufFeatureSet", + "safeName": "googleProtobufFeatureSet" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set", + "safeName": "google_protobuf_feature_set" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSet", + "safeName": "GoogleProtobufFeatureSet" + } + }, + "typeId": "google.protobuf.FeatureSet", + "default": null, + "inline": false, + "displayName": "fixed_features" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.FeatureSetDefaults": { + "name": { + "typeId": "google.protobuf.FeatureSetDefaults", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSetDefaults", + "camelCase": { + "unsafeName": "googleProtobufFeatureSetDefaults", + "safeName": "googleProtobufFeatureSetDefaults" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set_defaults", + "safeName": "google_protobuf_feature_set_defaults" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_DEFAULTS", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_DEFAULTS" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSetDefaults", + "safeName": "GoogleProtobufFeatureSetDefaults" + } + }, + "displayName": "FeatureSetDefaults" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "defaults", + "camelCase": { + "unsafeName": "defaults", + "safeName": "defaults" + }, + "snakeCase": { + "unsafeName": "defaults", + "safeName": "defaults" + }, + "screamingSnakeCase": { + "unsafeName": "DEFAULTS", + "safeName": "DEFAULTS" + }, + "pascalCase": { + "unsafeName": "Defaults", + "safeName": "Defaults" + } + }, + "wireValue": "defaults" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FeatureSetDefaults.FeatureSetEditionDefault", + "camelCase": { + "unsafeName": "googleProtobufFeatureSetDefaultsFeatureSetEditionDefault", + "safeName": "googleProtobufFeatureSetDefaultsFeatureSetEditionDefault" + }, + "snakeCase": { + "unsafeName": "google_protobuf_feature_set_defaults_feature_set_edition_default", + "safeName": "google_protobuf_feature_set_defaults_feature_set_edition_default" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FEATURE_SET_DEFAULTS_FEATURE_SET_EDITION_DEFAULT", + "safeName": "GOOGLE_PROTOBUF_FEATURE_SET_DEFAULTS_FEATURE_SET_EDITION_DEFAULT" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFeatureSetDefaultsFeatureSetEditionDefault", + "safeName": "GoogleProtobufFeatureSetDefaultsFeatureSetEditionDefault" + } + }, + "typeId": "google.protobuf.FeatureSetDefaults.FeatureSetEditionDefault", + "default": null, + "inline": false, + "displayName": "defaults" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "minimum_edition", + "camelCase": { + "unsafeName": "minimumEdition", + "safeName": "minimumEdition" + }, + "snakeCase": { + "unsafeName": "minimum_edition", + "safeName": "minimum_edition" + }, + "screamingSnakeCase": { + "unsafeName": "MINIMUM_EDITION", + "safeName": "MINIMUM_EDITION" + }, + "pascalCase": { + "unsafeName": "MinimumEdition", + "safeName": "MinimumEdition" + } + }, + "wireValue": "minimum_edition" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Edition", + "camelCase": { + "unsafeName": "googleProtobufEdition", + "safeName": "googleProtobufEdition" + }, + "snakeCase": { + "unsafeName": "google_protobuf_edition", + "safeName": "google_protobuf_edition" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EDITION", + "safeName": "GOOGLE_PROTOBUF_EDITION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEdition", + "safeName": "GoogleProtobufEdition" + } + }, + "typeId": "google.protobuf.Edition", + "default": null, + "inline": false, + "displayName": "minimum_edition" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "maximum_edition", + "camelCase": { + "unsafeName": "maximumEdition", + "safeName": "maximumEdition" + }, + "snakeCase": { + "unsafeName": "maximum_edition", + "safeName": "maximum_edition" + }, + "screamingSnakeCase": { + "unsafeName": "MAXIMUM_EDITION", + "safeName": "MAXIMUM_EDITION" + }, + "pascalCase": { + "unsafeName": "MaximumEdition", + "safeName": "MaximumEdition" + } + }, + "wireValue": "maximum_edition" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Edition", + "camelCase": { + "unsafeName": "googleProtobufEdition", + "safeName": "googleProtobufEdition" + }, + "snakeCase": { + "unsafeName": "google_protobuf_edition", + "safeName": "google_protobuf_edition" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EDITION", + "safeName": "GOOGLE_PROTOBUF_EDITION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEdition", + "safeName": "GoogleProtobufEdition" + } + }, + "typeId": "google.protobuf.Edition", + "default": null, + "inline": false, + "displayName": "maximum_edition" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.SourceCodeInfo.Location": { + "name": { + "typeId": "SourceCodeInfo.Location", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Location", + "camelCase": { + "unsafeName": "googleProtobufLocation", + "safeName": "googleProtobufLocation" + }, + "snakeCase": { + "unsafeName": "google_protobuf_location", + "safeName": "google_protobuf_location" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_LOCATION", + "safeName": "GOOGLE_PROTOBUF_LOCATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufLocation", + "safeName": "GoogleProtobufLocation" + } + }, + "displayName": "Location" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "path", + "camelCase": { + "unsafeName": "path", + "safeName": "path" + }, + "snakeCase": { + "unsafeName": "path", + "safeName": "path" + }, + "screamingSnakeCase": { + "unsafeName": "PATH", + "safeName": "PATH" + }, + "pascalCase": { + "unsafeName": "Path", + "safeName": "Path" + } + }, + "wireValue": "path" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "span", + "camelCase": { + "unsafeName": "span", + "safeName": "span" + }, + "snakeCase": { + "unsafeName": "span", + "safeName": "span" + }, + "screamingSnakeCase": { + "unsafeName": "SPAN", + "safeName": "SPAN" + }, + "pascalCase": { + "unsafeName": "Span", + "safeName": "Span" + } + }, + "wireValue": "span" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "leading_comments", + "camelCase": { + "unsafeName": "leadingComments", + "safeName": "leadingComments" + }, + "snakeCase": { + "unsafeName": "leading_comments", + "safeName": "leading_comments" + }, + "screamingSnakeCase": { + "unsafeName": "LEADING_COMMENTS", + "safeName": "LEADING_COMMENTS" + }, + "pascalCase": { + "unsafeName": "LeadingComments", + "safeName": "LeadingComments" + } + }, + "wireValue": "leading_comments" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "trailing_comments", + "camelCase": { + "unsafeName": "trailingComments", + "safeName": "trailingComments" + }, + "snakeCase": { + "unsafeName": "trailing_comments", + "safeName": "trailing_comments" + }, + "screamingSnakeCase": { + "unsafeName": "TRAILING_COMMENTS", + "safeName": "TRAILING_COMMENTS" + }, + "pascalCase": { + "unsafeName": "TrailingComments", + "safeName": "TrailingComments" + } + }, + "wireValue": "trailing_comments" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "leading_detached_comments", + "camelCase": { + "unsafeName": "leadingDetachedComments", + "safeName": "leadingDetachedComments" + }, + "snakeCase": { + "unsafeName": "leading_detached_comments", + "safeName": "leading_detached_comments" + }, + "screamingSnakeCase": { + "unsafeName": "LEADING_DETACHED_COMMENTS", + "safeName": "LEADING_DETACHED_COMMENTS" + }, + "pascalCase": { + "unsafeName": "LeadingDetachedComments", + "safeName": "LeadingDetachedComments" + } + }, + "wireValue": "leading_detached_comments" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.SourceCodeInfo": { + "name": { + "typeId": "google.protobuf.SourceCodeInfo", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.SourceCodeInfo", + "camelCase": { + "unsafeName": "googleProtobufSourceCodeInfo", + "safeName": "googleProtobufSourceCodeInfo" + }, + "snakeCase": { + "unsafeName": "google_protobuf_source_code_info", + "safeName": "google_protobuf_source_code_info" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO", + "safeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufSourceCodeInfo", + "safeName": "GoogleProtobufSourceCodeInfo" + } + }, + "displayName": "SourceCodeInfo" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "location", + "camelCase": { + "unsafeName": "location", + "safeName": "location" + }, + "snakeCase": { + "unsafeName": "location", + "safeName": "location" + }, + "screamingSnakeCase": { + "unsafeName": "LOCATION", + "safeName": "LOCATION" + }, + "pascalCase": { + "unsafeName": "Location", + "safeName": "Location" + } + }, + "wireValue": "location" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.SourceCodeInfo.Location", + "camelCase": { + "unsafeName": "googleProtobufSourceCodeInfoLocation", + "safeName": "googleProtobufSourceCodeInfoLocation" + }, + "snakeCase": { + "unsafeName": "google_protobuf_source_code_info_location", + "safeName": "google_protobuf_source_code_info_location" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO_LOCATION", + "safeName": "GOOGLE_PROTOBUF_SOURCE_CODE_INFO_LOCATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufSourceCodeInfoLocation", + "safeName": "GoogleProtobufSourceCodeInfoLocation" + } + }, + "typeId": "google.protobuf.SourceCodeInfo.Location", + "default": null, + "inline": false, + "displayName": "location" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.GeneratedCodeInfo.Annotation.Semantic": { + "name": { + "typeId": "GeneratedCodeInfo.Annotation.Semantic", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Semantic", + "camelCase": { + "unsafeName": "googleProtobufSemantic", + "safeName": "googleProtobufSemantic" + }, + "snakeCase": { + "unsafeName": "google_protobuf_semantic", + "safeName": "google_protobuf_semantic" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_SEMANTIC", + "safeName": "GOOGLE_PROTOBUF_SEMANTIC" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufSemantic", + "safeName": "GoogleProtobufSemantic" + } + }, + "displayName": "Semantic" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "NONE", + "camelCase": { + "unsafeName": "none", + "safeName": "none" + }, + "snakeCase": { + "unsafeName": "none", + "safeName": "none" + }, + "screamingSnakeCase": { + "unsafeName": "NONE", + "safeName": "NONE" + }, + "pascalCase": { + "unsafeName": "None", + "safeName": "None" + } + }, + "wireValue": "NONE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SET", + "camelCase": { + "unsafeName": "set", + "safeName": "set" + }, + "snakeCase": { + "unsafeName": "set", + "safeName": "set" + }, + "screamingSnakeCase": { + "unsafeName": "SET", + "safeName": "SET" + }, + "pascalCase": { + "unsafeName": "Set", + "safeName": "Set" + } + }, + "wireValue": "SET" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ALIAS", + "camelCase": { + "unsafeName": "alias", + "safeName": "alias" + }, + "snakeCase": { + "unsafeName": "alias", + "safeName": "alias" + }, + "screamingSnakeCase": { + "unsafeName": "ALIAS", + "safeName": "ALIAS" + }, + "pascalCase": { + "unsafeName": "Alias", + "safeName": "Alias" + } + }, + "wireValue": "ALIAS" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "google.protobuf.GeneratedCodeInfo.Annotation": { + "name": { + "typeId": "GeneratedCodeInfo.Annotation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Annotation", + "camelCase": { + "unsafeName": "googleProtobufAnnotation", + "safeName": "googleProtobufAnnotation" + }, + "snakeCase": { + "unsafeName": "google_protobuf_annotation", + "safeName": "google_protobuf_annotation" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ANNOTATION", + "safeName": "GOOGLE_PROTOBUF_ANNOTATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufAnnotation", + "safeName": "GoogleProtobufAnnotation" + } + }, + "displayName": "Annotation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "path", + "camelCase": { + "unsafeName": "path", + "safeName": "path" + }, + "snakeCase": { + "unsafeName": "path", + "safeName": "path" + }, + "screamingSnakeCase": { + "unsafeName": "PATH", + "safeName": "PATH" + }, + "pascalCase": { + "unsafeName": "Path", + "safeName": "Path" + } + }, + "wireValue": "path" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "source_file", + "camelCase": { + "unsafeName": "sourceFile", + "safeName": "sourceFile" + }, + "snakeCase": { + "unsafeName": "source_file", + "safeName": "source_file" + }, + "screamingSnakeCase": { + "unsafeName": "SOURCE_FILE", + "safeName": "SOURCE_FILE" + }, + "pascalCase": { + "unsafeName": "SourceFile", + "safeName": "SourceFile" + } + }, + "wireValue": "source_file" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "begin", + "camelCase": { + "unsafeName": "begin", + "safeName": "begin" + }, + "snakeCase": { + "unsafeName": "begin", + "safeName": "begin" + }, + "screamingSnakeCase": { + "unsafeName": "BEGIN", + "safeName": "BEGIN" + }, + "pascalCase": { + "unsafeName": "Begin", + "safeName": "Begin" + } + }, + "wireValue": "begin" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "end", + "camelCase": { + "unsafeName": "end", + "safeName": "end" + }, + "snakeCase": { + "unsafeName": "end", + "safeName": "end" + }, + "screamingSnakeCase": { + "unsafeName": "END", + "safeName": "END" + }, + "pascalCase": { + "unsafeName": "End", + "safeName": "End" + } + }, + "wireValue": "end" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "semantic", + "camelCase": { + "unsafeName": "semantic", + "safeName": "semantic" + }, + "snakeCase": { + "unsafeName": "semantic", + "safeName": "semantic" + }, + "screamingSnakeCase": { + "unsafeName": "SEMANTIC", + "safeName": "SEMANTIC" + }, + "pascalCase": { + "unsafeName": "Semantic", + "safeName": "Semantic" + } + }, + "wireValue": "semantic" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.GeneratedCodeInfo.Annotation.Semantic", + "camelCase": { + "unsafeName": "googleProtobufGeneratedCodeInfoAnnotationSemantic", + "safeName": "googleProtobufGeneratedCodeInfoAnnotationSemantic" + }, + "snakeCase": { + "unsafeName": "google_protobuf_generated_code_info_annotation_semantic", + "safeName": "google_protobuf_generated_code_info_annotation_semantic" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO_ANNOTATION_SEMANTIC", + "safeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO_ANNOTATION_SEMANTIC" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufGeneratedCodeInfoAnnotationSemantic", + "safeName": "GoogleProtobufGeneratedCodeInfoAnnotationSemantic" + } + }, + "typeId": "google.protobuf.GeneratedCodeInfo.Annotation.Semantic", + "default": null, + "inline": false, + "displayName": "semantic" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.GeneratedCodeInfo": { + "name": { + "typeId": "google.protobuf.GeneratedCodeInfo", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.GeneratedCodeInfo", + "camelCase": { + "unsafeName": "googleProtobufGeneratedCodeInfo", + "safeName": "googleProtobufGeneratedCodeInfo" + }, + "snakeCase": { + "unsafeName": "google_protobuf_generated_code_info", + "safeName": "google_protobuf_generated_code_info" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO", + "safeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufGeneratedCodeInfo", + "safeName": "GoogleProtobufGeneratedCodeInfo" + } + }, + "displayName": "GeneratedCodeInfo" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "annotation", + "camelCase": { + "unsafeName": "annotation", + "safeName": "annotation" + }, + "snakeCase": { + "unsafeName": "annotation", + "safeName": "annotation" + }, + "screamingSnakeCase": { + "unsafeName": "ANNOTATION", + "safeName": "ANNOTATION" + }, + "pascalCase": { + "unsafeName": "Annotation", + "safeName": "Annotation" + } + }, + "wireValue": "annotation" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.GeneratedCodeInfo.Annotation", + "camelCase": { + "unsafeName": "googleProtobufGeneratedCodeInfoAnnotation", + "safeName": "googleProtobufGeneratedCodeInfoAnnotation" + }, + "snakeCase": { + "unsafeName": "google_protobuf_generated_code_info_annotation", + "safeName": "google_protobuf_generated_code_info_annotation" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO_ANNOTATION", + "safeName": "GOOGLE_PROTOBUF_GENERATED_CODE_INFO_ANNOTATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufGeneratedCodeInfoAnnotation", + "safeName": "GoogleProtobufGeneratedCodeInfoAnnotation" + } + }, + "typeId": "google.protobuf.GeneratedCodeInfo.Annotation", + "default": null, + "inline": false, + "displayName": "annotation" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.AltIdType": { + "name": { + "typeId": "anduril.entitymanager.v1.AltIdType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AltIdType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AltIdType", + "safeName": "andurilEntitymanagerV1AltIdType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_alt_id_type", + "safeName": "anduril_entitymanager_v_1_alt_id_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALT_ID_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALT_ID_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AltIdType", + "safeName": "AndurilEntitymanagerV1AltIdType" + } + }, + "displayName": "AltIdType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_INVALID", + "camelCase": { + "unsafeName": "altIdTypeInvalid", + "safeName": "altIdTypeInvalid" + }, + "snakeCase": { + "unsafeName": "alt_id_type_invalid", + "safeName": "alt_id_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_INVALID", + "safeName": "ALT_ID_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeInvalid", + "safeName": "AltIdTypeInvalid" + } + }, + "wireValue": "ALT_ID_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_TRACK_ID_2", + "camelCase": { + "unsafeName": "altIdTypeTrackId2", + "safeName": "altIdTypeTrackId2" + }, + "snakeCase": { + "unsafeName": "alt_id_type_track_id_2", + "safeName": "alt_id_type_track_id_2" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_TRACK_ID_2", + "safeName": "ALT_ID_TYPE_TRACK_ID_2" + }, + "pascalCase": { + "unsafeName": "AltIdTypeTrackId2", + "safeName": "AltIdTypeTrackId2" + } + }, + "wireValue": "ALT_ID_TYPE_TRACK_ID_2" + }, + "availability": null, + "docs": "an Anduril trackId_2" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_TRACK_ID_1", + "camelCase": { + "unsafeName": "altIdTypeTrackId1", + "safeName": "altIdTypeTrackId1" + }, + "snakeCase": { + "unsafeName": "alt_id_type_track_id_1", + "safeName": "alt_id_type_track_id_1" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_TRACK_ID_1", + "safeName": "ALT_ID_TYPE_TRACK_ID_1" + }, + "pascalCase": { + "unsafeName": "AltIdTypeTrackId1", + "safeName": "AltIdTypeTrackId1" + } + }, + "wireValue": "ALT_ID_TYPE_TRACK_ID_1" + }, + "availability": null, + "docs": "an Anduril trackId_1" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_SPI_ID", + "camelCase": { + "unsafeName": "altIdTypeSpiId", + "safeName": "altIdTypeSpiId" + }, + "snakeCase": { + "unsafeName": "alt_id_type_spi_id", + "safeName": "alt_id_type_spi_id" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_SPI_ID", + "safeName": "ALT_ID_TYPE_SPI_ID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeSpiId", + "safeName": "AltIdTypeSpiId" + } + }, + "wireValue": "ALT_ID_TYPE_SPI_ID" + }, + "availability": null, + "docs": "an Anduril Sensor Point of Interest ID" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_NITF_FILE_TITLE", + "camelCase": { + "unsafeName": "altIdTypeNitfFileTitle", + "safeName": "altIdTypeNitfFileTitle" + }, + "snakeCase": { + "unsafeName": "alt_id_type_nitf_file_title", + "safeName": "alt_id_type_nitf_file_title" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_NITF_FILE_TITLE", + "safeName": "ALT_ID_TYPE_NITF_FILE_TITLE" + }, + "pascalCase": { + "unsafeName": "AltIdTypeNitfFileTitle", + "safeName": "AltIdTypeNitfFileTitle" + } + }, + "wireValue": "ALT_ID_TYPE_NITF_FILE_TITLE" + }, + "availability": null, + "docs": "NITF file title" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_TRACK_REPO_ALERT_ID", + "camelCase": { + "unsafeName": "altIdTypeTrackRepoAlertId", + "safeName": "altIdTypeTrackRepoAlertId" + }, + "snakeCase": { + "unsafeName": "alt_id_type_track_repo_alert_id", + "safeName": "alt_id_type_track_repo_alert_id" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_TRACK_REPO_ALERT_ID", + "safeName": "ALT_ID_TYPE_TRACK_REPO_ALERT_ID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeTrackRepoAlertId", + "safeName": "AltIdTypeTrackRepoAlertId" + } + }, + "wireValue": "ALT_ID_TYPE_TRACK_REPO_ALERT_ID" + }, + "availability": null, + "docs": "Track repo alert ID" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_ASSET_ID", + "camelCase": { + "unsafeName": "altIdTypeAssetId", + "safeName": "altIdTypeAssetId" + }, + "snakeCase": { + "unsafeName": "alt_id_type_asset_id", + "safeName": "alt_id_type_asset_id" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_ASSET_ID", + "safeName": "ALT_ID_TYPE_ASSET_ID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeAssetId", + "safeName": "AltIdTypeAssetId" + } + }, + "wireValue": "ALT_ID_TYPE_ASSET_ID" + }, + "availability": null, + "docs": "an Anduril AssetId" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_LINK16_TRACK_NUMBER", + "camelCase": { + "unsafeName": "altIdTypeLink16TrackNumber", + "safeName": "altIdTypeLink16TrackNumber" + }, + "snakeCase": { + "unsafeName": "alt_id_type_link_16_track_number", + "safeName": "alt_id_type_link_16_track_number" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_LINK_16_TRACK_NUMBER", + "safeName": "ALT_ID_TYPE_LINK_16_TRACK_NUMBER" + }, + "pascalCase": { + "unsafeName": "AltIdTypeLink16TrackNumber", + "safeName": "AltIdTypeLink16TrackNumber" + } + }, + "wireValue": "ALT_ID_TYPE_LINK16_TRACK_NUMBER" + }, + "availability": null, + "docs": "Use for Link 16 track identifiers for non-JTIDS Unit entities." + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_LINK16_JU", + "camelCase": { + "unsafeName": "altIdTypeLink16Ju", + "safeName": "altIdTypeLink16Ju" + }, + "snakeCase": { + "unsafeName": "alt_id_type_link_16_ju", + "safeName": "alt_id_type_link_16_ju" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_LINK_16_JU", + "safeName": "ALT_ID_TYPE_LINK_16_JU" + }, + "pascalCase": { + "unsafeName": "AltIdTypeLink16Ju", + "safeName": "AltIdTypeLink16Ju" + } + }, + "wireValue": "ALT_ID_TYPE_LINK16_JU" + }, + "availability": null, + "docs": "Use for Link 16 JTIDS Unit identifiers." + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_NCCT_MESSAGE_ID", + "camelCase": { + "unsafeName": "altIdTypeNcctMessageId", + "safeName": "altIdTypeNcctMessageId" + }, + "snakeCase": { + "unsafeName": "alt_id_type_ncct_message_id", + "safeName": "alt_id_type_ncct_message_id" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_NCCT_MESSAGE_ID", + "safeName": "ALT_ID_TYPE_NCCT_MESSAGE_ID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeNcctMessageId", + "safeName": "AltIdTypeNcctMessageId" + } + }, + "wireValue": "ALT_ID_TYPE_NCCT_MESSAGE_ID" + }, + "availability": null, + "docs": "an NCCT message ID" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_CALLSIGN", + "camelCase": { + "unsafeName": "altIdTypeCallsign", + "safeName": "altIdTypeCallsign" + }, + "snakeCase": { + "unsafeName": "alt_id_type_callsign", + "safeName": "alt_id_type_callsign" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_CALLSIGN", + "safeName": "ALT_ID_TYPE_CALLSIGN" + }, + "pascalCase": { + "unsafeName": "AltIdTypeCallsign", + "safeName": "AltIdTypeCallsign" + } + }, + "wireValue": "ALT_ID_TYPE_CALLSIGN" + }, + "availability": null, + "docs": "callsign for the entity. e.g. a TAK callsign or an aircraft callsign" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_MMSI_ID", + "camelCase": { + "unsafeName": "altIdTypeMmsiId", + "safeName": "altIdTypeMmsiId" + }, + "snakeCase": { + "unsafeName": "alt_id_type_mmsi_id", + "safeName": "alt_id_type_mmsi_id" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_MMSI_ID", + "safeName": "ALT_ID_TYPE_MMSI_ID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeMmsiId", + "safeName": "AltIdTypeMmsiId" + } + }, + "wireValue": "ALT_ID_TYPE_MMSI_ID" + }, + "availability": null, + "docs": "the Maritime Mobile Service Identity for a maritime object (vessel, offshore installation, etc.)" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_VMF_URN", + "camelCase": { + "unsafeName": "altIdTypeVmfUrn", + "safeName": "altIdTypeVmfUrn" + }, + "snakeCase": { + "unsafeName": "alt_id_type_vmf_urn", + "safeName": "alt_id_type_vmf_urn" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_VMF_URN", + "safeName": "ALT_ID_TYPE_VMF_URN" + }, + "pascalCase": { + "unsafeName": "AltIdTypeVmfUrn", + "safeName": "AltIdTypeVmfUrn" + } + }, + "wireValue": "ALT_ID_TYPE_VMF_URN" + }, + "availability": null, + "docs": "A VMF URN that uniquely identifies the URN on the VMF network." + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_IMO_ID", + "camelCase": { + "unsafeName": "altIdTypeImoId", + "safeName": "altIdTypeImoId" + }, + "snakeCase": { + "unsafeName": "alt_id_type_imo_id", + "safeName": "alt_id_type_imo_id" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_IMO_ID", + "safeName": "ALT_ID_TYPE_IMO_ID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeImoId", + "safeName": "AltIdTypeImoId" + } + }, + "wireValue": "ALT_ID_TYPE_IMO_ID" + }, + "availability": null, + "docs": "the International Maritime Organization number for identifying maritime objects (vessel, offshore installation, etc.)" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_VMF_TARGET_NUMBER", + "camelCase": { + "unsafeName": "altIdTypeVmfTargetNumber", + "safeName": "altIdTypeVmfTargetNumber" + }, + "snakeCase": { + "unsafeName": "alt_id_type_vmf_target_number", + "safeName": "alt_id_type_vmf_target_number" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_VMF_TARGET_NUMBER", + "safeName": "ALT_ID_TYPE_VMF_TARGET_NUMBER" + }, + "pascalCase": { + "unsafeName": "AltIdTypeVmfTargetNumber", + "safeName": "AltIdTypeVmfTargetNumber" + } + }, + "wireValue": "ALT_ID_TYPE_VMF_TARGET_NUMBER" + }, + "availability": null, + "docs": "A VMF target number that uniquely identifies the target on the VMF network" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_SERIAL_NUMBER", + "camelCase": { + "unsafeName": "altIdTypeSerialNumber", + "safeName": "altIdTypeSerialNumber" + }, + "snakeCase": { + "unsafeName": "alt_id_type_serial_number", + "safeName": "alt_id_type_serial_number" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_SERIAL_NUMBER", + "safeName": "ALT_ID_TYPE_SERIAL_NUMBER" + }, + "pascalCase": { + "unsafeName": "AltIdTypeSerialNumber", + "safeName": "AltIdTypeSerialNumber" + } + }, + "wireValue": "ALT_ID_TYPE_SERIAL_NUMBER" + }, + "availability": null, + "docs": "A serial number that uniquely identifies the entity and is permanently associated with only one entity. This\\n identifier is assigned by some authority and only ever identifies a single thing. Examples include a\\n Vehicle Identification Number (VIN) or ship hull identification number (hull number). This is a generalized\\n component and should not be used if a more specific registration type is already defined (i.e., ALT_ID_TYPE_VMF_URN)." + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_REGISTRATION_ID", + "camelCase": { + "unsafeName": "altIdTypeRegistrationId", + "safeName": "altIdTypeRegistrationId" + }, + "snakeCase": { + "unsafeName": "alt_id_type_registration_id", + "safeName": "alt_id_type_registration_id" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_REGISTRATION_ID", + "safeName": "ALT_ID_TYPE_REGISTRATION_ID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeRegistrationId", + "safeName": "AltIdTypeRegistrationId" + } + }, + "wireValue": "ALT_ID_TYPE_REGISTRATION_ID" + }, + "availability": null, + "docs": "A registration identifier assigned by a local or national authority. This identifier is not permanently fixed\\n to one specific entity and may be reassigned on change of ownership, destruction, or other conditions set\\n forth by the authority. Examples include a vehicle license plate or aircraft tail number. This is a generalized\\n component and should not be used if a more specific registration type is already defined (i.e., ALT_ID_TYPE_IMO_ID)." + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_IBS_GID", + "camelCase": { + "unsafeName": "altIdTypeIbsGid", + "safeName": "altIdTypeIbsGid" + }, + "snakeCase": { + "unsafeName": "alt_id_type_ibs_gid", + "safeName": "alt_id_type_ibs_gid" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_IBS_GID", + "safeName": "ALT_ID_TYPE_IBS_GID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeIbsGid", + "safeName": "AltIdTypeIbsGid" + } + }, + "wireValue": "ALT_ID_TYPE_IBS_GID" + }, + "availability": null, + "docs": "Integrated Broadcast Service Common Message Format Global Identifier" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_DODAAC", + "camelCase": { + "unsafeName": "altIdTypeDodaac", + "safeName": "altIdTypeDodaac" + }, + "snakeCase": { + "unsafeName": "alt_id_type_dodaac", + "safeName": "alt_id_type_dodaac" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_DODAAC", + "safeName": "ALT_ID_TYPE_DODAAC" + }, + "pascalCase": { + "unsafeName": "AltIdTypeDodaac", + "safeName": "AltIdTypeDodaac" + } + }, + "wireValue": "ALT_ID_TYPE_DODAAC" + }, + "availability": null, + "docs": "Department of Defense Activity Address Code." + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_UIC", + "camelCase": { + "unsafeName": "altIdTypeUic", + "safeName": "altIdTypeUic" + }, + "snakeCase": { + "unsafeName": "alt_id_type_uic", + "safeName": "alt_id_type_uic" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_UIC", + "safeName": "ALT_ID_TYPE_UIC" + }, + "pascalCase": { + "unsafeName": "AltIdTypeUic", + "safeName": "AltIdTypeUic" + } + }, + "wireValue": "ALT_ID_TYPE_UIC" + }, + "availability": null, + "docs": "Unit Identification Code uniquely identifies each US Department of Defense entity" + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_NORAD_CAT_ID", + "camelCase": { + "unsafeName": "altIdTypeNoradCatId", + "safeName": "altIdTypeNoradCatId" + }, + "snakeCase": { + "unsafeName": "alt_id_type_norad_cat_id", + "safeName": "alt_id_type_norad_cat_id" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_NORAD_CAT_ID", + "safeName": "ALT_ID_TYPE_NORAD_CAT_ID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeNoradCatId", + "safeName": "AltIdTypeNoradCatId" + } + }, + "wireValue": "ALT_ID_TYPE_NORAD_CAT_ID" + }, + "availability": null, + "docs": "A NORAD Satellite Catalog Number, a 9-digit number uniquely representing orbital objects around Earth.\\n of strictly numeric." + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_UNOOSA_NAME", + "camelCase": { + "unsafeName": "altIdTypeUnoosaName", + "safeName": "altIdTypeUnoosaName" + }, + "snakeCase": { + "unsafeName": "alt_id_type_unoosa_name", + "safeName": "alt_id_type_unoosa_name" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_UNOOSA_NAME", + "safeName": "ALT_ID_TYPE_UNOOSA_NAME" + }, + "pascalCase": { + "unsafeName": "AltIdTypeUnoosaName", + "safeName": "AltIdTypeUnoosaName" + } + }, + "wireValue": "ALT_ID_TYPE_UNOOSA_NAME" + }, + "availability": null, + "docs": "Space object name. If populated, use names from the UN Office\\n of Outer Space Affairs designator index, otherwise set field to UNKNOWN." + }, + { + "name": { + "name": { + "originalName": "ALT_ID_TYPE_UNOOSA_ID", + "camelCase": { + "unsafeName": "altIdTypeUnoosaId", + "safeName": "altIdTypeUnoosaId" + }, + "snakeCase": { + "unsafeName": "alt_id_type_unoosa_id", + "safeName": "alt_id_type_unoosa_id" + }, + "screamingSnakeCase": { + "unsafeName": "ALT_ID_TYPE_UNOOSA_ID", + "safeName": "ALT_ID_TYPE_UNOOSA_ID" + }, + "pascalCase": { + "unsafeName": "AltIdTypeUnoosaId", + "safeName": "AltIdTypeUnoosaId" + } + }, + "wireValue": "ALT_ID_TYPE_UNOOSA_ID" + }, + "availability": null, + "docs": "Space object identifier. If populated, use the international spacecraft designator\\n as published in the UN Office of Outer Space Affairs designator index, otherwise set to UNKNOWN.\\n Recommended values have the format YYYYNNNP{PP}, where:\\n YYYY = Year of launch.\\n NNN = Three-digit serial number of launch\\n in year YYYY (with leading zeros).\\n P{PP} = At least one capital letter for the\\n identification of the part brought\\n into space by the launch." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The type of alternate id." + }, + "anduril.entitymanager.v1.Template": { + "name": { + "typeId": "anduril.entitymanager.v1.Template", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Template", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Template", + "safeName": "andurilEntitymanagerV1Template" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_template", + "safeName": "anduril_entitymanager_v_1_template" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TEMPLATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TEMPLATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Template", + "safeName": "AndurilEntitymanagerV1Template" + } + }, + "displayName": "Template" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "TEMPLATE_INVALID", + "camelCase": { + "unsafeName": "templateInvalid", + "safeName": "templateInvalid" + }, + "snakeCase": { + "unsafeName": "template_invalid", + "safeName": "template_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "TEMPLATE_INVALID", + "safeName": "TEMPLATE_INVALID" + }, + "pascalCase": { + "unsafeName": "TemplateInvalid", + "safeName": "TemplateInvalid" + } + }, + "wireValue": "TEMPLATE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TEMPLATE_TRACK", + "camelCase": { + "unsafeName": "templateTrack", + "safeName": "templateTrack" + }, + "snakeCase": { + "unsafeName": "template_track", + "safeName": "template_track" + }, + "screamingSnakeCase": { + "unsafeName": "TEMPLATE_TRACK", + "safeName": "TEMPLATE_TRACK" + }, + "pascalCase": { + "unsafeName": "TemplateTrack", + "safeName": "TemplateTrack" + } + }, + "wireValue": "TEMPLATE_TRACK" + }, + "availability": null, + "docs": "additional track required components:\\n * location\\n * mil_view" + }, + { + "name": { + "name": { + "originalName": "TEMPLATE_SENSOR_POINT_OF_INTEREST", + "camelCase": { + "unsafeName": "templateSensorPointOfInterest", + "safeName": "templateSensorPointOfInterest" + }, + "snakeCase": { + "unsafeName": "template_sensor_point_of_interest", + "safeName": "template_sensor_point_of_interest" + }, + "screamingSnakeCase": { + "unsafeName": "TEMPLATE_SENSOR_POINT_OF_INTEREST", + "safeName": "TEMPLATE_SENSOR_POINT_OF_INTEREST" + }, + "pascalCase": { + "unsafeName": "TemplateSensorPointOfInterest", + "safeName": "TemplateSensorPointOfInterest" + } + }, + "wireValue": "TEMPLATE_SENSOR_POINT_OF_INTEREST" + }, + "availability": null, + "docs": "additional SPI required components:\\n * location\\n * mil_view\\n * produced_by" + }, + { + "name": { + "name": { + "originalName": "TEMPLATE_ASSET", + "camelCase": { + "unsafeName": "templateAsset", + "safeName": "templateAsset" + }, + "snakeCase": { + "unsafeName": "template_asset", + "safeName": "template_asset" + }, + "screamingSnakeCase": { + "unsafeName": "TEMPLATE_ASSET", + "safeName": "TEMPLATE_ASSET" + }, + "pascalCase": { + "unsafeName": "TemplateAsset", + "safeName": "TemplateAsset" + } + }, + "wireValue": "TEMPLATE_ASSET" + }, + "availability": null, + "docs": "additional asset required components:\\n * location\\n * mil_view\\n * ontology" + }, + { + "name": { + "name": { + "originalName": "TEMPLATE_GEO", + "camelCase": { + "unsafeName": "templateGeo", + "safeName": "templateGeo" + }, + "snakeCase": { + "unsafeName": "template_geo", + "safeName": "template_geo" + }, + "screamingSnakeCase": { + "unsafeName": "TEMPLATE_GEO", + "safeName": "TEMPLATE_GEO" + }, + "pascalCase": { + "unsafeName": "TemplateGeo", + "safeName": "TemplateGeo" + } + }, + "wireValue": "TEMPLATE_GEO" + }, + "availability": null, + "docs": "additional geo required components:\\n * geo_shape\\n * geo_details" + }, + { + "name": { + "name": { + "originalName": "TEMPLATE_SIGNAL_OF_INTEREST", + "camelCase": { + "unsafeName": "templateSignalOfInterest", + "safeName": "templateSignalOfInterest" + }, + "snakeCase": { + "unsafeName": "template_signal_of_interest", + "safeName": "template_signal_of_interest" + }, + "screamingSnakeCase": { + "unsafeName": "TEMPLATE_SIGNAL_OF_INTEREST", + "safeName": "TEMPLATE_SIGNAL_OF_INTEREST" + }, + "pascalCase": { + "unsafeName": "TemplateSignalOfInterest", + "safeName": "TemplateSignalOfInterest" + } + }, + "wireValue": "TEMPLATE_SIGNAL_OF_INTEREST" + }, + "availability": null, + "docs": "additional SOI required components:\\n * signal\\n * location field should be populated if there is a fix.\\n * mil_view\\n * ontology" + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Set of possible templates used when creating an entity.\\n This impacts minimum required component sets and can be used by edge systems that need to distinguish." + }, + "anduril.entitymanager.v1.OverrideStatus": { + "name": { + "typeId": "anduril.entitymanager.v1.OverrideStatus", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OverrideStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OverrideStatus", + "safeName": "andurilEntitymanagerV1OverrideStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override_status", + "safeName": "anduril_entitymanager_v_1_override_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OverrideStatus", + "safeName": "AndurilEntitymanagerV1OverrideStatus" + } + }, + "displayName": "OverrideStatus" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "OVERRIDE_STATUS_INVALID", + "camelCase": { + "unsafeName": "overrideStatusInvalid", + "safeName": "overrideStatusInvalid" + }, + "snakeCase": { + "unsafeName": "override_status_invalid", + "safeName": "override_status_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDE_STATUS_INVALID", + "safeName": "OVERRIDE_STATUS_INVALID" + }, + "pascalCase": { + "unsafeName": "OverrideStatusInvalid", + "safeName": "OverrideStatusInvalid" + } + }, + "wireValue": "OVERRIDE_STATUS_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "OVERRIDE_STATUS_APPLIED", + "camelCase": { + "unsafeName": "overrideStatusApplied", + "safeName": "overrideStatusApplied" + }, + "snakeCase": { + "unsafeName": "override_status_applied", + "safeName": "override_status_applied" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDE_STATUS_APPLIED", + "safeName": "OVERRIDE_STATUS_APPLIED" + }, + "pascalCase": { + "unsafeName": "OverrideStatusApplied", + "safeName": "OverrideStatusApplied" + } + }, + "wireValue": "OVERRIDE_STATUS_APPLIED" + }, + "availability": null, + "docs": "the override was applied to the entity." + }, + { + "name": { + "name": { + "originalName": "OVERRIDE_STATUS_PENDING", + "camelCase": { + "unsafeName": "overrideStatusPending", + "safeName": "overrideStatusPending" + }, + "snakeCase": { + "unsafeName": "override_status_pending", + "safeName": "override_status_pending" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDE_STATUS_PENDING", + "safeName": "OVERRIDE_STATUS_PENDING" + }, + "pascalCase": { + "unsafeName": "OverrideStatusPending", + "safeName": "OverrideStatusPending" + } + }, + "wireValue": "OVERRIDE_STATUS_PENDING" + }, + "availability": null, + "docs": "the override is pending action." + }, + { + "name": { + "name": { + "originalName": "OVERRIDE_STATUS_TIMEOUT", + "camelCase": { + "unsafeName": "overrideStatusTimeout", + "safeName": "overrideStatusTimeout" + }, + "snakeCase": { + "unsafeName": "override_status_timeout", + "safeName": "override_status_timeout" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDE_STATUS_TIMEOUT", + "safeName": "OVERRIDE_STATUS_TIMEOUT" + }, + "pascalCase": { + "unsafeName": "OverrideStatusTimeout", + "safeName": "OverrideStatusTimeout" + } + }, + "wireValue": "OVERRIDE_STATUS_TIMEOUT" + }, + "availability": null, + "docs": "the override has been timed out." + }, + { + "name": { + "name": { + "originalName": "OVERRIDE_STATUS_REJECTED", + "camelCase": { + "unsafeName": "overrideStatusRejected", + "safeName": "overrideStatusRejected" + }, + "snakeCase": { + "unsafeName": "override_status_rejected", + "safeName": "override_status_rejected" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDE_STATUS_REJECTED", + "safeName": "OVERRIDE_STATUS_REJECTED" + }, + "pascalCase": { + "unsafeName": "OverrideStatusRejected", + "safeName": "OverrideStatusRejected" + } + }, + "wireValue": "OVERRIDE_STATUS_REJECTED" + }, + "availability": null, + "docs": "the override has been rejected" + }, + { + "name": { + "name": { + "originalName": "OVERRIDE_STATUS_DELETION_PENDING", + "camelCase": { + "unsafeName": "overrideStatusDeletionPending", + "safeName": "overrideStatusDeletionPending" + }, + "snakeCase": { + "unsafeName": "override_status_deletion_pending", + "safeName": "override_status_deletion_pending" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDE_STATUS_DELETION_PENDING", + "safeName": "OVERRIDE_STATUS_DELETION_PENDING" + }, + "pascalCase": { + "unsafeName": "OverrideStatusDeletionPending", + "safeName": "OverrideStatusDeletionPending" + } + }, + "wireValue": "OVERRIDE_STATUS_DELETION_PENDING" + }, + "availability": null, + "docs": "The override is pending deletion." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The state of an override." + }, + "anduril.entitymanager.v1.OverrideType": { + "name": { + "typeId": "anduril.entitymanager.v1.OverrideType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OverrideType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OverrideType", + "safeName": "andurilEntitymanagerV1OverrideType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override_type", + "safeName": "anduril_entitymanager_v_1_override_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OverrideType", + "safeName": "AndurilEntitymanagerV1OverrideType" + } + }, + "displayName": "OverrideType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "OVERRIDE_TYPE_INVALID", + "camelCase": { + "unsafeName": "overrideTypeInvalid", + "safeName": "overrideTypeInvalid" + }, + "snakeCase": { + "unsafeName": "override_type_invalid", + "safeName": "override_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDE_TYPE_INVALID", + "safeName": "OVERRIDE_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "OverrideTypeInvalid", + "safeName": "OverrideTypeInvalid" + } + }, + "wireValue": "OVERRIDE_TYPE_INVALID" + }, + "availability": null, + "docs": "The override type value was not set. This value is interpreted as OVERRIDE_TYPE_LIVE for backward compatibility." + }, + { + "name": { + "name": { + "originalName": "OVERRIDE_TYPE_LIVE", + "camelCase": { + "unsafeName": "overrideTypeLive", + "safeName": "overrideTypeLive" + }, + "snakeCase": { + "unsafeName": "override_type_live", + "safeName": "override_type_live" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDE_TYPE_LIVE", + "safeName": "OVERRIDE_TYPE_LIVE" + }, + "pascalCase": { + "unsafeName": "OverrideTypeLive", + "safeName": "OverrideTypeLive" + } + }, + "wireValue": "OVERRIDE_TYPE_LIVE" + }, + "availability": null, + "docs": "Override was requested when the entity was live according to the Entity Manager instance that handled the request." + }, + { + "name": { + "name": { + "originalName": "OVERRIDE_TYPE_POST_EXPIRY", + "camelCase": { + "unsafeName": "overrideTypePostExpiry", + "safeName": "overrideTypePostExpiry" + }, + "snakeCase": { + "unsafeName": "override_type_post_expiry", + "safeName": "override_type_post_expiry" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDE_TYPE_POST_EXPIRY", + "safeName": "OVERRIDE_TYPE_POST_EXPIRY" + }, + "pascalCase": { + "unsafeName": "OverrideTypePostExpiry", + "safeName": "OverrideTypePostExpiry" + } + }, + "wireValue": "OVERRIDE_TYPE_POST_EXPIRY" + }, + "availability": null, + "docs": "Override was requested after the entity expired according to the Entity Manager instance that handled the request." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.UInt32Range": { + "name": { + "typeId": "anduril.entitymanager.v1.UInt32Range", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.UInt32Range", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1UInt32Range", + "safeName": "andurilEntitymanagerV1UInt32Range" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_u_int_32_range", + "safeName": "anduril_entitymanager_v_1_u_int_32_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_U_INT_32_RANGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_U_INT_32_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1UInt32Range", + "safeName": "AndurilEntitymanagerV1UInt32Range" + } + }, + "displayName": "UInt32Range" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "lower_bound", + "camelCase": { + "unsafeName": "lowerBound", + "safeName": "lowerBound" + }, + "snakeCase": { + "unsafeName": "lower_bound", + "safeName": "lower_bound" + }, + "screamingSnakeCase": { + "unsafeName": "LOWER_BOUND", + "safeName": "LOWER_BOUND" + }, + "pascalCase": { + "unsafeName": "LowerBound", + "safeName": "LowerBound" + } + }, + "wireValue": "lower_bound" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "upper_bound", + "camelCase": { + "unsafeName": "upperBound", + "safeName": "upperBound" + }, + "snakeCase": { + "unsafeName": "upper_bound", + "safeName": "upper_bound" + }, + "screamingSnakeCase": { + "unsafeName": "UPPER_BOUND", + "safeName": "UPPER_BOUND" + }, + "pascalCase": { + "unsafeName": "UpperBound", + "safeName": "UpperBound" + } + }, + "wireValue": "upper_bound" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.FloatRange": { + "name": { + "typeId": "anduril.entitymanager.v1.FloatRange", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.FloatRange", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1FloatRange", + "safeName": "andurilEntitymanagerV1FloatRange" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_float_range", + "safeName": "anduril_entitymanager_v_1_float_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FLOAT_RANGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FLOAT_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1FloatRange", + "safeName": "AndurilEntitymanagerV1FloatRange" + } + }, + "displayName": "FloatRange" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "lower_bound", + "camelCase": { + "unsafeName": "lowerBound", + "safeName": "lowerBound" + }, + "snakeCase": { + "unsafeName": "lower_bound", + "safeName": "lower_bound" + }, + "screamingSnakeCase": { + "unsafeName": "LOWER_BOUND", + "safeName": "LOWER_BOUND" + }, + "pascalCase": { + "unsafeName": "LowerBound", + "safeName": "LowerBound" + } + }, + "wireValue": "lower_bound" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "upper_bound", + "camelCase": { + "unsafeName": "upperBound", + "safeName": "upperBound" + }, + "snakeCase": { + "unsafeName": "upper_bound", + "safeName": "upper_bound" + }, + "screamingSnakeCase": { + "unsafeName": "UPPER_BOUND", + "safeName": "UPPER_BOUND" + }, + "pascalCase": { + "unsafeName": "UpperBound", + "safeName": "UpperBound" + } + }, + "wireValue": "upper_bound" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.ontology.v1.Disposition": { + "name": { + "typeId": "anduril.ontology.v1.Disposition", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.ontology.v1.Disposition", + "camelCase": { + "unsafeName": "andurilOntologyV1Disposition", + "safeName": "andurilOntologyV1Disposition" + }, + "snakeCase": { + "unsafeName": "anduril_ontology_v_1_disposition", + "safeName": "anduril_ontology_v_1_disposition" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ONTOLOGY_V_1_DISPOSITION", + "safeName": "ANDURIL_ONTOLOGY_V_1_DISPOSITION" + }, + "pascalCase": { + "unsafeName": "AndurilOntologyV1Disposition", + "safeName": "AndurilOntologyV1Disposition" + } + }, + "displayName": "Disposition" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "DISPOSITION_UNKNOWN", + "camelCase": { + "unsafeName": "dispositionUnknown", + "safeName": "dispositionUnknown" + }, + "snakeCase": { + "unsafeName": "disposition_unknown", + "safeName": "disposition_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "DISPOSITION_UNKNOWN", + "safeName": "DISPOSITION_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "DispositionUnknown", + "safeName": "DispositionUnknown" + } + }, + "wireValue": "DISPOSITION_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "DISPOSITION_FRIENDLY", + "camelCase": { + "unsafeName": "dispositionFriendly", + "safeName": "dispositionFriendly" + }, + "snakeCase": { + "unsafeName": "disposition_friendly", + "safeName": "disposition_friendly" + }, + "screamingSnakeCase": { + "unsafeName": "DISPOSITION_FRIENDLY", + "safeName": "DISPOSITION_FRIENDLY" + }, + "pascalCase": { + "unsafeName": "DispositionFriendly", + "safeName": "DispositionFriendly" + } + }, + "wireValue": "DISPOSITION_FRIENDLY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "DISPOSITION_HOSTILE", + "camelCase": { + "unsafeName": "dispositionHostile", + "safeName": "dispositionHostile" + }, + "snakeCase": { + "unsafeName": "disposition_hostile", + "safeName": "disposition_hostile" + }, + "screamingSnakeCase": { + "unsafeName": "DISPOSITION_HOSTILE", + "safeName": "DISPOSITION_HOSTILE" + }, + "pascalCase": { + "unsafeName": "DispositionHostile", + "safeName": "DispositionHostile" + } + }, + "wireValue": "DISPOSITION_HOSTILE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "DISPOSITION_SUSPICIOUS", + "camelCase": { + "unsafeName": "dispositionSuspicious", + "safeName": "dispositionSuspicious" + }, + "snakeCase": { + "unsafeName": "disposition_suspicious", + "safeName": "disposition_suspicious" + }, + "screamingSnakeCase": { + "unsafeName": "DISPOSITION_SUSPICIOUS", + "safeName": "DISPOSITION_SUSPICIOUS" + }, + "pascalCase": { + "unsafeName": "DispositionSuspicious", + "safeName": "DispositionSuspicious" + } + }, + "wireValue": "DISPOSITION_SUSPICIOUS" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "DISPOSITION_ASSUMED_FRIENDLY", + "camelCase": { + "unsafeName": "dispositionAssumedFriendly", + "safeName": "dispositionAssumedFriendly" + }, + "snakeCase": { + "unsafeName": "disposition_assumed_friendly", + "safeName": "disposition_assumed_friendly" + }, + "screamingSnakeCase": { + "unsafeName": "DISPOSITION_ASSUMED_FRIENDLY", + "safeName": "DISPOSITION_ASSUMED_FRIENDLY" + }, + "pascalCase": { + "unsafeName": "DispositionAssumedFriendly", + "safeName": "DispositionAssumedFriendly" + } + }, + "wireValue": "DISPOSITION_ASSUMED_FRIENDLY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "DISPOSITION_NEUTRAL", + "camelCase": { + "unsafeName": "dispositionNeutral", + "safeName": "dispositionNeutral" + }, + "snakeCase": { + "unsafeName": "disposition_neutral", + "safeName": "disposition_neutral" + }, + "screamingSnakeCase": { + "unsafeName": "DISPOSITION_NEUTRAL", + "safeName": "DISPOSITION_NEUTRAL" + }, + "pascalCase": { + "unsafeName": "DispositionNeutral", + "safeName": "DispositionNeutral" + } + }, + "wireValue": "DISPOSITION_NEUTRAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "DISPOSITION_PENDING", + "camelCase": { + "unsafeName": "dispositionPending", + "safeName": "dispositionPending" + }, + "snakeCase": { + "unsafeName": "disposition_pending", + "safeName": "disposition_pending" + }, + "screamingSnakeCase": { + "unsafeName": "DISPOSITION_PENDING", + "safeName": "DISPOSITION_PENDING" + }, + "pascalCase": { + "unsafeName": "DispositionPending", + "safeName": "DispositionPending" + } + }, + "wireValue": "DISPOSITION_PENDING" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Refers to the relationship of the tracker to the operational object being represented.\\n Maps 1 to 1 with mil-std affiliation. Pending is a default, yet to be classified object.\\n Ranking from most friendly to most hostile:\\n FRIENDLY\\n ASSUMED FRIENDLY\\n NEUTRAL\\n PENDING\\n UNKNOWN\\n SUSPICIOUS\\n HOSTILE" + }, + "anduril.ontology.v1.Environment": { + "name": { + "typeId": "anduril.ontology.v1.Environment", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.ontology.v1.Environment", + "camelCase": { + "unsafeName": "andurilOntologyV1Environment", + "safeName": "andurilOntologyV1Environment" + }, + "snakeCase": { + "unsafeName": "anduril_ontology_v_1_environment", + "safeName": "anduril_ontology_v_1_environment" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT", + "safeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT" + }, + "pascalCase": { + "unsafeName": "AndurilOntologyV1Environment", + "safeName": "AndurilOntologyV1Environment" + } + }, + "displayName": "Environment" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "ENVIRONMENT_UNKNOWN", + "camelCase": { + "unsafeName": "environmentUnknown", + "safeName": "environmentUnknown" + }, + "snakeCase": { + "unsafeName": "environment_unknown", + "safeName": "environment_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "ENVIRONMENT_UNKNOWN", + "safeName": "ENVIRONMENT_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "EnvironmentUnknown", + "safeName": "EnvironmentUnknown" + } + }, + "wireValue": "ENVIRONMENT_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ENVIRONMENT_AIR", + "camelCase": { + "unsafeName": "environmentAir", + "safeName": "environmentAir" + }, + "snakeCase": { + "unsafeName": "environment_air", + "safeName": "environment_air" + }, + "screamingSnakeCase": { + "unsafeName": "ENVIRONMENT_AIR", + "safeName": "ENVIRONMENT_AIR" + }, + "pascalCase": { + "unsafeName": "EnvironmentAir", + "safeName": "EnvironmentAir" + } + }, + "wireValue": "ENVIRONMENT_AIR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ENVIRONMENT_SURFACE", + "camelCase": { + "unsafeName": "environmentSurface", + "safeName": "environmentSurface" + }, + "snakeCase": { + "unsafeName": "environment_surface", + "safeName": "environment_surface" + }, + "screamingSnakeCase": { + "unsafeName": "ENVIRONMENT_SURFACE", + "safeName": "ENVIRONMENT_SURFACE" + }, + "pascalCase": { + "unsafeName": "EnvironmentSurface", + "safeName": "EnvironmentSurface" + } + }, + "wireValue": "ENVIRONMENT_SURFACE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ENVIRONMENT_SUB_SURFACE", + "camelCase": { + "unsafeName": "environmentSubSurface", + "safeName": "environmentSubSurface" + }, + "snakeCase": { + "unsafeName": "environment_sub_surface", + "safeName": "environment_sub_surface" + }, + "screamingSnakeCase": { + "unsafeName": "ENVIRONMENT_SUB_SURFACE", + "safeName": "ENVIRONMENT_SUB_SURFACE" + }, + "pascalCase": { + "unsafeName": "EnvironmentSubSurface", + "safeName": "EnvironmentSubSurface" + } + }, + "wireValue": "ENVIRONMENT_SUB_SURFACE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ENVIRONMENT_LAND", + "camelCase": { + "unsafeName": "environmentLand", + "safeName": "environmentLand" + }, + "snakeCase": { + "unsafeName": "environment_land", + "safeName": "environment_land" + }, + "screamingSnakeCase": { + "unsafeName": "ENVIRONMENT_LAND", + "safeName": "ENVIRONMENT_LAND" + }, + "pascalCase": { + "unsafeName": "EnvironmentLand", + "safeName": "EnvironmentLand" + } + }, + "wireValue": "ENVIRONMENT_LAND" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ENVIRONMENT_SPACE", + "camelCase": { + "unsafeName": "environmentSpace", + "safeName": "environmentSpace" + }, + "snakeCase": { + "unsafeName": "environment_space", + "safeName": "environment_space" + }, + "screamingSnakeCase": { + "unsafeName": "ENVIRONMENT_SPACE", + "safeName": "ENVIRONMENT_SPACE" + }, + "pascalCase": { + "unsafeName": "EnvironmentSpace", + "safeName": "EnvironmentSpace" + } + }, + "wireValue": "ENVIRONMENT_SPACE" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Describes the operating environment of an object. For more information refer to MIL-STD 2525D.\\n Surface is used to describe objects on-top the water such as boats, while Sub-Surface is used to describe under the\\n water." + }, + "anduril.ontology.v1.Nationality": { + "name": { + "typeId": "anduril.ontology.v1.Nationality", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.ontology.v1.Nationality", + "camelCase": { + "unsafeName": "andurilOntologyV1Nationality", + "safeName": "andurilOntologyV1Nationality" + }, + "snakeCase": { + "unsafeName": "anduril_ontology_v_1_nationality", + "safeName": "anduril_ontology_v_1_nationality" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ONTOLOGY_V_1_NATIONALITY", + "safeName": "ANDURIL_ONTOLOGY_V_1_NATIONALITY" + }, + "pascalCase": { + "unsafeName": "AndurilOntologyV1Nationality", + "safeName": "AndurilOntologyV1Nationality" + } + }, + "displayName": "Nationality" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "NATIONALITY_INVALID", + "camelCase": { + "unsafeName": "nationalityInvalid", + "safeName": "nationalityInvalid" + }, + "snakeCase": { + "unsafeName": "nationality_invalid", + "safeName": "nationality_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_INVALID", + "safeName": "NATIONALITY_INVALID" + }, + "pascalCase": { + "unsafeName": "NationalityInvalid", + "safeName": "NationalityInvalid" + } + }, + "wireValue": "NATIONALITY_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ALBANIA", + "camelCase": { + "unsafeName": "nationalityAlbania", + "safeName": "nationalityAlbania" + }, + "snakeCase": { + "unsafeName": "nationality_albania", + "safeName": "nationality_albania" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ALBANIA", + "safeName": "NATIONALITY_ALBANIA" + }, + "pascalCase": { + "unsafeName": "NationalityAlbania", + "safeName": "NationalityAlbania" + } + }, + "wireValue": "NATIONALITY_ALBANIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ALGERIA", + "camelCase": { + "unsafeName": "nationalityAlgeria", + "safeName": "nationalityAlgeria" + }, + "snakeCase": { + "unsafeName": "nationality_algeria", + "safeName": "nationality_algeria" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ALGERIA", + "safeName": "NATIONALITY_ALGERIA" + }, + "pascalCase": { + "unsafeName": "NationalityAlgeria", + "safeName": "NationalityAlgeria" + } + }, + "wireValue": "NATIONALITY_ALGERIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ARGENTINA", + "camelCase": { + "unsafeName": "nationalityArgentina", + "safeName": "nationalityArgentina" + }, + "snakeCase": { + "unsafeName": "nationality_argentina", + "safeName": "nationality_argentina" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ARGENTINA", + "safeName": "NATIONALITY_ARGENTINA" + }, + "pascalCase": { + "unsafeName": "NationalityArgentina", + "safeName": "NationalityArgentina" + } + }, + "wireValue": "NATIONALITY_ARGENTINA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ARMENIA", + "camelCase": { + "unsafeName": "nationalityArmenia", + "safeName": "nationalityArmenia" + }, + "snakeCase": { + "unsafeName": "nationality_armenia", + "safeName": "nationality_armenia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ARMENIA", + "safeName": "NATIONALITY_ARMENIA" + }, + "pascalCase": { + "unsafeName": "NationalityArmenia", + "safeName": "NationalityArmenia" + } + }, + "wireValue": "NATIONALITY_ARMENIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_AUSTRALIA", + "camelCase": { + "unsafeName": "nationalityAustralia", + "safeName": "nationalityAustralia" + }, + "snakeCase": { + "unsafeName": "nationality_australia", + "safeName": "nationality_australia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_AUSTRALIA", + "safeName": "NATIONALITY_AUSTRALIA" + }, + "pascalCase": { + "unsafeName": "NationalityAustralia", + "safeName": "NationalityAustralia" + } + }, + "wireValue": "NATIONALITY_AUSTRALIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_AUSTRIA", + "camelCase": { + "unsafeName": "nationalityAustria", + "safeName": "nationalityAustria" + }, + "snakeCase": { + "unsafeName": "nationality_austria", + "safeName": "nationality_austria" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_AUSTRIA", + "safeName": "NATIONALITY_AUSTRIA" + }, + "pascalCase": { + "unsafeName": "NationalityAustria", + "safeName": "NationalityAustria" + } + }, + "wireValue": "NATIONALITY_AUSTRIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_AZERBAIJAN", + "camelCase": { + "unsafeName": "nationalityAzerbaijan", + "safeName": "nationalityAzerbaijan" + }, + "snakeCase": { + "unsafeName": "nationality_azerbaijan", + "safeName": "nationality_azerbaijan" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_AZERBAIJAN", + "safeName": "NATIONALITY_AZERBAIJAN" + }, + "pascalCase": { + "unsafeName": "NationalityAzerbaijan", + "safeName": "NationalityAzerbaijan" + } + }, + "wireValue": "NATIONALITY_AZERBAIJAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_BELARUS", + "camelCase": { + "unsafeName": "nationalityBelarus", + "safeName": "nationalityBelarus" + }, + "snakeCase": { + "unsafeName": "nationality_belarus", + "safeName": "nationality_belarus" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_BELARUS", + "safeName": "NATIONALITY_BELARUS" + }, + "pascalCase": { + "unsafeName": "NationalityBelarus", + "safeName": "NationalityBelarus" + } + }, + "wireValue": "NATIONALITY_BELARUS" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_BELGIUM", + "camelCase": { + "unsafeName": "nationalityBelgium", + "safeName": "nationalityBelgium" + }, + "snakeCase": { + "unsafeName": "nationality_belgium", + "safeName": "nationality_belgium" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_BELGIUM", + "safeName": "NATIONALITY_BELGIUM" + }, + "pascalCase": { + "unsafeName": "NationalityBelgium", + "safeName": "NationalityBelgium" + } + }, + "wireValue": "NATIONALITY_BELGIUM" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_BOLIVIA", + "camelCase": { + "unsafeName": "nationalityBolivia", + "safeName": "nationalityBolivia" + }, + "snakeCase": { + "unsafeName": "nationality_bolivia", + "safeName": "nationality_bolivia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_BOLIVIA", + "safeName": "NATIONALITY_BOLIVIA" + }, + "pascalCase": { + "unsafeName": "NationalityBolivia", + "safeName": "NationalityBolivia" + } + }, + "wireValue": "NATIONALITY_BOLIVIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_BOSNIA_AND_HERZEGOVINA", + "camelCase": { + "unsafeName": "nationalityBosniaAndHerzegovina", + "safeName": "nationalityBosniaAndHerzegovina" + }, + "snakeCase": { + "unsafeName": "nationality_bosnia_and_herzegovina", + "safeName": "nationality_bosnia_and_herzegovina" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_BOSNIA_AND_HERZEGOVINA", + "safeName": "NATIONALITY_BOSNIA_AND_HERZEGOVINA" + }, + "pascalCase": { + "unsafeName": "NationalityBosniaAndHerzegovina", + "safeName": "NationalityBosniaAndHerzegovina" + } + }, + "wireValue": "NATIONALITY_BOSNIA_AND_HERZEGOVINA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_BRAZIL", + "camelCase": { + "unsafeName": "nationalityBrazil", + "safeName": "nationalityBrazil" + }, + "snakeCase": { + "unsafeName": "nationality_brazil", + "safeName": "nationality_brazil" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_BRAZIL", + "safeName": "NATIONALITY_BRAZIL" + }, + "pascalCase": { + "unsafeName": "NationalityBrazil", + "safeName": "NationalityBrazil" + } + }, + "wireValue": "NATIONALITY_BRAZIL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_BULGARIA", + "camelCase": { + "unsafeName": "nationalityBulgaria", + "safeName": "nationalityBulgaria" + }, + "snakeCase": { + "unsafeName": "nationality_bulgaria", + "safeName": "nationality_bulgaria" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_BULGARIA", + "safeName": "NATIONALITY_BULGARIA" + }, + "pascalCase": { + "unsafeName": "NationalityBulgaria", + "safeName": "NationalityBulgaria" + } + }, + "wireValue": "NATIONALITY_BULGARIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_CAMBODIA", + "camelCase": { + "unsafeName": "nationalityCambodia", + "safeName": "nationalityCambodia" + }, + "snakeCase": { + "unsafeName": "nationality_cambodia", + "safeName": "nationality_cambodia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_CAMBODIA", + "safeName": "NATIONALITY_CAMBODIA" + }, + "pascalCase": { + "unsafeName": "NationalityCambodia", + "safeName": "NationalityCambodia" + } + }, + "wireValue": "NATIONALITY_CAMBODIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_CANADA", + "camelCase": { + "unsafeName": "nationalityCanada", + "safeName": "nationalityCanada" + }, + "snakeCase": { + "unsafeName": "nationality_canada", + "safeName": "nationality_canada" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_CANADA", + "safeName": "NATIONALITY_CANADA" + }, + "pascalCase": { + "unsafeName": "NationalityCanada", + "safeName": "NationalityCanada" + } + }, + "wireValue": "NATIONALITY_CANADA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_CHILE", + "camelCase": { + "unsafeName": "nationalityChile", + "safeName": "nationalityChile" + }, + "snakeCase": { + "unsafeName": "nationality_chile", + "safeName": "nationality_chile" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_CHILE", + "safeName": "NATIONALITY_CHILE" + }, + "pascalCase": { + "unsafeName": "NationalityChile", + "safeName": "NationalityChile" + } + }, + "wireValue": "NATIONALITY_CHILE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_CHINA", + "camelCase": { + "unsafeName": "nationalityChina", + "safeName": "nationalityChina" + }, + "snakeCase": { + "unsafeName": "nationality_china", + "safeName": "nationality_china" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_CHINA", + "safeName": "NATIONALITY_CHINA" + }, + "pascalCase": { + "unsafeName": "NationalityChina", + "safeName": "NationalityChina" + } + }, + "wireValue": "NATIONALITY_CHINA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_COLOMBIA", + "camelCase": { + "unsafeName": "nationalityColombia", + "safeName": "nationalityColombia" + }, + "snakeCase": { + "unsafeName": "nationality_colombia", + "safeName": "nationality_colombia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_COLOMBIA", + "safeName": "NATIONALITY_COLOMBIA" + }, + "pascalCase": { + "unsafeName": "NationalityColombia", + "safeName": "NationalityColombia" + } + }, + "wireValue": "NATIONALITY_COLOMBIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_CROATIA", + "camelCase": { + "unsafeName": "nationalityCroatia", + "safeName": "nationalityCroatia" + }, + "snakeCase": { + "unsafeName": "nationality_croatia", + "safeName": "nationality_croatia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_CROATIA", + "safeName": "NATIONALITY_CROATIA" + }, + "pascalCase": { + "unsafeName": "NationalityCroatia", + "safeName": "NationalityCroatia" + } + }, + "wireValue": "NATIONALITY_CROATIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_CUBA", + "camelCase": { + "unsafeName": "nationalityCuba", + "safeName": "nationalityCuba" + }, + "snakeCase": { + "unsafeName": "nationality_cuba", + "safeName": "nationality_cuba" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_CUBA", + "safeName": "NATIONALITY_CUBA" + }, + "pascalCase": { + "unsafeName": "NationalityCuba", + "safeName": "NationalityCuba" + } + }, + "wireValue": "NATIONALITY_CUBA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_CYPRUS", + "camelCase": { + "unsafeName": "nationalityCyprus", + "safeName": "nationalityCyprus" + }, + "snakeCase": { + "unsafeName": "nationality_cyprus", + "safeName": "nationality_cyprus" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_CYPRUS", + "safeName": "NATIONALITY_CYPRUS" + }, + "pascalCase": { + "unsafeName": "NationalityCyprus", + "safeName": "NationalityCyprus" + } + }, + "wireValue": "NATIONALITY_CYPRUS" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_CZECH_REPUBLIC", + "camelCase": { + "unsafeName": "nationalityCzechRepublic", + "safeName": "nationalityCzechRepublic" + }, + "snakeCase": { + "unsafeName": "nationality_czech_republic", + "safeName": "nationality_czech_republic" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_CZECH_REPUBLIC", + "safeName": "NATIONALITY_CZECH_REPUBLIC" + }, + "pascalCase": { + "unsafeName": "NationalityCzechRepublic", + "safeName": "NationalityCzechRepublic" + } + }, + "wireValue": "NATIONALITY_CZECH_REPUBLIC" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_DEMOCRATIC_PEOPLES_REPUBLIC_OF_KOREA", + "camelCase": { + "unsafeName": "nationalityDemocraticPeoplesRepublicOfKorea", + "safeName": "nationalityDemocraticPeoplesRepublicOfKorea" + }, + "snakeCase": { + "unsafeName": "nationality_democratic_peoples_republic_of_korea", + "safeName": "nationality_democratic_peoples_republic_of_korea" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_DEMOCRATIC_PEOPLES_REPUBLIC_OF_KOREA", + "safeName": "NATIONALITY_DEMOCRATIC_PEOPLES_REPUBLIC_OF_KOREA" + }, + "pascalCase": { + "unsafeName": "NationalityDemocraticPeoplesRepublicOfKorea", + "safeName": "NationalityDemocraticPeoplesRepublicOfKorea" + } + }, + "wireValue": "NATIONALITY_DEMOCRATIC_PEOPLES_REPUBLIC_OF_KOREA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_DENMARK", + "camelCase": { + "unsafeName": "nationalityDenmark", + "safeName": "nationalityDenmark" + }, + "snakeCase": { + "unsafeName": "nationality_denmark", + "safeName": "nationality_denmark" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_DENMARK", + "safeName": "NATIONALITY_DENMARK" + }, + "pascalCase": { + "unsafeName": "NationalityDenmark", + "safeName": "NationalityDenmark" + } + }, + "wireValue": "NATIONALITY_DENMARK" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_DOMINICAN_REPUBLIC", + "camelCase": { + "unsafeName": "nationalityDominicanRepublic", + "safeName": "nationalityDominicanRepublic" + }, + "snakeCase": { + "unsafeName": "nationality_dominican_republic", + "safeName": "nationality_dominican_republic" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_DOMINICAN_REPUBLIC", + "safeName": "NATIONALITY_DOMINICAN_REPUBLIC" + }, + "pascalCase": { + "unsafeName": "NationalityDominicanRepublic", + "safeName": "NationalityDominicanRepublic" + } + }, + "wireValue": "NATIONALITY_DOMINICAN_REPUBLIC" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ECUADOR", + "camelCase": { + "unsafeName": "nationalityEcuador", + "safeName": "nationalityEcuador" + }, + "snakeCase": { + "unsafeName": "nationality_ecuador", + "safeName": "nationality_ecuador" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ECUADOR", + "safeName": "NATIONALITY_ECUADOR" + }, + "pascalCase": { + "unsafeName": "NationalityEcuador", + "safeName": "NationalityEcuador" + } + }, + "wireValue": "NATIONALITY_ECUADOR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_EGYPT", + "camelCase": { + "unsafeName": "nationalityEgypt", + "safeName": "nationalityEgypt" + }, + "snakeCase": { + "unsafeName": "nationality_egypt", + "safeName": "nationality_egypt" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_EGYPT", + "safeName": "NATIONALITY_EGYPT" + }, + "pascalCase": { + "unsafeName": "NationalityEgypt", + "safeName": "NationalityEgypt" + } + }, + "wireValue": "NATIONALITY_EGYPT" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ESTONIA", + "camelCase": { + "unsafeName": "nationalityEstonia", + "safeName": "nationalityEstonia" + }, + "snakeCase": { + "unsafeName": "nationality_estonia", + "safeName": "nationality_estonia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ESTONIA", + "safeName": "NATIONALITY_ESTONIA" + }, + "pascalCase": { + "unsafeName": "NationalityEstonia", + "safeName": "NationalityEstonia" + } + }, + "wireValue": "NATIONALITY_ESTONIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ETHIOPIA", + "camelCase": { + "unsafeName": "nationalityEthiopia", + "safeName": "nationalityEthiopia" + }, + "snakeCase": { + "unsafeName": "nationality_ethiopia", + "safeName": "nationality_ethiopia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ETHIOPIA", + "safeName": "NATIONALITY_ETHIOPIA" + }, + "pascalCase": { + "unsafeName": "NationalityEthiopia", + "safeName": "NationalityEthiopia" + } + }, + "wireValue": "NATIONALITY_ETHIOPIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_FINLAND", + "camelCase": { + "unsafeName": "nationalityFinland", + "safeName": "nationalityFinland" + }, + "snakeCase": { + "unsafeName": "nationality_finland", + "safeName": "nationality_finland" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_FINLAND", + "safeName": "NATIONALITY_FINLAND" + }, + "pascalCase": { + "unsafeName": "NationalityFinland", + "safeName": "NationalityFinland" + } + }, + "wireValue": "NATIONALITY_FINLAND" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_FRANCE", + "camelCase": { + "unsafeName": "nationalityFrance", + "safeName": "nationalityFrance" + }, + "snakeCase": { + "unsafeName": "nationality_france", + "safeName": "nationality_france" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_FRANCE", + "safeName": "NATIONALITY_FRANCE" + }, + "pascalCase": { + "unsafeName": "NationalityFrance", + "safeName": "NationalityFrance" + } + }, + "wireValue": "NATIONALITY_FRANCE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_GEORGIA", + "camelCase": { + "unsafeName": "nationalityGeorgia", + "safeName": "nationalityGeorgia" + }, + "snakeCase": { + "unsafeName": "nationality_georgia", + "safeName": "nationality_georgia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_GEORGIA", + "safeName": "NATIONALITY_GEORGIA" + }, + "pascalCase": { + "unsafeName": "NationalityGeorgia", + "safeName": "NationalityGeorgia" + } + }, + "wireValue": "NATIONALITY_GEORGIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_GERMANY", + "camelCase": { + "unsafeName": "nationalityGermany", + "safeName": "nationalityGermany" + }, + "snakeCase": { + "unsafeName": "nationality_germany", + "safeName": "nationality_germany" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_GERMANY", + "safeName": "NATIONALITY_GERMANY" + }, + "pascalCase": { + "unsafeName": "NationalityGermany", + "safeName": "NationalityGermany" + } + }, + "wireValue": "NATIONALITY_GERMANY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_GREECE", + "camelCase": { + "unsafeName": "nationalityGreece", + "safeName": "nationalityGreece" + }, + "snakeCase": { + "unsafeName": "nationality_greece", + "safeName": "nationality_greece" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_GREECE", + "safeName": "NATIONALITY_GREECE" + }, + "pascalCase": { + "unsafeName": "NationalityGreece", + "safeName": "NationalityGreece" + } + }, + "wireValue": "NATIONALITY_GREECE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_GUATEMALA", + "camelCase": { + "unsafeName": "nationalityGuatemala", + "safeName": "nationalityGuatemala" + }, + "snakeCase": { + "unsafeName": "nationality_guatemala", + "safeName": "nationality_guatemala" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_GUATEMALA", + "safeName": "NATIONALITY_GUATEMALA" + }, + "pascalCase": { + "unsafeName": "NationalityGuatemala", + "safeName": "NationalityGuatemala" + } + }, + "wireValue": "NATIONALITY_GUATEMALA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_GUINEA", + "camelCase": { + "unsafeName": "nationalityGuinea", + "safeName": "nationalityGuinea" + }, + "snakeCase": { + "unsafeName": "nationality_guinea", + "safeName": "nationality_guinea" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_GUINEA", + "safeName": "NATIONALITY_GUINEA" + }, + "pascalCase": { + "unsafeName": "NationalityGuinea", + "safeName": "NationalityGuinea" + } + }, + "wireValue": "NATIONALITY_GUINEA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_HUNGARY", + "camelCase": { + "unsafeName": "nationalityHungary", + "safeName": "nationalityHungary" + }, + "snakeCase": { + "unsafeName": "nationality_hungary", + "safeName": "nationality_hungary" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_HUNGARY", + "safeName": "NATIONALITY_HUNGARY" + }, + "pascalCase": { + "unsafeName": "NationalityHungary", + "safeName": "NationalityHungary" + } + }, + "wireValue": "NATIONALITY_HUNGARY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ICELAND", + "camelCase": { + "unsafeName": "nationalityIceland", + "safeName": "nationalityIceland" + }, + "snakeCase": { + "unsafeName": "nationality_iceland", + "safeName": "nationality_iceland" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ICELAND", + "safeName": "NATIONALITY_ICELAND" + }, + "pascalCase": { + "unsafeName": "NationalityIceland", + "safeName": "NationalityIceland" + } + }, + "wireValue": "NATIONALITY_ICELAND" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_INDIA", + "camelCase": { + "unsafeName": "nationalityIndia", + "safeName": "nationalityIndia" + }, + "snakeCase": { + "unsafeName": "nationality_india", + "safeName": "nationality_india" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_INDIA", + "safeName": "NATIONALITY_INDIA" + }, + "pascalCase": { + "unsafeName": "NationalityIndia", + "safeName": "NationalityIndia" + } + }, + "wireValue": "NATIONALITY_INDIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_INDONESIA", + "camelCase": { + "unsafeName": "nationalityIndonesia", + "safeName": "nationalityIndonesia" + }, + "snakeCase": { + "unsafeName": "nationality_indonesia", + "safeName": "nationality_indonesia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_INDONESIA", + "safeName": "NATIONALITY_INDONESIA" + }, + "pascalCase": { + "unsafeName": "NationalityIndonesia", + "safeName": "NationalityIndonesia" + } + }, + "wireValue": "NATIONALITY_INDONESIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_INTERNATIONAL_RED_CROSS", + "camelCase": { + "unsafeName": "nationalityInternationalRedCross", + "safeName": "nationalityInternationalRedCross" + }, + "snakeCase": { + "unsafeName": "nationality_international_red_cross", + "safeName": "nationality_international_red_cross" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_INTERNATIONAL_RED_CROSS", + "safeName": "NATIONALITY_INTERNATIONAL_RED_CROSS" + }, + "pascalCase": { + "unsafeName": "NationalityInternationalRedCross", + "safeName": "NationalityInternationalRedCross" + } + }, + "wireValue": "NATIONALITY_INTERNATIONAL_RED_CROSS" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_IRAQ", + "camelCase": { + "unsafeName": "nationalityIraq", + "safeName": "nationalityIraq" + }, + "snakeCase": { + "unsafeName": "nationality_iraq", + "safeName": "nationality_iraq" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_IRAQ", + "safeName": "NATIONALITY_IRAQ" + }, + "pascalCase": { + "unsafeName": "NationalityIraq", + "safeName": "NationalityIraq" + } + }, + "wireValue": "NATIONALITY_IRAQ" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_IRELAND", + "camelCase": { + "unsafeName": "nationalityIreland", + "safeName": "nationalityIreland" + }, + "snakeCase": { + "unsafeName": "nationality_ireland", + "safeName": "nationality_ireland" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_IRELAND", + "safeName": "NATIONALITY_IRELAND" + }, + "pascalCase": { + "unsafeName": "NationalityIreland", + "safeName": "NationalityIreland" + } + }, + "wireValue": "NATIONALITY_IRELAND" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ISLAMIC_REPUBLIC_OF_IRAN", + "camelCase": { + "unsafeName": "nationalityIslamicRepublicOfIran", + "safeName": "nationalityIslamicRepublicOfIran" + }, + "snakeCase": { + "unsafeName": "nationality_islamic_republic_of_iran", + "safeName": "nationality_islamic_republic_of_iran" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ISLAMIC_REPUBLIC_OF_IRAN", + "safeName": "NATIONALITY_ISLAMIC_REPUBLIC_OF_IRAN" + }, + "pascalCase": { + "unsafeName": "NationalityIslamicRepublicOfIran", + "safeName": "NationalityIslamicRepublicOfIran" + } + }, + "wireValue": "NATIONALITY_ISLAMIC_REPUBLIC_OF_IRAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ISRAEL", + "camelCase": { + "unsafeName": "nationalityIsrael", + "safeName": "nationalityIsrael" + }, + "snakeCase": { + "unsafeName": "nationality_israel", + "safeName": "nationality_israel" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ISRAEL", + "safeName": "NATIONALITY_ISRAEL" + }, + "pascalCase": { + "unsafeName": "NationalityIsrael", + "safeName": "NationalityIsrael" + } + }, + "wireValue": "NATIONALITY_ISRAEL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ITALY", + "camelCase": { + "unsafeName": "nationalityItaly", + "safeName": "nationalityItaly" + }, + "snakeCase": { + "unsafeName": "nationality_italy", + "safeName": "nationality_italy" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ITALY", + "safeName": "NATIONALITY_ITALY" + }, + "pascalCase": { + "unsafeName": "NationalityItaly", + "safeName": "NationalityItaly" + } + }, + "wireValue": "NATIONALITY_ITALY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_JAMAICA", + "camelCase": { + "unsafeName": "nationalityJamaica", + "safeName": "nationalityJamaica" + }, + "snakeCase": { + "unsafeName": "nationality_jamaica", + "safeName": "nationality_jamaica" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_JAMAICA", + "safeName": "NATIONALITY_JAMAICA" + }, + "pascalCase": { + "unsafeName": "NationalityJamaica", + "safeName": "NationalityJamaica" + } + }, + "wireValue": "NATIONALITY_JAMAICA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_JAPAN", + "camelCase": { + "unsafeName": "nationalityJapan", + "safeName": "nationalityJapan" + }, + "snakeCase": { + "unsafeName": "nationality_japan", + "safeName": "nationality_japan" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_JAPAN", + "safeName": "NATIONALITY_JAPAN" + }, + "pascalCase": { + "unsafeName": "NationalityJapan", + "safeName": "NationalityJapan" + } + }, + "wireValue": "NATIONALITY_JAPAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_JORDAN", + "camelCase": { + "unsafeName": "nationalityJordan", + "safeName": "nationalityJordan" + }, + "snakeCase": { + "unsafeName": "nationality_jordan", + "safeName": "nationality_jordan" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_JORDAN", + "safeName": "NATIONALITY_JORDAN" + }, + "pascalCase": { + "unsafeName": "NationalityJordan", + "safeName": "NationalityJordan" + } + }, + "wireValue": "NATIONALITY_JORDAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_KAZAKHSTAN", + "camelCase": { + "unsafeName": "nationalityKazakhstan", + "safeName": "nationalityKazakhstan" + }, + "snakeCase": { + "unsafeName": "nationality_kazakhstan", + "safeName": "nationality_kazakhstan" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_KAZAKHSTAN", + "safeName": "NATIONALITY_KAZAKHSTAN" + }, + "pascalCase": { + "unsafeName": "NationalityKazakhstan", + "safeName": "NationalityKazakhstan" + } + }, + "wireValue": "NATIONALITY_KAZAKHSTAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_KUWAIT", + "camelCase": { + "unsafeName": "nationalityKuwait", + "safeName": "nationalityKuwait" + }, + "snakeCase": { + "unsafeName": "nationality_kuwait", + "safeName": "nationality_kuwait" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_KUWAIT", + "safeName": "NATIONALITY_KUWAIT" + }, + "pascalCase": { + "unsafeName": "NationalityKuwait", + "safeName": "NationalityKuwait" + } + }, + "wireValue": "NATIONALITY_KUWAIT" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_KYRGHYZ_REPUBLIC", + "camelCase": { + "unsafeName": "nationalityKyrghyzRepublic", + "safeName": "nationalityKyrghyzRepublic" + }, + "snakeCase": { + "unsafeName": "nationality_kyrghyz_republic", + "safeName": "nationality_kyrghyz_republic" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_KYRGHYZ_REPUBLIC", + "safeName": "NATIONALITY_KYRGHYZ_REPUBLIC" + }, + "pascalCase": { + "unsafeName": "NationalityKyrghyzRepublic", + "safeName": "NationalityKyrghyzRepublic" + } + }, + "wireValue": "NATIONALITY_KYRGHYZ_REPUBLIC" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_LAO_PEOPLES_DEMOCRATIC_REPUBLIC", + "camelCase": { + "unsafeName": "nationalityLaoPeoplesDemocraticRepublic", + "safeName": "nationalityLaoPeoplesDemocraticRepublic" + }, + "snakeCase": { + "unsafeName": "nationality_lao_peoples_democratic_republic", + "safeName": "nationality_lao_peoples_democratic_republic" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_LAO_PEOPLES_DEMOCRATIC_REPUBLIC", + "safeName": "NATIONALITY_LAO_PEOPLES_DEMOCRATIC_REPUBLIC" + }, + "pascalCase": { + "unsafeName": "NationalityLaoPeoplesDemocraticRepublic", + "safeName": "NationalityLaoPeoplesDemocraticRepublic" + } + }, + "wireValue": "NATIONALITY_LAO_PEOPLES_DEMOCRATIC_REPUBLIC" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_LATVIA", + "camelCase": { + "unsafeName": "nationalityLatvia", + "safeName": "nationalityLatvia" + }, + "snakeCase": { + "unsafeName": "nationality_latvia", + "safeName": "nationality_latvia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_LATVIA", + "safeName": "NATIONALITY_LATVIA" + }, + "pascalCase": { + "unsafeName": "NationalityLatvia", + "safeName": "NationalityLatvia" + } + }, + "wireValue": "NATIONALITY_LATVIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_LEBANON", + "camelCase": { + "unsafeName": "nationalityLebanon", + "safeName": "nationalityLebanon" + }, + "snakeCase": { + "unsafeName": "nationality_lebanon", + "safeName": "nationality_lebanon" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_LEBANON", + "safeName": "NATIONALITY_LEBANON" + }, + "pascalCase": { + "unsafeName": "NationalityLebanon", + "safeName": "NationalityLebanon" + } + }, + "wireValue": "NATIONALITY_LEBANON" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_LIBERIA", + "camelCase": { + "unsafeName": "nationalityLiberia", + "safeName": "nationalityLiberia" + }, + "snakeCase": { + "unsafeName": "nationality_liberia", + "safeName": "nationality_liberia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_LIBERIA", + "safeName": "NATIONALITY_LIBERIA" + }, + "pascalCase": { + "unsafeName": "NationalityLiberia", + "safeName": "NationalityLiberia" + } + }, + "wireValue": "NATIONALITY_LIBERIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_LITHUANIA", + "camelCase": { + "unsafeName": "nationalityLithuania", + "safeName": "nationalityLithuania" + }, + "snakeCase": { + "unsafeName": "nationality_lithuania", + "safeName": "nationality_lithuania" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_LITHUANIA", + "safeName": "NATIONALITY_LITHUANIA" + }, + "pascalCase": { + "unsafeName": "NationalityLithuania", + "safeName": "NationalityLithuania" + } + }, + "wireValue": "NATIONALITY_LITHUANIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_LUXEMBOURG", + "camelCase": { + "unsafeName": "nationalityLuxembourg", + "safeName": "nationalityLuxembourg" + }, + "snakeCase": { + "unsafeName": "nationality_luxembourg", + "safeName": "nationality_luxembourg" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_LUXEMBOURG", + "safeName": "NATIONALITY_LUXEMBOURG" + }, + "pascalCase": { + "unsafeName": "NationalityLuxembourg", + "safeName": "NationalityLuxembourg" + } + }, + "wireValue": "NATIONALITY_LUXEMBOURG" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_MADAGASCAR", + "camelCase": { + "unsafeName": "nationalityMadagascar", + "safeName": "nationalityMadagascar" + }, + "snakeCase": { + "unsafeName": "nationality_madagascar", + "safeName": "nationality_madagascar" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_MADAGASCAR", + "safeName": "NATIONALITY_MADAGASCAR" + }, + "pascalCase": { + "unsafeName": "NationalityMadagascar", + "safeName": "NationalityMadagascar" + } + }, + "wireValue": "NATIONALITY_MADAGASCAR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_MALAYSIA", + "camelCase": { + "unsafeName": "nationalityMalaysia", + "safeName": "nationalityMalaysia" + }, + "snakeCase": { + "unsafeName": "nationality_malaysia", + "safeName": "nationality_malaysia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_MALAYSIA", + "safeName": "NATIONALITY_MALAYSIA" + }, + "pascalCase": { + "unsafeName": "NationalityMalaysia", + "safeName": "NationalityMalaysia" + } + }, + "wireValue": "NATIONALITY_MALAYSIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_MALTA", + "camelCase": { + "unsafeName": "nationalityMalta", + "safeName": "nationalityMalta" + }, + "snakeCase": { + "unsafeName": "nationality_malta", + "safeName": "nationality_malta" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_MALTA", + "safeName": "NATIONALITY_MALTA" + }, + "pascalCase": { + "unsafeName": "NationalityMalta", + "safeName": "NationalityMalta" + } + }, + "wireValue": "NATIONALITY_MALTA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_MEXICO", + "camelCase": { + "unsafeName": "nationalityMexico", + "safeName": "nationalityMexico" + }, + "snakeCase": { + "unsafeName": "nationality_mexico", + "safeName": "nationality_mexico" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_MEXICO", + "safeName": "NATIONALITY_MEXICO" + }, + "pascalCase": { + "unsafeName": "NationalityMexico", + "safeName": "NationalityMexico" + } + }, + "wireValue": "NATIONALITY_MEXICO" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_MOLDOVA", + "camelCase": { + "unsafeName": "nationalityMoldova", + "safeName": "nationalityMoldova" + }, + "snakeCase": { + "unsafeName": "nationality_moldova", + "safeName": "nationality_moldova" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_MOLDOVA", + "safeName": "NATIONALITY_MOLDOVA" + }, + "pascalCase": { + "unsafeName": "NationalityMoldova", + "safeName": "NationalityMoldova" + } + }, + "wireValue": "NATIONALITY_MOLDOVA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_MONTENEGRO", + "camelCase": { + "unsafeName": "nationalityMontenegro", + "safeName": "nationalityMontenegro" + }, + "snakeCase": { + "unsafeName": "nationality_montenegro", + "safeName": "nationality_montenegro" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_MONTENEGRO", + "safeName": "NATIONALITY_MONTENEGRO" + }, + "pascalCase": { + "unsafeName": "NationalityMontenegro", + "safeName": "NationalityMontenegro" + } + }, + "wireValue": "NATIONALITY_MONTENEGRO" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_MOROCCO", + "camelCase": { + "unsafeName": "nationalityMorocco", + "safeName": "nationalityMorocco" + }, + "snakeCase": { + "unsafeName": "nationality_morocco", + "safeName": "nationality_morocco" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_MOROCCO", + "safeName": "NATIONALITY_MOROCCO" + }, + "pascalCase": { + "unsafeName": "NationalityMorocco", + "safeName": "NationalityMorocco" + } + }, + "wireValue": "NATIONALITY_MOROCCO" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_MYANMAR", + "camelCase": { + "unsafeName": "nationalityMyanmar", + "safeName": "nationalityMyanmar" + }, + "snakeCase": { + "unsafeName": "nationality_myanmar", + "safeName": "nationality_myanmar" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_MYANMAR", + "safeName": "NATIONALITY_MYANMAR" + }, + "pascalCase": { + "unsafeName": "NationalityMyanmar", + "safeName": "NationalityMyanmar" + } + }, + "wireValue": "NATIONALITY_MYANMAR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_NATO", + "camelCase": { + "unsafeName": "nationalityNato", + "safeName": "nationalityNato" + }, + "snakeCase": { + "unsafeName": "nationality_nato", + "safeName": "nationality_nato" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_NATO", + "safeName": "NATIONALITY_NATO" + }, + "pascalCase": { + "unsafeName": "NationalityNato", + "safeName": "NationalityNato" + } + }, + "wireValue": "NATIONALITY_NATO" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_NETHERLANDS", + "camelCase": { + "unsafeName": "nationalityNetherlands", + "safeName": "nationalityNetherlands" + }, + "snakeCase": { + "unsafeName": "nationality_netherlands", + "safeName": "nationality_netherlands" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_NETHERLANDS", + "safeName": "NATIONALITY_NETHERLANDS" + }, + "pascalCase": { + "unsafeName": "NationalityNetherlands", + "safeName": "NationalityNetherlands" + } + }, + "wireValue": "NATIONALITY_NETHERLANDS" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_NEW_ZEALAND", + "camelCase": { + "unsafeName": "nationalityNewZealand", + "safeName": "nationalityNewZealand" + }, + "snakeCase": { + "unsafeName": "nationality_new_zealand", + "safeName": "nationality_new_zealand" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_NEW_ZEALAND", + "safeName": "NATIONALITY_NEW_ZEALAND" + }, + "pascalCase": { + "unsafeName": "NationalityNewZealand", + "safeName": "NationalityNewZealand" + } + }, + "wireValue": "NATIONALITY_NEW_ZEALAND" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_NICARAGUA", + "camelCase": { + "unsafeName": "nationalityNicaragua", + "safeName": "nationalityNicaragua" + }, + "snakeCase": { + "unsafeName": "nationality_nicaragua", + "safeName": "nationality_nicaragua" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_NICARAGUA", + "safeName": "NATIONALITY_NICARAGUA" + }, + "pascalCase": { + "unsafeName": "NationalityNicaragua", + "safeName": "NationalityNicaragua" + } + }, + "wireValue": "NATIONALITY_NICARAGUA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_NIGERIA", + "camelCase": { + "unsafeName": "nationalityNigeria", + "safeName": "nationalityNigeria" + }, + "snakeCase": { + "unsafeName": "nationality_nigeria", + "safeName": "nationality_nigeria" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_NIGERIA", + "safeName": "NATIONALITY_NIGERIA" + }, + "pascalCase": { + "unsafeName": "NationalityNigeria", + "safeName": "NationalityNigeria" + } + }, + "wireValue": "NATIONALITY_NIGERIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_NORWAY", + "camelCase": { + "unsafeName": "nationalityNorway", + "safeName": "nationalityNorway" + }, + "snakeCase": { + "unsafeName": "nationality_norway", + "safeName": "nationality_norway" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_NORWAY", + "safeName": "NATIONALITY_NORWAY" + }, + "pascalCase": { + "unsafeName": "NationalityNorway", + "safeName": "NationalityNorway" + } + }, + "wireValue": "NATIONALITY_NORWAY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_PAKISTAN", + "camelCase": { + "unsafeName": "nationalityPakistan", + "safeName": "nationalityPakistan" + }, + "snakeCase": { + "unsafeName": "nationality_pakistan", + "safeName": "nationality_pakistan" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_PAKISTAN", + "safeName": "NATIONALITY_PAKISTAN" + }, + "pascalCase": { + "unsafeName": "NationalityPakistan", + "safeName": "NationalityPakistan" + } + }, + "wireValue": "NATIONALITY_PAKISTAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_PANAMA", + "camelCase": { + "unsafeName": "nationalityPanama", + "safeName": "nationalityPanama" + }, + "snakeCase": { + "unsafeName": "nationality_panama", + "safeName": "nationality_panama" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_PANAMA", + "safeName": "NATIONALITY_PANAMA" + }, + "pascalCase": { + "unsafeName": "NationalityPanama", + "safeName": "NationalityPanama" + } + }, + "wireValue": "NATIONALITY_PANAMA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_PARAGUAY", + "camelCase": { + "unsafeName": "nationalityParaguay", + "safeName": "nationalityParaguay" + }, + "snakeCase": { + "unsafeName": "nationality_paraguay", + "safeName": "nationality_paraguay" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_PARAGUAY", + "safeName": "NATIONALITY_PARAGUAY" + }, + "pascalCase": { + "unsafeName": "NationalityParaguay", + "safeName": "NationalityParaguay" + } + }, + "wireValue": "NATIONALITY_PARAGUAY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_PERU", + "camelCase": { + "unsafeName": "nationalityPeru", + "safeName": "nationalityPeru" + }, + "snakeCase": { + "unsafeName": "nationality_peru", + "safeName": "nationality_peru" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_PERU", + "safeName": "NATIONALITY_PERU" + }, + "pascalCase": { + "unsafeName": "NationalityPeru", + "safeName": "NationalityPeru" + } + }, + "wireValue": "NATIONALITY_PERU" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_PHILIPPINES", + "camelCase": { + "unsafeName": "nationalityPhilippines", + "safeName": "nationalityPhilippines" + }, + "snakeCase": { + "unsafeName": "nationality_philippines", + "safeName": "nationality_philippines" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_PHILIPPINES", + "safeName": "NATIONALITY_PHILIPPINES" + }, + "pascalCase": { + "unsafeName": "NationalityPhilippines", + "safeName": "NationalityPhilippines" + } + }, + "wireValue": "NATIONALITY_PHILIPPINES" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_POLAND", + "camelCase": { + "unsafeName": "nationalityPoland", + "safeName": "nationalityPoland" + }, + "snakeCase": { + "unsafeName": "nationality_poland", + "safeName": "nationality_poland" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_POLAND", + "safeName": "NATIONALITY_POLAND" + }, + "pascalCase": { + "unsafeName": "NationalityPoland", + "safeName": "NationalityPoland" + } + }, + "wireValue": "NATIONALITY_POLAND" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_PORTUGAL", + "camelCase": { + "unsafeName": "nationalityPortugal", + "safeName": "nationalityPortugal" + }, + "snakeCase": { + "unsafeName": "nationality_portugal", + "safeName": "nationality_portugal" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_PORTUGAL", + "safeName": "NATIONALITY_PORTUGAL" + }, + "pascalCase": { + "unsafeName": "NationalityPortugal", + "safeName": "NationalityPortugal" + } + }, + "wireValue": "NATIONALITY_PORTUGAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_REPUBLIC_OF_KOREA", + "camelCase": { + "unsafeName": "nationalityRepublicOfKorea", + "safeName": "nationalityRepublicOfKorea" + }, + "snakeCase": { + "unsafeName": "nationality_republic_of_korea", + "safeName": "nationality_republic_of_korea" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_REPUBLIC_OF_KOREA", + "safeName": "NATIONALITY_REPUBLIC_OF_KOREA" + }, + "pascalCase": { + "unsafeName": "NationalityRepublicOfKorea", + "safeName": "NationalityRepublicOfKorea" + } + }, + "wireValue": "NATIONALITY_REPUBLIC_OF_KOREA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ROMANIA", + "camelCase": { + "unsafeName": "nationalityRomania", + "safeName": "nationalityRomania" + }, + "snakeCase": { + "unsafeName": "nationality_romania", + "safeName": "nationality_romania" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ROMANIA", + "safeName": "NATIONALITY_ROMANIA" + }, + "pascalCase": { + "unsafeName": "NationalityRomania", + "safeName": "NationalityRomania" + } + }, + "wireValue": "NATIONALITY_ROMANIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_RUSSIA", + "camelCase": { + "unsafeName": "nationalityRussia", + "safeName": "nationalityRussia" + }, + "snakeCase": { + "unsafeName": "nationality_russia", + "safeName": "nationality_russia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_RUSSIA", + "safeName": "NATIONALITY_RUSSIA" + }, + "pascalCase": { + "unsafeName": "NationalityRussia", + "safeName": "NationalityRussia" + } + }, + "wireValue": "NATIONALITY_RUSSIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SAUDI_ARABIA", + "camelCase": { + "unsafeName": "nationalitySaudiArabia", + "safeName": "nationalitySaudiArabia" + }, + "snakeCase": { + "unsafeName": "nationality_saudi_arabia", + "safeName": "nationality_saudi_arabia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SAUDI_ARABIA", + "safeName": "NATIONALITY_SAUDI_ARABIA" + }, + "pascalCase": { + "unsafeName": "NationalitySaudiArabia", + "safeName": "NationalitySaudiArabia" + } + }, + "wireValue": "NATIONALITY_SAUDI_ARABIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SENEGAL", + "camelCase": { + "unsafeName": "nationalitySenegal", + "safeName": "nationalitySenegal" + }, + "snakeCase": { + "unsafeName": "nationality_senegal", + "safeName": "nationality_senegal" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SENEGAL", + "safeName": "NATIONALITY_SENEGAL" + }, + "pascalCase": { + "unsafeName": "NationalitySenegal", + "safeName": "NationalitySenegal" + } + }, + "wireValue": "NATIONALITY_SENEGAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SERBIA", + "camelCase": { + "unsafeName": "nationalitySerbia", + "safeName": "nationalitySerbia" + }, + "snakeCase": { + "unsafeName": "nationality_serbia", + "safeName": "nationality_serbia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SERBIA", + "safeName": "NATIONALITY_SERBIA" + }, + "pascalCase": { + "unsafeName": "NationalitySerbia", + "safeName": "NationalitySerbia" + } + }, + "wireValue": "NATIONALITY_SERBIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SINGAPORE", + "camelCase": { + "unsafeName": "nationalitySingapore", + "safeName": "nationalitySingapore" + }, + "snakeCase": { + "unsafeName": "nationality_singapore", + "safeName": "nationality_singapore" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SINGAPORE", + "safeName": "NATIONALITY_SINGAPORE" + }, + "pascalCase": { + "unsafeName": "NationalitySingapore", + "safeName": "NationalitySingapore" + } + }, + "wireValue": "NATIONALITY_SINGAPORE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SLOVAKIA", + "camelCase": { + "unsafeName": "nationalitySlovakia", + "safeName": "nationalitySlovakia" + }, + "snakeCase": { + "unsafeName": "nationality_slovakia", + "safeName": "nationality_slovakia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SLOVAKIA", + "safeName": "NATIONALITY_SLOVAKIA" + }, + "pascalCase": { + "unsafeName": "NationalitySlovakia", + "safeName": "NationalitySlovakia" + } + }, + "wireValue": "NATIONALITY_SLOVAKIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SLOVENIA", + "camelCase": { + "unsafeName": "nationalitySlovenia", + "safeName": "nationalitySlovenia" + }, + "snakeCase": { + "unsafeName": "nationality_slovenia", + "safeName": "nationality_slovenia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SLOVENIA", + "safeName": "NATIONALITY_SLOVENIA" + }, + "pascalCase": { + "unsafeName": "NationalitySlovenia", + "safeName": "NationalitySlovenia" + } + }, + "wireValue": "NATIONALITY_SLOVENIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SOUTH_AFRICA", + "camelCase": { + "unsafeName": "nationalitySouthAfrica", + "safeName": "nationalitySouthAfrica" + }, + "snakeCase": { + "unsafeName": "nationality_south_africa", + "safeName": "nationality_south_africa" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SOUTH_AFRICA", + "safeName": "NATIONALITY_SOUTH_AFRICA" + }, + "pascalCase": { + "unsafeName": "NationalitySouthAfrica", + "safeName": "NationalitySouthAfrica" + } + }, + "wireValue": "NATIONALITY_SOUTH_AFRICA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SPAIN", + "camelCase": { + "unsafeName": "nationalitySpain", + "safeName": "nationalitySpain" + }, + "snakeCase": { + "unsafeName": "nationality_spain", + "safeName": "nationality_spain" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SPAIN", + "safeName": "NATIONALITY_SPAIN" + }, + "pascalCase": { + "unsafeName": "NationalitySpain", + "safeName": "NationalitySpain" + } + }, + "wireValue": "NATIONALITY_SPAIN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SUDAN", + "camelCase": { + "unsafeName": "nationalitySudan", + "safeName": "nationalitySudan" + }, + "snakeCase": { + "unsafeName": "nationality_sudan", + "safeName": "nationality_sudan" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SUDAN", + "safeName": "NATIONALITY_SUDAN" + }, + "pascalCase": { + "unsafeName": "NationalitySudan", + "safeName": "NationalitySudan" + } + }, + "wireValue": "NATIONALITY_SUDAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SWEDEN", + "camelCase": { + "unsafeName": "nationalitySweden", + "safeName": "nationalitySweden" + }, + "snakeCase": { + "unsafeName": "nationality_sweden", + "safeName": "nationality_sweden" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SWEDEN", + "safeName": "NATIONALITY_SWEDEN" + }, + "pascalCase": { + "unsafeName": "NationalitySweden", + "safeName": "NationalitySweden" + } + }, + "wireValue": "NATIONALITY_SWEDEN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SWITZERLAND", + "camelCase": { + "unsafeName": "nationalitySwitzerland", + "safeName": "nationalitySwitzerland" + }, + "snakeCase": { + "unsafeName": "nationality_switzerland", + "safeName": "nationality_switzerland" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SWITZERLAND", + "safeName": "NATIONALITY_SWITZERLAND" + }, + "pascalCase": { + "unsafeName": "NationalitySwitzerland", + "safeName": "NationalitySwitzerland" + } + }, + "wireValue": "NATIONALITY_SWITZERLAND" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_SYRIAN_ARAB_REPUBLIC", + "camelCase": { + "unsafeName": "nationalitySyrianArabRepublic", + "safeName": "nationalitySyrianArabRepublic" + }, + "snakeCase": { + "unsafeName": "nationality_syrian_arab_republic", + "safeName": "nationality_syrian_arab_republic" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_SYRIAN_ARAB_REPUBLIC", + "safeName": "NATIONALITY_SYRIAN_ARAB_REPUBLIC" + }, + "pascalCase": { + "unsafeName": "NationalitySyrianArabRepublic", + "safeName": "NationalitySyrianArabRepublic" + } + }, + "wireValue": "NATIONALITY_SYRIAN_ARAB_REPUBLIC" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_TAIWAN", + "camelCase": { + "unsafeName": "nationalityTaiwan", + "safeName": "nationalityTaiwan" + }, + "snakeCase": { + "unsafeName": "nationality_taiwan", + "safeName": "nationality_taiwan" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_TAIWAN", + "safeName": "NATIONALITY_TAIWAN" + }, + "pascalCase": { + "unsafeName": "NationalityTaiwan", + "safeName": "NationalityTaiwan" + } + }, + "wireValue": "NATIONALITY_TAIWAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_TAJIKISTAN", + "camelCase": { + "unsafeName": "nationalityTajikistan", + "safeName": "nationalityTajikistan" + }, + "snakeCase": { + "unsafeName": "nationality_tajikistan", + "safeName": "nationality_tajikistan" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_TAJIKISTAN", + "safeName": "NATIONALITY_TAJIKISTAN" + }, + "pascalCase": { + "unsafeName": "NationalityTajikistan", + "safeName": "NationalityTajikistan" + } + }, + "wireValue": "NATIONALITY_TAJIKISTAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_THAILAND", + "camelCase": { + "unsafeName": "nationalityThailand", + "safeName": "nationalityThailand" + }, + "snakeCase": { + "unsafeName": "nationality_thailand", + "safeName": "nationality_thailand" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_THAILAND", + "safeName": "NATIONALITY_THAILAND" + }, + "pascalCase": { + "unsafeName": "NationalityThailand", + "safeName": "NationalityThailand" + } + }, + "wireValue": "NATIONALITY_THAILAND" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_THE_FORMER_YUGOSLAV_REPUBLIC_OF_MACEDONIA", + "camelCase": { + "unsafeName": "nationalityTheFormerYugoslavRepublicOfMacedonia", + "safeName": "nationalityTheFormerYugoslavRepublicOfMacedonia" + }, + "snakeCase": { + "unsafeName": "nationality_the_former_yugoslav_republic_of_macedonia", + "safeName": "nationality_the_former_yugoslav_republic_of_macedonia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_THE_FORMER_YUGOSLAV_REPUBLIC_OF_MACEDONIA", + "safeName": "NATIONALITY_THE_FORMER_YUGOSLAV_REPUBLIC_OF_MACEDONIA" + }, + "pascalCase": { + "unsafeName": "NationalityTheFormerYugoslavRepublicOfMacedonia", + "safeName": "NationalityTheFormerYugoslavRepublicOfMacedonia" + } + }, + "wireValue": "NATIONALITY_THE_FORMER_YUGOSLAV_REPUBLIC_OF_MACEDONIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_TUNISIA", + "camelCase": { + "unsafeName": "nationalityTunisia", + "safeName": "nationalityTunisia" + }, + "snakeCase": { + "unsafeName": "nationality_tunisia", + "safeName": "nationality_tunisia" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_TUNISIA", + "safeName": "NATIONALITY_TUNISIA" + }, + "pascalCase": { + "unsafeName": "NationalityTunisia", + "safeName": "NationalityTunisia" + } + }, + "wireValue": "NATIONALITY_TUNISIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_TURKEY", + "camelCase": { + "unsafeName": "nationalityTurkey", + "safeName": "nationalityTurkey" + }, + "snakeCase": { + "unsafeName": "nationality_turkey", + "safeName": "nationality_turkey" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_TURKEY", + "safeName": "NATIONALITY_TURKEY" + }, + "pascalCase": { + "unsafeName": "NationalityTurkey", + "safeName": "NationalityTurkey" + } + }, + "wireValue": "NATIONALITY_TURKEY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_TURKMENISTAN", + "camelCase": { + "unsafeName": "nationalityTurkmenistan", + "safeName": "nationalityTurkmenistan" + }, + "snakeCase": { + "unsafeName": "nationality_turkmenistan", + "safeName": "nationality_turkmenistan" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_TURKMENISTAN", + "safeName": "NATIONALITY_TURKMENISTAN" + }, + "pascalCase": { + "unsafeName": "NationalityTurkmenistan", + "safeName": "NationalityTurkmenistan" + } + }, + "wireValue": "NATIONALITY_TURKMENISTAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_UGANDA", + "camelCase": { + "unsafeName": "nationalityUganda", + "safeName": "nationalityUganda" + }, + "snakeCase": { + "unsafeName": "nationality_uganda", + "safeName": "nationality_uganda" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_UGANDA", + "safeName": "NATIONALITY_UGANDA" + }, + "pascalCase": { + "unsafeName": "NationalityUganda", + "safeName": "NationalityUganda" + } + }, + "wireValue": "NATIONALITY_UGANDA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_UKRAINE", + "camelCase": { + "unsafeName": "nationalityUkraine", + "safeName": "nationalityUkraine" + }, + "snakeCase": { + "unsafeName": "nationality_ukraine", + "safeName": "nationality_ukraine" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_UKRAINE", + "safeName": "NATIONALITY_UKRAINE" + }, + "pascalCase": { + "unsafeName": "NationalityUkraine", + "safeName": "NationalityUkraine" + } + }, + "wireValue": "NATIONALITY_UKRAINE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_UNITED_KINGDOM", + "camelCase": { + "unsafeName": "nationalityUnitedKingdom", + "safeName": "nationalityUnitedKingdom" + }, + "snakeCase": { + "unsafeName": "nationality_united_kingdom", + "safeName": "nationality_united_kingdom" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_UNITED_KINGDOM", + "safeName": "NATIONALITY_UNITED_KINGDOM" + }, + "pascalCase": { + "unsafeName": "NationalityUnitedKingdom", + "safeName": "NationalityUnitedKingdom" + } + }, + "wireValue": "NATIONALITY_UNITED_KINGDOM" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_UNITED_NATIONS", + "camelCase": { + "unsafeName": "nationalityUnitedNations", + "safeName": "nationalityUnitedNations" + }, + "snakeCase": { + "unsafeName": "nationality_united_nations", + "safeName": "nationality_united_nations" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_UNITED_NATIONS", + "safeName": "NATIONALITY_UNITED_NATIONS" + }, + "pascalCase": { + "unsafeName": "NationalityUnitedNations", + "safeName": "NationalityUnitedNations" + } + }, + "wireValue": "NATIONALITY_UNITED_NATIONS" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_UNITED_REPUBLIC_OF_TANZANIA", + "camelCase": { + "unsafeName": "nationalityUnitedRepublicOfTanzania", + "safeName": "nationalityUnitedRepublicOfTanzania" + }, + "snakeCase": { + "unsafeName": "nationality_united_republic_of_tanzania", + "safeName": "nationality_united_republic_of_tanzania" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_UNITED_REPUBLIC_OF_TANZANIA", + "safeName": "NATIONALITY_UNITED_REPUBLIC_OF_TANZANIA" + }, + "pascalCase": { + "unsafeName": "NationalityUnitedRepublicOfTanzania", + "safeName": "NationalityUnitedRepublicOfTanzania" + } + }, + "wireValue": "NATIONALITY_UNITED_REPUBLIC_OF_TANZANIA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_UNITED_STATES_OF_AMERICA", + "camelCase": { + "unsafeName": "nationalityUnitedStatesOfAmerica", + "safeName": "nationalityUnitedStatesOfAmerica" + }, + "snakeCase": { + "unsafeName": "nationality_united_states_of_america", + "safeName": "nationality_united_states_of_america" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_UNITED_STATES_OF_AMERICA", + "safeName": "NATIONALITY_UNITED_STATES_OF_AMERICA" + }, + "pascalCase": { + "unsafeName": "NationalityUnitedStatesOfAmerica", + "safeName": "NationalityUnitedStatesOfAmerica" + } + }, + "wireValue": "NATIONALITY_UNITED_STATES_OF_AMERICA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_URUGUAY", + "camelCase": { + "unsafeName": "nationalityUruguay", + "safeName": "nationalityUruguay" + }, + "snakeCase": { + "unsafeName": "nationality_uruguay", + "safeName": "nationality_uruguay" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_URUGUAY", + "safeName": "NATIONALITY_URUGUAY" + }, + "pascalCase": { + "unsafeName": "NationalityUruguay", + "safeName": "NationalityUruguay" + } + }, + "wireValue": "NATIONALITY_URUGUAY" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_UZBEKISTAN", + "camelCase": { + "unsafeName": "nationalityUzbekistan", + "safeName": "nationalityUzbekistan" + }, + "snakeCase": { + "unsafeName": "nationality_uzbekistan", + "safeName": "nationality_uzbekistan" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_UZBEKISTAN", + "safeName": "NATIONALITY_UZBEKISTAN" + }, + "pascalCase": { + "unsafeName": "NationalityUzbekistan", + "safeName": "NationalityUzbekistan" + } + }, + "wireValue": "NATIONALITY_UZBEKISTAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_VENEZUELA", + "camelCase": { + "unsafeName": "nationalityVenezuela", + "safeName": "nationalityVenezuela" + }, + "snakeCase": { + "unsafeName": "nationality_venezuela", + "safeName": "nationality_venezuela" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_VENEZUELA", + "safeName": "NATIONALITY_VENEZUELA" + }, + "pascalCase": { + "unsafeName": "NationalityVenezuela", + "safeName": "NationalityVenezuela" + } + }, + "wireValue": "NATIONALITY_VENEZUELA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_VIETNAM", + "camelCase": { + "unsafeName": "nationalityVietnam", + "safeName": "nationalityVietnam" + }, + "snakeCase": { + "unsafeName": "nationality_vietnam", + "safeName": "nationality_vietnam" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_VIETNAM", + "safeName": "NATIONALITY_VIETNAM" + }, + "pascalCase": { + "unsafeName": "NationalityVietnam", + "safeName": "NationalityVietnam" + } + }, + "wireValue": "NATIONALITY_VIETNAM" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_YEMEN", + "camelCase": { + "unsafeName": "nationalityYemen", + "safeName": "nationalityYemen" + }, + "snakeCase": { + "unsafeName": "nationality_yemen", + "safeName": "nationality_yemen" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_YEMEN", + "safeName": "NATIONALITY_YEMEN" + }, + "pascalCase": { + "unsafeName": "NationalityYemen", + "safeName": "NationalityYemen" + } + }, + "wireValue": "NATIONALITY_YEMEN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "NATIONALITY_ZIMBABWE", + "camelCase": { + "unsafeName": "nationalityZimbabwe", + "safeName": "nationalityZimbabwe" + }, + "snakeCase": { + "unsafeName": "nationality_zimbabwe", + "safeName": "nationality_zimbabwe" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY_ZIMBABWE", + "safeName": "NATIONALITY_ZIMBABWE" + }, + "pascalCase": { + "unsafeName": "NationalityZimbabwe", + "safeName": "NationalityZimbabwe" + } + }, + "wireValue": "NATIONALITY_ZIMBABWE" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Describes Nationality or Alliance information. This is derived from ISO-3166." + }, + "anduril.entitymanager.v1.MilView": { + "name": { + "typeId": "anduril.entitymanager.v1.MilView", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.MilView", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1MilView", + "safeName": "andurilEntitymanagerV1MilView" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_mil_view", + "safeName": "anduril_entitymanager_v_1_mil_view" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MIL_VIEW", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MIL_VIEW" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1MilView", + "safeName": "AndurilEntitymanagerV1MilView" + } + }, + "displayName": "MilView" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "disposition", + "camelCase": { + "unsafeName": "disposition", + "safeName": "disposition" + }, + "snakeCase": { + "unsafeName": "disposition", + "safeName": "disposition" + }, + "screamingSnakeCase": { + "unsafeName": "DISPOSITION", + "safeName": "DISPOSITION" + }, + "pascalCase": { + "unsafeName": "Disposition", + "safeName": "Disposition" + } + }, + "wireValue": "disposition" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.ontology.v1.Disposition", + "camelCase": { + "unsafeName": "andurilOntologyV1Disposition", + "safeName": "andurilOntologyV1Disposition" + }, + "snakeCase": { + "unsafeName": "anduril_ontology_v_1_disposition", + "safeName": "anduril_ontology_v_1_disposition" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ONTOLOGY_V_1_DISPOSITION", + "safeName": "ANDURIL_ONTOLOGY_V_1_DISPOSITION" + }, + "pascalCase": { + "unsafeName": "AndurilOntologyV1Disposition", + "safeName": "AndurilOntologyV1Disposition" + } + }, + "typeId": "anduril.ontology.v1.Disposition", + "default": null, + "inline": false, + "displayName": "disposition" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "environment", + "camelCase": { + "unsafeName": "environment", + "safeName": "environment" + }, + "snakeCase": { + "unsafeName": "environment", + "safeName": "environment" + }, + "screamingSnakeCase": { + "unsafeName": "ENVIRONMENT", + "safeName": "ENVIRONMENT" + }, + "pascalCase": { + "unsafeName": "Environment", + "safeName": "Environment" + } + }, + "wireValue": "environment" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.ontology.v1.Environment", + "camelCase": { + "unsafeName": "andurilOntologyV1Environment", + "safeName": "andurilOntologyV1Environment" + }, + "snakeCase": { + "unsafeName": "anduril_ontology_v_1_environment", + "safeName": "anduril_ontology_v_1_environment" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT", + "safeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT" + }, + "pascalCase": { + "unsafeName": "AndurilOntologyV1Environment", + "safeName": "AndurilOntologyV1Environment" + } + }, + "typeId": "anduril.ontology.v1.Environment", + "default": null, + "inline": false, + "displayName": "environment" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "nationality", + "camelCase": { + "unsafeName": "nationality", + "safeName": "nationality" + }, + "snakeCase": { + "unsafeName": "nationality", + "safeName": "nationality" + }, + "screamingSnakeCase": { + "unsafeName": "NATIONALITY", + "safeName": "NATIONALITY" + }, + "pascalCase": { + "unsafeName": "Nationality", + "safeName": "Nationality" + } + }, + "wireValue": "nationality" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.ontology.v1.Nationality", + "camelCase": { + "unsafeName": "andurilOntologyV1Nationality", + "safeName": "andurilOntologyV1Nationality" + }, + "snakeCase": { + "unsafeName": "anduril_ontology_v_1_nationality", + "safeName": "anduril_ontology_v_1_nationality" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ONTOLOGY_V_1_NATIONALITY", + "safeName": "ANDURIL_ONTOLOGY_V_1_NATIONALITY" + }, + "pascalCase": { + "unsafeName": "AndurilOntologyV1Nationality", + "safeName": "AndurilOntologyV1Nationality" + } + }, + "typeId": "anduril.ontology.v1.Nationality", + "default": null, + "inline": false, + "displayName": "nationality" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Provides the disposition, environment, and nationality of an Entity." + }, + "anduril.entitymanager.v1.Ontology": { + "name": { + "typeId": "anduril.entitymanager.v1.Ontology", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Ontology", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Ontology", + "safeName": "andurilEntitymanagerV1Ontology" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_ontology", + "safeName": "anduril_entitymanager_v_1_ontology" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ONTOLOGY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ONTOLOGY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Ontology", + "safeName": "AndurilEntitymanagerV1Ontology" + } + }, + "displayName": "Ontology" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "platform_type", + "camelCase": { + "unsafeName": "platformType", + "safeName": "platformType" + }, + "snakeCase": { + "unsafeName": "platform_type", + "safeName": "platform_type" + }, + "screamingSnakeCase": { + "unsafeName": "PLATFORM_TYPE", + "safeName": "PLATFORM_TYPE" + }, + "pascalCase": { + "unsafeName": "PlatformType", + "safeName": "PlatformType" + } + }, + "wireValue": "platform_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A string that describes the entity's high-level type with natural language." + }, + { + "name": { + "name": { + "originalName": "specific_type", + "camelCase": { + "unsafeName": "specificType", + "safeName": "specificType" + }, + "snakeCase": { + "unsafeName": "specific_type", + "safeName": "specific_type" + }, + "screamingSnakeCase": { + "unsafeName": "SPECIFIC_TYPE", + "safeName": "SPECIFIC_TYPE" + }, + "pascalCase": { + "unsafeName": "SpecificType", + "safeName": "SpecificType" + } + }, + "wireValue": "specific_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A string that describes the entity's exact model or type." + }, + { + "name": { + "name": { + "originalName": "template", + "camelCase": { + "unsafeName": "template", + "safeName": "template" + }, + "snakeCase": { + "unsafeName": "template", + "safeName": "template" + }, + "screamingSnakeCase": { + "unsafeName": "TEMPLATE", + "safeName": "TEMPLATE" + }, + "pascalCase": { + "unsafeName": "Template", + "safeName": "Template" + } + }, + "wireValue": "template" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Template", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Template", + "safeName": "andurilEntitymanagerV1Template" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_template", + "safeName": "anduril_entitymanager_v_1_template" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TEMPLATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TEMPLATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Template", + "safeName": "AndurilEntitymanagerV1Template" + } + }, + "typeId": "anduril.entitymanager.v1.Template", + "default": null, + "inline": false, + "displayName": "template" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The template used when creating this entity. Specifies minimum required components." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Ontology of the entity." + }, + "anduril.type.MeanElementTheory": { + "name": { + "typeId": "anduril.type.MeanElementTheory", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.MeanElementTheory", + "camelCase": { + "unsafeName": "andurilTypeMeanElementTheory", + "safeName": "andurilTypeMeanElementTheory" + }, + "snakeCase": { + "unsafeName": "anduril_type_mean_element_theory", + "safeName": "anduril_type_mean_element_theory" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_MEAN_ELEMENT_THEORY", + "safeName": "ANDURIL_TYPE_MEAN_ELEMENT_THEORY" + }, + "pascalCase": { + "unsafeName": "AndurilTypeMeanElementTheory", + "safeName": "AndurilTypeMeanElementTheory" + } + }, + "displayName": "MeanElementTheory" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "MEAN_ELEMENT_THEORY_INVALID", + "camelCase": { + "unsafeName": "meanElementTheoryInvalid", + "safeName": "meanElementTheoryInvalid" + }, + "snakeCase": { + "unsafeName": "mean_element_theory_invalid", + "safeName": "mean_element_theory_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "MEAN_ELEMENT_THEORY_INVALID", + "safeName": "MEAN_ELEMENT_THEORY_INVALID" + }, + "pascalCase": { + "unsafeName": "MeanElementTheoryInvalid", + "safeName": "MeanElementTheoryInvalid" + } + }, + "wireValue": "MEAN_ELEMENT_THEORY_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "MEAN_ELEMENT_THEORY_SGP4", + "camelCase": { + "unsafeName": "meanElementTheorySgp4", + "safeName": "meanElementTheorySgp4" + }, + "snakeCase": { + "unsafeName": "mean_element_theory_sgp_4", + "safeName": "mean_element_theory_sgp_4" + }, + "screamingSnakeCase": { + "unsafeName": "MEAN_ELEMENT_THEORY_SGP_4", + "safeName": "MEAN_ELEMENT_THEORY_SGP_4" + }, + "pascalCase": { + "unsafeName": "MeanElementTheorySgp4", + "safeName": "MeanElementTheorySgp4" + } + }, + "wireValue": "MEAN_ELEMENT_THEORY_SGP4" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.type.EciReferenceFrame": { + "name": { + "typeId": "anduril.type.EciReferenceFrame", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.EciReferenceFrame", + "camelCase": { + "unsafeName": "andurilTypeEciReferenceFrame", + "safeName": "andurilTypeEciReferenceFrame" + }, + "snakeCase": { + "unsafeName": "anduril_type_eci_reference_frame", + "safeName": "anduril_type_eci_reference_frame" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ECI_REFERENCE_FRAME", + "safeName": "ANDURIL_TYPE_ECI_REFERENCE_FRAME" + }, + "pascalCase": { + "unsafeName": "AndurilTypeEciReferenceFrame", + "safeName": "AndurilTypeEciReferenceFrame" + } + }, + "displayName": "EciReferenceFrame" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "ECI_REFERENCE_FRAME_INVALID", + "camelCase": { + "unsafeName": "eciReferenceFrameInvalid", + "safeName": "eciReferenceFrameInvalid" + }, + "snakeCase": { + "unsafeName": "eci_reference_frame_invalid", + "safeName": "eci_reference_frame_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "ECI_REFERENCE_FRAME_INVALID", + "safeName": "ECI_REFERENCE_FRAME_INVALID" + }, + "pascalCase": { + "unsafeName": "EciReferenceFrameInvalid", + "safeName": "EciReferenceFrameInvalid" + } + }, + "wireValue": "ECI_REFERENCE_FRAME_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ECI_REFERENCE_FRAME_TEME", + "camelCase": { + "unsafeName": "eciReferenceFrameTeme", + "safeName": "eciReferenceFrameTeme" + }, + "snakeCase": { + "unsafeName": "eci_reference_frame_teme", + "safeName": "eci_reference_frame_teme" + }, + "screamingSnakeCase": { + "unsafeName": "ECI_REFERENCE_FRAME_TEME", + "safeName": "ECI_REFERENCE_FRAME_TEME" + }, + "pascalCase": { + "unsafeName": "EciReferenceFrameTeme", + "safeName": "EciReferenceFrameTeme" + } + }, + "wireValue": "ECI_REFERENCE_FRAME_TEME" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.type.OrbitMeanElements": { + "name": { + "typeId": "anduril.type.OrbitMeanElements", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.OrbitMeanElements", + "camelCase": { + "unsafeName": "andurilTypeOrbitMeanElements", + "safeName": "andurilTypeOrbitMeanElements" + }, + "snakeCase": { + "unsafeName": "anduril_type_orbit_mean_elements", + "safeName": "anduril_type_orbit_mean_elements" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS", + "safeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS" + }, + "pascalCase": { + "unsafeName": "AndurilTypeOrbitMeanElements", + "safeName": "AndurilTypeOrbitMeanElements" + } + }, + "displayName": "OrbitMeanElements" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "metadata", + "camelCase": { + "unsafeName": "metadata", + "safeName": "metadata" + }, + "snakeCase": { + "unsafeName": "metadata", + "safeName": "metadata" + }, + "screamingSnakeCase": { + "unsafeName": "METADATA", + "safeName": "METADATA" + }, + "pascalCase": { + "unsafeName": "Metadata", + "safeName": "Metadata" + } + }, + "wireValue": "metadata" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.OrbitMeanElementsMetadata", + "camelCase": { + "unsafeName": "andurilTypeOrbitMeanElementsMetadata", + "safeName": "andurilTypeOrbitMeanElementsMetadata" + }, + "snakeCase": { + "unsafeName": "anduril_type_orbit_mean_elements_metadata", + "safeName": "anduril_type_orbit_mean_elements_metadata" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS_METADATA", + "safeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS_METADATA" + }, + "pascalCase": { + "unsafeName": "AndurilTypeOrbitMeanElementsMetadata", + "safeName": "AndurilTypeOrbitMeanElementsMetadata" + } + }, + "typeId": "anduril.type.OrbitMeanElementsMetadata", + "default": null, + "inline": false, + "displayName": "metadata" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "mean_keplerian_elements", + "camelCase": { + "unsafeName": "meanKeplerianElements", + "safeName": "meanKeplerianElements" + }, + "snakeCase": { + "unsafeName": "mean_keplerian_elements", + "safeName": "mean_keplerian_elements" + }, + "screamingSnakeCase": { + "unsafeName": "MEAN_KEPLERIAN_ELEMENTS", + "safeName": "MEAN_KEPLERIAN_ELEMENTS" + }, + "pascalCase": { + "unsafeName": "MeanKeplerianElements", + "safeName": "MeanKeplerianElements" + } + }, + "wireValue": "mean_keplerian_elements" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.MeanKeplerianElements", + "camelCase": { + "unsafeName": "andurilTypeMeanKeplerianElements", + "safeName": "andurilTypeMeanKeplerianElements" + }, + "snakeCase": { + "unsafeName": "anduril_type_mean_keplerian_elements", + "safeName": "anduril_type_mean_keplerian_elements" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS", + "safeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS" + }, + "pascalCase": { + "unsafeName": "AndurilTypeMeanKeplerianElements", + "safeName": "AndurilTypeMeanKeplerianElements" + } + }, + "typeId": "anduril.type.MeanKeplerianElements", + "default": null, + "inline": false, + "displayName": "mean_keplerian_elements" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "tle_parameters", + "camelCase": { + "unsafeName": "tleParameters", + "safeName": "tleParameters" + }, + "snakeCase": { + "unsafeName": "tle_parameters", + "safeName": "tle_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "TLE_PARAMETERS", + "safeName": "TLE_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "TleParameters", + "safeName": "TleParameters" + } + }, + "wireValue": "tle_parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.TleParameters", + "camelCase": { + "unsafeName": "andurilTypeTleParameters", + "safeName": "andurilTypeTleParameters" + }, + "snakeCase": { + "unsafeName": "anduril_type_tle_parameters", + "safeName": "anduril_type_tle_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS", + "safeName": "ANDURIL_TYPE_TLE_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTypeTleParameters", + "safeName": "AndurilTypeTleParameters" + } + }, + "typeId": "anduril.type.TleParameters", + "default": null, + "inline": false, + "displayName": "tle_parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Orbit Mean Elements data, analogous to the Orbit Mean Elements Message in CCSDS 502.0-B-3" + }, + "anduril.type.OrbitMeanElementsMetadata": { + "name": { + "typeId": "anduril.type.OrbitMeanElementsMetadata", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.OrbitMeanElementsMetadata", + "camelCase": { + "unsafeName": "andurilTypeOrbitMeanElementsMetadata", + "safeName": "andurilTypeOrbitMeanElementsMetadata" + }, + "snakeCase": { + "unsafeName": "anduril_type_orbit_mean_elements_metadata", + "safeName": "anduril_type_orbit_mean_elements_metadata" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS_METADATA", + "safeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS_METADATA" + }, + "pascalCase": { + "unsafeName": "AndurilTypeOrbitMeanElementsMetadata", + "safeName": "AndurilTypeOrbitMeanElementsMetadata" + } + }, + "displayName": "OrbitMeanElementsMetadata" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "creation_date", + "camelCase": { + "unsafeName": "creationDate", + "safeName": "creationDate" + }, + "snakeCase": { + "unsafeName": "creation_date", + "safeName": "creation_date" + }, + "screamingSnakeCase": { + "unsafeName": "CREATION_DATE", + "safeName": "CREATION_DATE" + }, + "pascalCase": { + "unsafeName": "CreationDate", + "safeName": "CreationDate" + } + }, + "wireValue": "creation_date" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "creation_date" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Creation date/time in UTC" + }, + { + "name": { + "name": { + "originalName": "originator", + "camelCase": { + "unsafeName": "originator", + "safeName": "originator" + }, + "snakeCase": { + "unsafeName": "originator", + "safeName": "originator" + }, + "screamingSnakeCase": { + "unsafeName": "ORIGINATOR", + "safeName": "ORIGINATOR" + }, + "pascalCase": { + "unsafeName": "Originator", + "safeName": "Originator" + } + }, + "wireValue": "originator" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.StringValue", + "camelCase": { + "unsafeName": "googleProtobufStringValue", + "safeName": "googleProtobufStringValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_string_value", + "safeName": "google_protobuf_string_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_STRING_VALUE", + "safeName": "GOOGLE_PROTOBUF_STRING_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufStringValue", + "safeName": "GoogleProtobufStringValue" + } + }, + "typeId": "google.protobuf.StringValue", + "default": null, + "inline": false, + "displayName": "originator" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Creating agency or operator" + }, + { + "name": { + "name": { + "originalName": "message_id", + "camelCase": { + "unsafeName": "messageId", + "safeName": "messageId" + }, + "snakeCase": { + "unsafeName": "message_id", + "safeName": "message_id" + }, + "screamingSnakeCase": { + "unsafeName": "MESSAGE_ID", + "safeName": "MESSAGE_ID" + }, + "pascalCase": { + "unsafeName": "MessageId", + "safeName": "MessageId" + } + }, + "wireValue": "message_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.StringValue", + "camelCase": { + "unsafeName": "googleProtobufStringValue", + "safeName": "googleProtobufStringValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_string_value", + "safeName": "google_protobuf_string_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_STRING_VALUE", + "safeName": "GOOGLE_PROTOBUF_STRING_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufStringValue", + "safeName": "GoogleProtobufStringValue" + } + }, + "typeId": "google.protobuf.StringValue", + "default": null, + "inline": false, + "displayName": "message_id" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "ID that uniquely identifies a message from a given originator." + }, + { + "name": { + "name": { + "originalName": "ref_frame", + "camelCase": { + "unsafeName": "refFrame", + "safeName": "refFrame" + }, + "snakeCase": { + "unsafeName": "ref_frame", + "safeName": "ref_frame" + }, + "screamingSnakeCase": { + "unsafeName": "REF_FRAME", + "safeName": "REF_FRAME" + }, + "pascalCase": { + "unsafeName": "RefFrame", + "safeName": "RefFrame" + } + }, + "wireValue": "ref_frame" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.EciReferenceFrame", + "camelCase": { + "unsafeName": "andurilTypeEciReferenceFrame", + "safeName": "andurilTypeEciReferenceFrame" + }, + "snakeCase": { + "unsafeName": "anduril_type_eci_reference_frame", + "safeName": "anduril_type_eci_reference_frame" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ECI_REFERENCE_FRAME", + "safeName": "ANDURIL_TYPE_ECI_REFERENCE_FRAME" + }, + "pascalCase": { + "unsafeName": "AndurilTypeEciReferenceFrame", + "safeName": "AndurilTypeEciReferenceFrame" + } + }, + "typeId": "anduril.type.EciReferenceFrame", + "default": null, + "inline": false, + "displayName": "ref_frame" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Reference frame, assumed to be Earth-centered" + }, + { + "name": { + "name": { + "originalName": "ref_frame_epoch", + "camelCase": { + "unsafeName": "refFrameEpoch", + "safeName": "refFrameEpoch" + }, + "snakeCase": { + "unsafeName": "ref_frame_epoch", + "safeName": "ref_frame_epoch" + }, + "screamingSnakeCase": { + "unsafeName": "REF_FRAME_EPOCH", + "safeName": "REF_FRAME_EPOCH" + }, + "pascalCase": { + "unsafeName": "RefFrameEpoch", + "safeName": "RefFrameEpoch" + } + }, + "wireValue": "ref_frame_epoch" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "ref_frame_epoch" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Reference frame epoch in UTC - mandatory only if not intrinsic to frame definition" + }, + { + "name": { + "name": { + "originalName": "mean_element_theory", + "camelCase": { + "unsafeName": "meanElementTheory", + "safeName": "meanElementTheory" + }, + "snakeCase": { + "unsafeName": "mean_element_theory", + "safeName": "mean_element_theory" + }, + "screamingSnakeCase": { + "unsafeName": "MEAN_ELEMENT_THEORY", + "safeName": "MEAN_ELEMENT_THEORY" + }, + "pascalCase": { + "unsafeName": "MeanElementTheory", + "safeName": "MeanElementTheory" + } + }, + "wireValue": "mean_element_theory" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.MeanElementTheory", + "camelCase": { + "unsafeName": "andurilTypeMeanElementTheory", + "safeName": "andurilTypeMeanElementTheory" + }, + "snakeCase": { + "unsafeName": "anduril_type_mean_element_theory", + "safeName": "anduril_type_mean_element_theory" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_MEAN_ELEMENT_THEORY", + "safeName": "ANDURIL_TYPE_MEAN_ELEMENT_THEORY" + }, + "pascalCase": { + "unsafeName": "AndurilTypeMeanElementTheory", + "safeName": "AndurilTypeMeanElementTheory" + } + }, + "typeId": "anduril.type.MeanElementTheory", + "default": null, + "inline": false, + "displayName": "mean_element_theory" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.MeanKeplerianElementsLine2_field8": { + "name": { + "typeId": "anduril.type.MeanKeplerianElementsLine2_field8", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.MeanKeplerianElementsLine2_field8", + "camelCase": { + "unsafeName": "andurilTypeMeanKeplerianElementsLine2Field8", + "safeName": "andurilTypeMeanKeplerianElementsLine2Field8" + }, + "snakeCase": { + "unsafeName": "anduril_type_mean_keplerian_elements_line_2_field_8", + "safeName": "anduril_type_mean_keplerian_elements_line_2_field_8" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS_LINE_2_FIELD_8", + "safeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS_LINE_2_FIELD_8" + }, + "pascalCase": { + "unsafeName": "AndurilTypeMeanKeplerianElementsLine2Field8", + "safeName": "AndurilTypeMeanKeplerianElementsLine2Field8" + } + }, + "displayName": "MeanKeplerianElementsLine2_field8" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + }, + "docs": null + }, + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.MeanKeplerianElements": { + "name": { + "typeId": "anduril.type.MeanKeplerianElements", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.MeanKeplerianElements", + "camelCase": { + "unsafeName": "andurilTypeMeanKeplerianElements", + "safeName": "andurilTypeMeanKeplerianElements" + }, + "snakeCase": { + "unsafeName": "anduril_type_mean_keplerian_elements", + "safeName": "anduril_type_mean_keplerian_elements" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS", + "safeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS" + }, + "pascalCase": { + "unsafeName": "AndurilTypeMeanKeplerianElements", + "safeName": "AndurilTypeMeanKeplerianElements" + } + }, + "displayName": "MeanKeplerianElements" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "epoch", + "camelCase": { + "unsafeName": "epoch", + "safeName": "epoch" + }, + "snakeCase": { + "unsafeName": "epoch", + "safeName": "epoch" + }, + "screamingSnakeCase": { + "unsafeName": "EPOCH", + "safeName": "EPOCH" + }, + "pascalCase": { + "unsafeName": "Epoch", + "safeName": "Epoch" + } + }, + "wireValue": "epoch" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "epoch" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "UTC time of validity" + }, + { + "name": { + "name": { + "originalName": "eccentricity", + "camelCase": { + "unsafeName": "eccentricity", + "safeName": "eccentricity" + }, + "snakeCase": { + "unsafeName": "eccentricity", + "safeName": "eccentricity" + }, + "screamingSnakeCase": { + "unsafeName": "ECCENTRICITY", + "safeName": "ECCENTRICITY" + }, + "pascalCase": { + "unsafeName": "Eccentricity", + "safeName": "Eccentricity" + } + }, + "wireValue": "eccentricity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "inclination_deg", + "camelCase": { + "unsafeName": "inclinationDeg", + "safeName": "inclinationDeg" + }, + "snakeCase": { + "unsafeName": "inclination_deg", + "safeName": "inclination_deg" + }, + "screamingSnakeCase": { + "unsafeName": "INCLINATION_DEG", + "safeName": "INCLINATION_DEG" + }, + "pascalCase": { + "unsafeName": "InclinationDeg", + "safeName": "InclinationDeg" + } + }, + "wireValue": "inclination_deg" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Angle of inclination in deg" + }, + { + "name": { + "name": { + "originalName": "ra_of_asc_node_deg", + "camelCase": { + "unsafeName": "raOfAscNodeDeg", + "safeName": "raOfAscNodeDeg" + }, + "snakeCase": { + "unsafeName": "ra_of_asc_node_deg", + "safeName": "ra_of_asc_node_deg" + }, + "screamingSnakeCase": { + "unsafeName": "RA_OF_ASC_NODE_DEG", + "safeName": "RA_OF_ASC_NODE_DEG" + }, + "pascalCase": { + "unsafeName": "RaOfAscNodeDeg", + "safeName": "RaOfAscNodeDeg" + } + }, + "wireValue": "ra_of_asc_node_deg" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Right ascension of the ascending node in deg" + }, + { + "name": { + "name": { + "originalName": "arg_of_pericenter_deg", + "camelCase": { + "unsafeName": "argOfPericenterDeg", + "safeName": "argOfPericenterDeg" + }, + "snakeCase": { + "unsafeName": "arg_of_pericenter_deg", + "safeName": "arg_of_pericenter_deg" + }, + "screamingSnakeCase": { + "unsafeName": "ARG_OF_PERICENTER_DEG", + "safeName": "ARG_OF_PERICENTER_DEG" + }, + "pascalCase": { + "unsafeName": "ArgOfPericenterDeg", + "safeName": "ArgOfPericenterDeg" + } + }, + "wireValue": "arg_of_pericenter_deg" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Argument of pericenter in deg" + }, + { + "name": { + "name": { + "originalName": "mean_anomaly_deg", + "camelCase": { + "unsafeName": "meanAnomalyDeg", + "safeName": "meanAnomalyDeg" + }, + "snakeCase": { + "unsafeName": "mean_anomaly_deg", + "safeName": "mean_anomaly_deg" + }, + "screamingSnakeCase": { + "unsafeName": "MEAN_ANOMALY_DEG", + "safeName": "MEAN_ANOMALY_DEG" + }, + "pascalCase": { + "unsafeName": "MeanAnomalyDeg", + "safeName": "MeanAnomalyDeg" + } + }, + "wireValue": "mean_anomaly_deg" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Mean anomaly in deg" + }, + { + "name": { + "name": { + "originalName": "gm", + "camelCase": { + "unsafeName": "gm", + "safeName": "gm" + }, + "snakeCase": { + "unsafeName": "gm", + "safeName": "gm" + }, + "screamingSnakeCase": { + "unsafeName": "GM", + "safeName": "GM" + }, + "pascalCase": { + "unsafeName": "Gm", + "safeName": "Gm" + } + }, + "wireValue": "gm" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "gm" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional: gravitational coefficient (Gravitational Constant x central mass) in kg^3 / s^2" + }, + { + "name": { + "name": { + "originalName": "line2_field8", + "camelCase": { + "unsafeName": "line2Field8", + "safeName": "line2Field8" + }, + "snakeCase": { + "unsafeName": "line_2_field_8", + "safeName": "line_2_field_8" + }, + "screamingSnakeCase": { + "unsafeName": "LINE_2_FIELD_8", + "safeName": "LINE_2_FIELD_8" + }, + "pascalCase": { + "unsafeName": "Line2Field8", + "safeName": "Line2Field8" + } + }, + "wireValue": "line2_field8" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.MeanKeplerianElementsLine2_field8", + "camelCase": { + "unsafeName": "andurilTypeMeanKeplerianElementsLine2Field8", + "safeName": "andurilTypeMeanKeplerianElementsLine2Field8" + }, + "snakeCase": { + "unsafeName": "anduril_type_mean_keplerian_elements_line_2_field_8", + "safeName": "anduril_type_mean_keplerian_elements_line_2_field_8" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS_LINE_2_FIELD_8", + "safeName": "ANDURIL_TYPE_MEAN_KEPLERIAN_ELEMENTS_LINE_2_FIELD_8" + }, + "pascalCase": { + "unsafeName": "AndurilTypeMeanKeplerianElementsLine2Field8", + "safeName": "AndurilTypeMeanKeplerianElementsLine2Field8" + } + }, + "typeId": "anduril.type.MeanKeplerianElementsLine2_field8", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.TleParametersLine1_field11": { + "name": { + "typeId": "anduril.type.TleParametersLine1_field11", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.TleParametersLine1_field11", + "camelCase": { + "unsafeName": "andurilTypeTleParametersLine1Field11", + "safeName": "andurilTypeTleParametersLine1Field11" + }, + "snakeCase": { + "unsafeName": "anduril_type_tle_parameters_line_1_field_11", + "safeName": "anduril_type_tle_parameters_line_1_field_11" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_11", + "safeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_11" + }, + "pascalCase": { + "unsafeName": "AndurilTypeTleParametersLine1Field11", + "safeName": "AndurilTypeTleParametersLine1Field11" + } + }, + "displayName": "TleParametersLine1_field11" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + }, + "docs": null + }, + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.TleParametersLine1_field10": { + "name": { + "typeId": "anduril.type.TleParametersLine1_field10", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.TleParametersLine1_field10", + "camelCase": { + "unsafeName": "andurilTypeTleParametersLine1Field10", + "safeName": "andurilTypeTleParametersLine1Field10" + }, + "snakeCase": { + "unsafeName": "anduril_type_tle_parameters_line_1_field_10", + "safeName": "anduril_type_tle_parameters_line_1_field_10" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_10", + "safeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_10" + }, + "pascalCase": { + "unsafeName": "AndurilTypeTleParametersLine1Field10", + "safeName": "AndurilTypeTleParametersLine1Field10" + } + }, + "displayName": "TleParametersLine1_field10" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + }, + "docs": null + }, + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.TleParameters": { + "name": { + "typeId": "anduril.type.TleParameters", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.TleParameters", + "camelCase": { + "unsafeName": "andurilTypeTleParameters", + "safeName": "andurilTypeTleParameters" + }, + "snakeCase": { + "unsafeName": "anduril_type_tle_parameters", + "safeName": "anduril_type_tle_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS", + "safeName": "ANDURIL_TYPE_TLE_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTypeTleParameters", + "safeName": "AndurilTypeTleParameters" + } + }, + "displayName": "TleParameters" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "ephemeris_type", + "camelCase": { + "unsafeName": "ephemerisType", + "safeName": "ephemerisType" + }, + "snakeCase": { + "unsafeName": "ephemeris_type", + "safeName": "ephemeris_type" + }, + "screamingSnakeCase": { + "unsafeName": "EPHEMERIS_TYPE", + "safeName": "EPHEMERIS_TYPE" + }, + "pascalCase": { + "unsafeName": "EphemerisType", + "safeName": "EphemerisType" + } + }, + "wireValue": "ephemeris_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UInt32Value", + "camelCase": { + "unsafeName": "googleProtobufUInt32Value", + "safeName": "googleProtobufUInt32Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_u_int_32_value", + "safeName": "google_protobuf_u_int_32_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", + "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUInt32Value", + "safeName": "GoogleProtobufUInt32Value" + } + }, + "typeId": "google.protobuf.UInt32Value", + "default": null, + "inline": false, + "displayName": "ephemeris_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Integer specifying TLE ephemeris type" + }, + { + "name": { + "name": { + "originalName": "classification_type", + "camelCase": { + "unsafeName": "classificationType", + "safeName": "classificationType" + }, + "snakeCase": { + "unsafeName": "classification_type", + "safeName": "classification_type" + }, + "screamingSnakeCase": { + "unsafeName": "CLASSIFICATION_TYPE", + "safeName": "CLASSIFICATION_TYPE" + }, + "pascalCase": { + "unsafeName": "ClassificationType", + "safeName": "ClassificationType" + } + }, + "wireValue": "classification_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.StringValue", + "camelCase": { + "unsafeName": "googleProtobufStringValue", + "safeName": "googleProtobufStringValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_string_value", + "safeName": "google_protobuf_string_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_STRING_VALUE", + "safeName": "GOOGLE_PROTOBUF_STRING_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufStringValue", + "safeName": "GoogleProtobufStringValue" + } + }, + "typeId": "google.protobuf.StringValue", + "default": null, + "inline": false, + "displayName": "classification_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "User-defined free-text message classification/caveats of this TLE" + }, + { + "name": { + "name": { + "originalName": "norad_cat_id", + "camelCase": { + "unsafeName": "noradCatId", + "safeName": "noradCatId" + }, + "snakeCase": { + "unsafeName": "norad_cat_id", + "safeName": "norad_cat_id" + }, + "screamingSnakeCase": { + "unsafeName": "NORAD_CAT_ID", + "safeName": "NORAD_CAT_ID" + }, + "pascalCase": { + "unsafeName": "NoradCatId", + "safeName": "NoradCatId" + } + }, + "wireValue": "norad_cat_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UInt32Value", + "camelCase": { + "unsafeName": "googleProtobufUInt32Value", + "safeName": "googleProtobufUInt32Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_u_int_32_value", + "safeName": "google_protobuf_u_int_32_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", + "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUInt32Value", + "safeName": "GoogleProtobufUInt32Value" + } + }, + "typeId": "google.protobuf.UInt32Value", + "default": null, + "inline": false, + "displayName": "norad_cat_id" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Norad catalog number: integer up to nine digits." + }, + { + "name": { + "name": { + "originalName": "element_set_no", + "camelCase": { + "unsafeName": "elementSetNo", + "safeName": "elementSetNo" + }, + "snakeCase": { + "unsafeName": "element_set_no", + "safeName": "element_set_no" + }, + "screamingSnakeCase": { + "unsafeName": "ELEMENT_SET_NO", + "safeName": "ELEMENT_SET_NO" + }, + "pascalCase": { + "unsafeName": "ElementSetNo", + "safeName": "ElementSetNo" + } + }, + "wireValue": "element_set_no" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UInt32Value", + "camelCase": { + "unsafeName": "googleProtobufUInt32Value", + "safeName": "googleProtobufUInt32Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_u_int_32_value", + "safeName": "google_protobuf_u_int_32_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", + "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUInt32Value", + "safeName": "GoogleProtobufUInt32Value" + } + }, + "typeId": "google.protobuf.UInt32Value", + "default": null, + "inline": false, + "displayName": "element_set_no" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "rev_at_epoch", + "camelCase": { + "unsafeName": "revAtEpoch", + "safeName": "revAtEpoch" + }, + "snakeCase": { + "unsafeName": "rev_at_epoch", + "safeName": "rev_at_epoch" + }, + "screamingSnakeCase": { + "unsafeName": "REV_AT_EPOCH", + "safeName": "REV_AT_EPOCH" + }, + "pascalCase": { + "unsafeName": "RevAtEpoch", + "safeName": "RevAtEpoch" + } + }, + "wireValue": "rev_at_epoch" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UInt32Value", + "camelCase": { + "unsafeName": "googleProtobufUInt32Value", + "safeName": "googleProtobufUInt32Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_u_int_32_value", + "safeName": "google_protobuf_u_int_32_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", + "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUInt32Value", + "safeName": "GoogleProtobufUInt32Value" + } + }, + "typeId": "google.protobuf.UInt32Value", + "default": null, + "inline": false, + "displayName": "rev_at_epoch" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional: revolution number" + }, + { + "name": { + "name": { + "originalName": "mean_motion_dot", + "camelCase": { + "unsafeName": "meanMotionDot", + "safeName": "meanMotionDot" + }, + "snakeCase": { + "unsafeName": "mean_motion_dot", + "safeName": "mean_motion_dot" + }, + "screamingSnakeCase": { + "unsafeName": "MEAN_MOTION_DOT", + "safeName": "MEAN_MOTION_DOT" + }, + "pascalCase": { + "unsafeName": "MeanMotionDot", + "safeName": "MeanMotionDot" + } + }, + "wireValue": "mean_motion_dot" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "mean_motion_dot" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "First time derivative of mean motion in rev / day^2" + }, + { + "name": { + "name": { + "originalName": "line1_field11", + "camelCase": { + "unsafeName": "line1Field11", + "safeName": "line1Field11" + }, + "snakeCase": { + "unsafeName": "line_1_field_11", + "safeName": "line_1_field_11" + }, + "screamingSnakeCase": { + "unsafeName": "LINE_1_FIELD_11", + "safeName": "LINE_1_FIELD_11" + }, + "pascalCase": { + "unsafeName": "Line1Field11", + "safeName": "Line1Field11" + } + }, + "wireValue": "line1_field11" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.TleParametersLine1_field11", + "camelCase": { + "unsafeName": "andurilTypeTleParametersLine1Field11", + "safeName": "andurilTypeTleParametersLine1Field11" + }, + "snakeCase": { + "unsafeName": "anduril_type_tle_parameters_line_1_field_11", + "safeName": "anduril_type_tle_parameters_line_1_field_11" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_11", + "safeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_11" + }, + "pascalCase": { + "unsafeName": "AndurilTypeTleParametersLine1Field11", + "safeName": "AndurilTypeTleParametersLine1Field11" + } + }, + "typeId": "anduril.type.TleParametersLine1_field11", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "line1_field10", + "camelCase": { + "unsafeName": "line1Field10", + "safeName": "line1Field10" + }, + "snakeCase": { + "unsafeName": "line_1_field_10", + "safeName": "line_1_field_10" + }, + "screamingSnakeCase": { + "unsafeName": "LINE_1_FIELD_10", + "safeName": "LINE_1_FIELD_10" + }, + "pascalCase": { + "unsafeName": "Line1Field10", + "safeName": "Line1Field10" + } + }, + "wireValue": "line1_field10" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.TleParametersLine1_field10", + "camelCase": { + "unsafeName": "andurilTypeTleParametersLine1Field10", + "safeName": "andurilTypeTleParametersLine1Field10" + }, + "snakeCase": { + "unsafeName": "anduril_type_tle_parameters_line_1_field_10", + "safeName": "anduril_type_tle_parameters_line_1_field_10" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_10", + "safeName": "ANDURIL_TYPE_TLE_PARAMETERS_LINE_1_FIELD_10" + }, + "pascalCase": { + "unsafeName": "AndurilTypeTleParametersLine1Field10", + "safeName": "AndurilTypeTleParametersLine1Field10" + } + }, + "typeId": "anduril.type.TleParametersLine1_field10", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Orbit": { + "name": { + "typeId": "anduril.entitymanager.v1.Orbit", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Orbit", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Orbit", + "safeName": "andurilEntitymanagerV1Orbit" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_orbit", + "safeName": "anduril_entitymanager_v_1_orbit" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ORBIT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ORBIT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Orbit", + "safeName": "AndurilEntitymanagerV1Orbit" + } + }, + "displayName": "Orbit" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "orbit_mean_elements", + "camelCase": { + "unsafeName": "orbitMeanElements", + "safeName": "orbitMeanElements" + }, + "snakeCase": { + "unsafeName": "orbit_mean_elements", + "safeName": "orbit_mean_elements" + }, + "screamingSnakeCase": { + "unsafeName": "ORBIT_MEAN_ELEMENTS", + "safeName": "ORBIT_MEAN_ELEMENTS" + }, + "pascalCase": { + "unsafeName": "OrbitMeanElements", + "safeName": "OrbitMeanElements" + } + }, + "wireValue": "orbit_mean_elements" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.OrbitMeanElements", + "camelCase": { + "unsafeName": "andurilTypeOrbitMeanElements", + "safeName": "andurilTypeOrbitMeanElements" + }, + "snakeCase": { + "unsafeName": "anduril_type_orbit_mean_elements", + "safeName": "anduril_type_orbit_mean_elements" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS", + "safeName": "ANDURIL_TYPE_ORBIT_MEAN_ELEMENTS" + }, + "pascalCase": { + "unsafeName": "AndurilTypeOrbitMeanElements", + "safeName": "AndurilTypeOrbitMeanElements" + } + }, + "typeId": "anduril.type.OrbitMeanElements", + "default": null, + "inline": false, + "displayName": "orbit_mean_elements" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Orbit Mean Elements data, analogous to the Orbit Mean Elements Message in CCSDS 502.0-B-3" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.PayloadOperationalState": { + "name": { + "typeId": "anduril.entitymanager.v1.PayloadOperationalState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PayloadOperationalState", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PayloadOperationalState", + "safeName": "andurilEntitymanagerV1PayloadOperationalState" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_payload_operational_state", + "safeName": "anduril_entitymanager_v_1_payload_operational_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_OPERATIONAL_STATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_OPERATIONAL_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PayloadOperationalState", + "safeName": "AndurilEntitymanagerV1PayloadOperationalState" + } + }, + "displayName": "PayloadOperationalState" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "PAYLOAD_OPERATIONAL_STATE_INVALID", + "camelCase": { + "unsafeName": "payloadOperationalStateInvalid", + "safeName": "payloadOperationalStateInvalid" + }, + "snakeCase": { + "unsafeName": "payload_operational_state_invalid", + "safeName": "payload_operational_state_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOAD_OPERATIONAL_STATE_INVALID", + "safeName": "PAYLOAD_OPERATIONAL_STATE_INVALID" + }, + "pascalCase": { + "unsafeName": "PayloadOperationalStateInvalid", + "safeName": "PayloadOperationalStateInvalid" + } + }, + "wireValue": "PAYLOAD_OPERATIONAL_STATE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "PAYLOAD_OPERATIONAL_STATE_OFF", + "camelCase": { + "unsafeName": "payloadOperationalStateOff", + "safeName": "payloadOperationalStateOff" + }, + "snakeCase": { + "unsafeName": "payload_operational_state_off", + "safeName": "payload_operational_state_off" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOAD_OPERATIONAL_STATE_OFF", + "safeName": "PAYLOAD_OPERATIONAL_STATE_OFF" + }, + "pascalCase": { + "unsafeName": "PayloadOperationalStateOff", + "safeName": "PayloadOperationalStateOff" + } + }, + "wireValue": "PAYLOAD_OPERATIONAL_STATE_OFF" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "PAYLOAD_OPERATIONAL_STATE_NON_OPERATIONAL", + "camelCase": { + "unsafeName": "payloadOperationalStateNonOperational", + "safeName": "payloadOperationalStateNonOperational" + }, + "snakeCase": { + "unsafeName": "payload_operational_state_non_operational", + "safeName": "payload_operational_state_non_operational" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOAD_OPERATIONAL_STATE_NON_OPERATIONAL", + "safeName": "PAYLOAD_OPERATIONAL_STATE_NON_OPERATIONAL" + }, + "pascalCase": { + "unsafeName": "PayloadOperationalStateNonOperational", + "safeName": "PayloadOperationalStateNonOperational" + } + }, + "wireValue": "PAYLOAD_OPERATIONAL_STATE_NON_OPERATIONAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "PAYLOAD_OPERATIONAL_STATE_DEGRADED", + "camelCase": { + "unsafeName": "payloadOperationalStateDegraded", + "safeName": "payloadOperationalStateDegraded" + }, + "snakeCase": { + "unsafeName": "payload_operational_state_degraded", + "safeName": "payload_operational_state_degraded" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOAD_OPERATIONAL_STATE_DEGRADED", + "safeName": "PAYLOAD_OPERATIONAL_STATE_DEGRADED" + }, + "pascalCase": { + "unsafeName": "PayloadOperationalStateDegraded", + "safeName": "PayloadOperationalStateDegraded" + } + }, + "wireValue": "PAYLOAD_OPERATIONAL_STATE_DEGRADED" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "PAYLOAD_OPERATIONAL_STATE_OPERATIONAL", + "camelCase": { + "unsafeName": "payloadOperationalStateOperational", + "safeName": "payloadOperationalStateOperational" + }, + "snakeCase": { + "unsafeName": "payload_operational_state_operational", + "safeName": "payload_operational_state_operational" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOAD_OPERATIONAL_STATE_OPERATIONAL", + "safeName": "PAYLOAD_OPERATIONAL_STATE_OPERATIONAL" + }, + "pascalCase": { + "unsafeName": "PayloadOperationalStateOperational", + "safeName": "PayloadOperationalStateOperational" + } + }, + "wireValue": "PAYLOAD_OPERATIONAL_STATE_OPERATIONAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "PAYLOAD_OPERATIONAL_STATE_OUT_OF_SERVICE", + "camelCase": { + "unsafeName": "payloadOperationalStateOutOfService", + "safeName": "payloadOperationalStateOutOfService" + }, + "snakeCase": { + "unsafeName": "payload_operational_state_out_of_service", + "safeName": "payload_operational_state_out_of_service" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOAD_OPERATIONAL_STATE_OUT_OF_SERVICE", + "safeName": "PAYLOAD_OPERATIONAL_STATE_OUT_OF_SERVICE" + }, + "pascalCase": { + "unsafeName": "PayloadOperationalStateOutOfService", + "safeName": "PayloadOperationalStateOutOfService" + } + }, + "wireValue": "PAYLOAD_OPERATIONAL_STATE_OUT_OF_SERVICE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "PAYLOAD_OPERATIONAL_STATE_UNKNOWN", + "camelCase": { + "unsafeName": "payloadOperationalStateUnknown", + "safeName": "payloadOperationalStateUnknown" + }, + "snakeCase": { + "unsafeName": "payload_operational_state_unknown", + "safeName": "payload_operational_state_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOAD_OPERATIONAL_STATE_UNKNOWN", + "safeName": "PAYLOAD_OPERATIONAL_STATE_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "PayloadOperationalStateUnknown", + "safeName": "PayloadOperationalStateUnknown" + } + }, + "wireValue": "PAYLOAD_OPERATIONAL_STATE_UNKNOWN" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Describes the current operational state of a payload configuration." + }, + "anduril.entitymanager.v1.Payloads": { + "name": { + "typeId": "anduril.entitymanager.v1.Payloads", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Payloads", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Payloads", + "safeName": "andurilEntitymanagerV1Payloads" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_payloads", + "safeName": "anduril_entitymanager_v_1_payloads" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOADS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOADS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Payloads", + "safeName": "AndurilEntitymanagerV1Payloads" + } + }, + "displayName": "Payloads" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "payload_configurations", + "camelCase": { + "unsafeName": "payloadConfigurations", + "safeName": "payloadConfigurations" + }, + "snakeCase": { + "unsafeName": "payload_configurations", + "safeName": "payload_configurations" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOAD_CONFIGURATIONS", + "safeName": "PAYLOAD_CONFIGURATIONS" + }, + "pascalCase": { + "unsafeName": "PayloadConfigurations", + "safeName": "PayloadConfigurations" + } + }, + "wireValue": "payload_configurations" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Payload", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Payload", + "safeName": "andurilEntitymanagerV1Payload" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_payload", + "safeName": "anduril_entitymanager_v_1_payload" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Payload", + "safeName": "AndurilEntitymanagerV1Payload" + } + }, + "typeId": "anduril.entitymanager.v1.Payload", + "default": null, + "inline": false, + "displayName": "payload_configurations" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "List of payloads available for an entity." + }, + "anduril.entitymanager.v1.Payload": { + "name": { + "typeId": "anduril.entitymanager.v1.Payload", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Payload", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Payload", + "safeName": "andurilEntitymanagerV1Payload" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_payload", + "safeName": "anduril_entitymanager_v_1_payload" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Payload", + "safeName": "AndurilEntitymanagerV1Payload" + } + }, + "displayName": "Payload" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "config", + "camelCase": { + "unsafeName": "config", + "safeName": "config" + }, + "snakeCase": { + "unsafeName": "config", + "safeName": "config" + }, + "screamingSnakeCase": { + "unsafeName": "CONFIG", + "safeName": "CONFIG" + }, + "pascalCase": { + "unsafeName": "Config", + "safeName": "Config" + } + }, + "wireValue": "config" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PayloadConfiguration", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PayloadConfiguration", + "safeName": "andurilEntitymanagerV1PayloadConfiguration" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_payload_configuration", + "safeName": "anduril_entitymanager_v_1_payload_configuration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_CONFIGURATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_CONFIGURATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PayloadConfiguration", + "safeName": "AndurilEntitymanagerV1PayloadConfiguration" + } + }, + "typeId": "anduril.entitymanager.v1.PayloadConfiguration", + "default": null, + "inline": false, + "displayName": "config" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Individual payload configuration." + }, + "anduril.entitymanager.v1.PayloadConfiguration": { + "name": { + "typeId": "anduril.entitymanager.v1.PayloadConfiguration", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PayloadConfiguration", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PayloadConfiguration", + "safeName": "andurilEntitymanagerV1PayloadConfiguration" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_payload_configuration", + "safeName": "anduril_entitymanager_v_1_payload_configuration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_CONFIGURATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_CONFIGURATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PayloadConfiguration", + "safeName": "AndurilEntitymanagerV1PayloadConfiguration" + } + }, + "displayName": "PayloadConfiguration" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "capability_id", + "camelCase": { + "unsafeName": "capabilityId", + "safeName": "capabilityId" + }, + "snakeCase": { + "unsafeName": "capability_id", + "safeName": "capability_id" + }, + "screamingSnakeCase": { + "unsafeName": "CAPABILITY_ID", + "safeName": "CAPABILITY_ID" + }, + "pascalCase": { + "unsafeName": "CapabilityId", + "safeName": "CapabilityId" + } + }, + "wireValue": "capability_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Identifying ID for the capability.\\n This ID may be used multiple times to represent payloads that are the same capability but have different operational states" + }, + { + "name": { + "name": { + "originalName": "quantity", + "camelCase": { + "unsafeName": "quantity", + "safeName": "quantity" + }, + "snakeCase": { + "unsafeName": "quantity", + "safeName": "quantity" + }, + "screamingSnakeCase": { + "unsafeName": "QUANTITY", + "safeName": "QUANTITY" + }, + "pascalCase": { + "unsafeName": "Quantity", + "safeName": "Quantity" + } + }, + "wireValue": "quantity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The number of payloads currently available in the configuration." + }, + { + "name": { + "name": { + "originalName": "effective_environment", + "camelCase": { + "unsafeName": "effectiveEnvironment", + "safeName": "effectiveEnvironment" + }, + "snakeCase": { + "unsafeName": "effective_environment", + "safeName": "effective_environment" + }, + "screamingSnakeCase": { + "unsafeName": "EFFECTIVE_ENVIRONMENT", + "safeName": "EFFECTIVE_ENVIRONMENT" + }, + "pascalCase": { + "unsafeName": "EffectiveEnvironment", + "safeName": "EffectiveEnvironment" + } + }, + "wireValue": "effective_environment" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.ontology.v1.Environment", + "camelCase": { + "unsafeName": "andurilOntologyV1Environment", + "safeName": "andurilOntologyV1Environment" + }, + "snakeCase": { + "unsafeName": "anduril_ontology_v_1_environment", + "safeName": "anduril_ontology_v_1_environment" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT", + "safeName": "ANDURIL_ONTOLOGY_V_1_ENVIRONMENT" + }, + "pascalCase": { + "unsafeName": "AndurilOntologyV1Environment", + "safeName": "AndurilOntologyV1Environment" + } + }, + "typeId": "anduril.ontology.v1.Environment", + "default": null, + "inline": false, + "displayName": "effective_environment" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The target environments the configuration is effective against." + }, + { + "name": { + "name": { + "originalName": "payload_operational_state", + "camelCase": { + "unsafeName": "payloadOperationalState", + "safeName": "payloadOperationalState" + }, + "snakeCase": { + "unsafeName": "payload_operational_state", + "safeName": "payload_operational_state" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOAD_OPERATIONAL_STATE", + "safeName": "PAYLOAD_OPERATIONAL_STATE" + }, + "pascalCase": { + "unsafeName": "PayloadOperationalState", + "safeName": "PayloadOperationalState" + } + }, + "wireValue": "payload_operational_state" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PayloadOperationalState", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PayloadOperationalState", + "safeName": "andurilEntitymanagerV1PayloadOperationalState" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_payload_operational_state", + "safeName": "anduril_entitymanager_v_1_payload_operational_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_OPERATIONAL_STATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOAD_OPERATIONAL_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PayloadOperationalState", + "safeName": "AndurilEntitymanagerV1PayloadOperationalState" + } + }, + "typeId": "anduril.entitymanager.v1.PayloadOperationalState", + "default": null, + "inline": false, + "displayName": "payload_operational_state" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The operational state of this payload." + }, + { + "name": { + "name": { + "originalName": "payload_description", + "camelCase": { + "unsafeName": "payloadDescription", + "safeName": "payloadDescription" + }, + "snakeCase": { + "unsafeName": "payload_description", + "safeName": "payload_description" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOAD_DESCRIPTION", + "safeName": "PAYLOAD_DESCRIPTION" + }, + "pascalCase": { + "unsafeName": "PayloadDescription", + "safeName": "PayloadDescription" + } + }, + "wireValue": "payload_description" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A human readable description of the payload" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.PowerStatus": { + "name": { + "typeId": "anduril.entitymanager.v1.PowerStatus", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerStatus", + "safeName": "andurilEntitymanagerV1PowerStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_status", + "safeName": "anduril_entitymanager_v_1_power_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerStatus", + "safeName": "AndurilEntitymanagerV1PowerStatus" + } + }, + "displayName": "PowerStatus" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "POWER_STATUS_INVALID", + "camelCase": { + "unsafeName": "powerStatusInvalid", + "safeName": "powerStatusInvalid" + }, + "snakeCase": { + "unsafeName": "power_status_invalid", + "safeName": "power_status_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATUS_INVALID", + "safeName": "POWER_STATUS_INVALID" + }, + "pascalCase": { + "unsafeName": "PowerStatusInvalid", + "safeName": "PowerStatusInvalid" + } + }, + "wireValue": "POWER_STATUS_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "POWER_STATUS_UNKNOWN", + "camelCase": { + "unsafeName": "powerStatusUnknown", + "safeName": "powerStatusUnknown" + }, + "snakeCase": { + "unsafeName": "power_status_unknown", + "safeName": "power_status_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATUS_UNKNOWN", + "safeName": "POWER_STATUS_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "PowerStatusUnknown", + "safeName": "PowerStatusUnknown" + } + }, + "wireValue": "POWER_STATUS_UNKNOWN" + }, + "availability": null, + "docs": "Indeterminate condition of whether the power system is present or absent." + }, + { + "name": { + "name": { + "originalName": "POWER_STATUS_NOT_PRESENT", + "camelCase": { + "unsafeName": "powerStatusNotPresent", + "safeName": "powerStatusNotPresent" + }, + "snakeCase": { + "unsafeName": "power_status_not_present", + "safeName": "power_status_not_present" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATUS_NOT_PRESENT", + "safeName": "POWER_STATUS_NOT_PRESENT" + }, + "pascalCase": { + "unsafeName": "PowerStatusNotPresent", + "safeName": "PowerStatusNotPresent" + } + }, + "wireValue": "POWER_STATUS_NOT_PRESENT" + }, + "availability": null, + "docs": "Power system is not configured/present. This is considered a normal/expected condition, as opposed to the\\n system is expected to be present but is missing." + }, + { + "name": { + "name": { + "originalName": "POWER_STATUS_OPERATING", + "camelCase": { + "unsafeName": "powerStatusOperating", + "safeName": "powerStatusOperating" + }, + "snakeCase": { + "unsafeName": "power_status_operating", + "safeName": "power_status_operating" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATUS_OPERATING", + "safeName": "POWER_STATUS_OPERATING" + }, + "pascalCase": { + "unsafeName": "PowerStatusOperating", + "safeName": "PowerStatusOperating" + } + }, + "wireValue": "POWER_STATUS_OPERATING" + }, + "availability": null, + "docs": "Power system is present and operating normally." + }, + { + "name": { + "name": { + "originalName": "POWER_STATUS_DISABLED", + "camelCase": { + "unsafeName": "powerStatusDisabled", + "safeName": "powerStatusDisabled" + }, + "snakeCase": { + "unsafeName": "power_status_disabled", + "safeName": "power_status_disabled" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATUS_DISABLED", + "safeName": "POWER_STATUS_DISABLED" + }, + "pascalCase": { + "unsafeName": "PowerStatusDisabled", + "safeName": "PowerStatusDisabled" + } + }, + "wireValue": "POWER_STATUS_DISABLED" + }, + "availability": null, + "docs": "Power system is present and is in an expected disabled state. For example, if the generator was shut off for\\n operational reasons." + }, + { + "name": { + "name": { + "originalName": "POWER_STATUS_ERROR", + "camelCase": { + "unsafeName": "powerStatusError", + "safeName": "powerStatusError" + }, + "snakeCase": { + "unsafeName": "power_status_error", + "safeName": "power_status_error" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATUS_ERROR", + "safeName": "POWER_STATUS_ERROR" + }, + "pascalCase": { + "unsafeName": "PowerStatusError", + "safeName": "PowerStatusError" + } + }, + "wireValue": "POWER_STATUS_ERROR" + }, + "availability": null, + "docs": "Power system is non-functional." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.PowerType": { + "name": { + "typeId": "anduril.entitymanager.v1.PowerType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerType", + "safeName": "andurilEntitymanagerV1PowerType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_type", + "safeName": "anduril_entitymanager_v_1_power_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerType", + "safeName": "AndurilEntitymanagerV1PowerType" + } + }, + "displayName": "PowerType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "POWER_TYPE_INVALID", + "camelCase": { + "unsafeName": "powerTypeInvalid", + "safeName": "powerTypeInvalid" + }, + "snakeCase": { + "unsafeName": "power_type_invalid", + "safeName": "power_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_TYPE_INVALID", + "safeName": "POWER_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "PowerTypeInvalid", + "safeName": "PowerTypeInvalid" + } + }, + "wireValue": "POWER_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "POWER_TYPE_UNKNOWN", + "camelCase": { + "unsafeName": "powerTypeUnknown", + "safeName": "powerTypeUnknown" + }, + "snakeCase": { + "unsafeName": "power_type_unknown", + "safeName": "power_type_unknown" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_TYPE_UNKNOWN", + "safeName": "POWER_TYPE_UNKNOWN" + }, + "pascalCase": { + "unsafeName": "PowerTypeUnknown", + "safeName": "PowerTypeUnknown" + } + }, + "wireValue": "POWER_TYPE_UNKNOWN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "POWER_TYPE_GAS", + "camelCase": { + "unsafeName": "powerTypeGas", + "safeName": "powerTypeGas" + }, + "snakeCase": { + "unsafeName": "power_type_gas", + "safeName": "power_type_gas" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_TYPE_GAS", + "safeName": "POWER_TYPE_GAS" + }, + "pascalCase": { + "unsafeName": "PowerTypeGas", + "safeName": "PowerTypeGas" + } + }, + "wireValue": "POWER_TYPE_GAS" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "POWER_TYPE_BATTERY", + "camelCase": { + "unsafeName": "powerTypeBattery", + "safeName": "powerTypeBattery" + }, + "snakeCase": { + "unsafeName": "power_type_battery", + "safeName": "power_type_battery" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_TYPE_BATTERY", + "safeName": "POWER_TYPE_BATTERY" + }, + "pascalCase": { + "unsafeName": "PowerTypeBattery", + "safeName": "PowerTypeBattery" + } + }, + "wireValue": "POWER_TYPE_BATTERY" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.PowerState.SourceIdToStateEntry": { + "name": { + "typeId": "PowerState.SourceIdToStateEntry", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SourceIdToStateEntry", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SourceIdToStateEntry", + "safeName": "andurilEntitymanagerV1SourceIdToStateEntry" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_source_id_to_state_entry", + "safeName": "anduril_entitymanager_v_1_source_id_to_state_entry" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SOURCE_ID_TO_STATE_ENTRY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SOURCE_ID_TO_STATE_ENTRY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SourceIdToStateEntry", + "safeName": "AndurilEntitymanagerV1SourceIdToStateEntry" + } + }, + "displayName": "SourceIdToStateEntry" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "key", + "camelCase": { + "unsafeName": "key", + "safeName": "key" + }, + "snakeCase": { + "unsafeName": "key", + "safeName": "key" + }, + "screamingSnakeCase": { + "unsafeName": "KEY", + "safeName": "KEY" + }, + "pascalCase": { + "unsafeName": "Key", + "safeName": "Key" + } + }, + "wireValue": "key" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerSource", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerSource", + "safeName": "andurilEntitymanagerV1PowerSource" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_source", + "safeName": "anduril_entitymanager_v_1_power_source" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_SOURCE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_SOURCE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerSource", + "safeName": "AndurilEntitymanagerV1PowerSource" + } + }, + "typeId": "anduril.entitymanager.v1.PowerSource", + "default": null, + "inline": false, + "displayName": "value" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.PowerState": { + "name": { + "typeId": "anduril.entitymanager.v1.PowerState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerState", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerState", + "safeName": "andurilEntitymanagerV1PowerState" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_state", + "safeName": "anduril_entitymanager_v_1_power_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerState", + "safeName": "AndurilEntitymanagerV1PowerState" + } + }, + "displayName": "PowerState" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "source_id_to_state", + "camelCase": { + "unsafeName": "sourceIdToState", + "safeName": "sourceIdToState" + }, + "snakeCase": { + "unsafeName": "source_id_to_state", + "safeName": "source_id_to_state" + }, + "screamingSnakeCase": { + "unsafeName": "SOURCE_ID_TO_STATE", + "safeName": "SOURCE_ID_TO_STATE" + }, + "pascalCase": { + "unsafeName": "SourceIdToState", + "safeName": "SourceIdToState" + } + }, + "wireValue": "source_id_to_state" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerState.SourceIdToStateEntry", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerStateSourceIdToStateEntry", + "safeName": "andurilEntitymanagerV1PowerStateSourceIdToStateEntry" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_state_source_id_to_state_entry", + "safeName": "anduril_entitymanager_v_1_power_state_source_id_to_state_entry" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE_SOURCE_ID_TO_STATE_ENTRY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE_SOURCE_ID_TO_STATE_ENTRY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerStateSourceIdToStateEntry", + "safeName": "AndurilEntitymanagerV1PowerStateSourceIdToStateEntry" + } + }, + "typeId": "anduril.entitymanager.v1.PowerState.SourceIdToStateEntry", + "default": null, + "inline": false, + "displayName": "source_id_to_state" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "This is a map where the key is a unique id of the power source and the value is additional information about the\\n power source." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents the state of power sources connected to this entity." + }, + "anduril.entitymanager.v1.PowerSource": { + "name": { + "typeId": "anduril.entitymanager.v1.PowerSource", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerSource", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerSource", + "safeName": "andurilEntitymanagerV1PowerSource" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_source", + "safeName": "anduril_entitymanager_v_1_power_source" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_SOURCE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_SOURCE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerSource", + "safeName": "AndurilEntitymanagerV1PowerSource" + } + }, + "displayName": "PowerSource" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "power_status", + "camelCase": { + "unsafeName": "powerStatus", + "safeName": "powerStatus" + }, + "snakeCase": { + "unsafeName": "power_status", + "safeName": "power_status" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATUS", + "safeName": "POWER_STATUS" + }, + "pascalCase": { + "unsafeName": "PowerStatus", + "safeName": "PowerStatus" + } + }, + "wireValue": "power_status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerStatus", + "safeName": "andurilEntitymanagerV1PowerStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_status", + "safeName": "anduril_entitymanager_v_1_power_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerStatus", + "safeName": "AndurilEntitymanagerV1PowerStatus" + } + }, + "typeId": "anduril.entitymanager.v1.PowerStatus", + "default": null, + "inline": false, + "displayName": "power_status" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Status of the power source." + }, + { + "name": { + "name": { + "originalName": "power_type", + "camelCase": { + "unsafeName": "powerType", + "safeName": "powerType" + }, + "snakeCase": { + "unsafeName": "power_type", + "safeName": "power_type" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_TYPE", + "safeName": "POWER_TYPE" + }, + "pascalCase": { + "unsafeName": "PowerType", + "safeName": "PowerType" + } + }, + "wireValue": "power_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerType", + "safeName": "andurilEntitymanagerV1PowerType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_type", + "safeName": "anduril_entitymanager_v_1_power_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerType", + "safeName": "AndurilEntitymanagerV1PowerType" + } + }, + "typeId": "anduril.entitymanager.v1.PowerType", + "default": null, + "inline": false, + "displayName": "power_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Used to determine the type of power source." + }, + { + "name": { + "name": { + "originalName": "power_level", + "camelCase": { + "unsafeName": "powerLevel", + "safeName": "powerLevel" + }, + "snakeCase": { + "unsafeName": "power_level", + "safeName": "power_level" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_LEVEL", + "safeName": "POWER_LEVEL" + }, + "pascalCase": { + "unsafeName": "PowerLevel", + "safeName": "PowerLevel" + } + }, + "wireValue": "power_level" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerLevel", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerLevel", + "safeName": "andurilEntitymanagerV1PowerLevel" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_level", + "safeName": "anduril_entitymanager_v_1_power_level" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_LEVEL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_LEVEL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerLevel", + "safeName": "AndurilEntitymanagerV1PowerLevel" + } + }, + "typeId": "anduril.entitymanager.v1.PowerLevel", + "default": null, + "inline": false, + "displayName": "power_level" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Power level of the system. If absent, the power level is assumed to be unknown." + }, + { + "name": { + "name": { + "originalName": "messages", + "camelCase": { + "unsafeName": "messages", + "safeName": "messages" + }, + "snakeCase": { + "unsafeName": "messages", + "safeName": "messages" + }, + "screamingSnakeCase": { + "unsafeName": "MESSAGES", + "safeName": "MESSAGES" + }, + "pascalCase": { + "unsafeName": "Messages", + "safeName": "Messages" + } + }, + "wireValue": "messages" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Set of human-readable messages with status of the power system. Typically this would be used in an error state\\n to provide additional error information. This can also be used for informational messages." + }, + { + "name": { + "name": { + "originalName": "offloadable", + "camelCase": { + "unsafeName": "offloadable", + "safeName": "offloadable" + }, + "snakeCase": { + "unsafeName": "offloadable", + "safeName": "offloadable" + }, + "screamingSnakeCase": { + "unsafeName": "OFFLOADABLE", + "safeName": "OFFLOADABLE" + }, + "pascalCase": { + "unsafeName": "Offloadable", + "safeName": "Offloadable" + } + }, + "wireValue": "offloadable" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.BoolValue", + "camelCase": { + "unsafeName": "googleProtobufBoolValue", + "safeName": "googleProtobufBoolValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_bool_value", + "safeName": "google_protobuf_bool_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", + "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufBoolValue", + "safeName": "GoogleProtobufBoolValue" + } + }, + "typeId": "google.protobuf.BoolValue", + "default": null, + "inline": false, + "displayName": "offloadable" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Whether the power source is offloadable. If the value is missing (as opposed to false) then the entity does not\\n report whether the power source is offloadable." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents the state of a single power source that is connected to this entity." + }, + "anduril.entitymanager.v1.PowerLevel": { + "name": { + "typeId": "anduril.entitymanager.v1.PowerLevel", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerLevel", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerLevel", + "safeName": "andurilEntitymanagerV1PowerLevel" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_level", + "safeName": "anduril_entitymanager_v_1_power_level" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_LEVEL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_LEVEL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerLevel", + "safeName": "AndurilEntitymanagerV1PowerLevel" + } + }, + "displayName": "PowerLevel" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "capacity", + "camelCase": { + "unsafeName": "capacity", + "safeName": "capacity" + }, + "snakeCase": { + "unsafeName": "capacity", + "safeName": "capacity" + }, + "screamingSnakeCase": { + "unsafeName": "CAPACITY", + "safeName": "CAPACITY" + }, + "pascalCase": { + "unsafeName": "Capacity", + "safeName": "Capacity" + } + }, + "wireValue": "capacity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Total power capacity of the system." + }, + { + "name": { + "name": { + "originalName": "remaining", + "camelCase": { + "unsafeName": "remaining", + "safeName": "remaining" + }, + "snakeCase": { + "unsafeName": "remaining", + "safeName": "remaining" + }, + "screamingSnakeCase": { + "unsafeName": "REMAINING", + "safeName": "REMAINING" + }, + "pascalCase": { + "unsafeName": "Remaining", + "safeName": "Remaining" + } + }, + "wireValue": "remaining" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Remaining power capacity of the system." + }, + { + "name": { + "name": { + "originalName": "percent_remaining", + "camelCase": { + "unsafeName": "percentRemaining", + "safeName": "percentRemaining" + }, + "snakeCase": { + "unsafeName": "percent_remaining", + "safeName": "percent_remaining" + }, + "screamingSnakeCase": { + "unsafeName": "PERCENT_REMAINING", + "safeName": "PERCENT_REMAINING" + }, + "pascalCase": { + "unsafeName": "PercentRemaining", + "safeName": "PercentRemaining" + } + }, + "wireValue": "percent_remaining" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Percent of power remaining." + }, + { + "name": { + "name": { + "originalName": "voltage", + "camelCase": { + "unsafeName": "voltage", + "safeName": "voltage" + }, + "snakeCase": { + "unsafeName": "voltage", + "safeName": "voltage" + }, + "screamingSnakeCase": { + "unsafeName": "VOLTAGE", + "safeName": "VOLTAGE" + }, + "pascalCase": { + "unsafeName": "Voltage", + "safeName": "Voltage" + } + }, + "wireValue": "voltage" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "voltage" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Voltage of the power source subsystem, as reported by the power source. If the source does not report this value\\n this field will be null." + }, + { + "name": { + "name": { + "originalName": "current_amps", + "camelCase": { + "unsafeName": "currentAmps", + "safeName": "currentAmps" + }, + "snakeCase": { + "unsafeName": "current_amps", + "safeName": "current_amps" + }, + "screamingSnakeCase": { + "unsafeName": "CURRENT_AMPS", + "safeName": "CURRENT_AMPS" + }, + "pascalCase": { + "unsafeName": "CurrentAmps", + "safeName": "CurrentAmps" + } + }, + "wireValue": "current_amps" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "current_amps" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Current in amps of the power source subsystem, as reported by the power source. If the source does not\\n report this value this field will be null." + }, + { + "name": { + "name": { + "originalName": "run_time_to_empty_mins", + "camelCase": { + "unsafeName": "runTimeToEmptyMins", + "safeName": "runTimeToEmptyMins" + }, + "snakeCase": { + "unsafeName": "run_time_to_empty_mins", + "safeName": "run_time_to_empty_mins" + }, + "screamingSnakeCase": { + "unsafeName": "RUN_TIME_TO_EMPTY_MINS", + "safeName": "RUN_TIME_TO_EMPTY_MINS" + }, + "pascalCase": { + "unsafeName": "RunTimeToEmptyMins", + "safeName": "RunTimeToEmptyMins" + } + }, + "wireValue": "run_time_to_empty_mins" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "run_time_to_empty_mins" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Estimated minutes until empty. Calculated with consumption at the moment, as reported by the power source. If the source does not\\n report this value this field will be null." + }, + { + "name": { + "name": { + "originalName": "consumption_rate_l_per_s", + "camelCase": { + "unsafeName": "consumptionRateLPerS", + "safeName": "consumptionRateLPerS" + }, + "snakeCase": { + "unsafeName": "consumption_rate_l_per_s", + "safeName": "consumption_rate_l_per_s" + }, + "screamingSnakeCase": { + "unsafeName": "CONSUMPTION_RATE_L_PER_S", + "safeName": "CONSUMPTION_RATE_L_PER_S" + }, + "pascalCase": { + "unsafeName": "ConsumptionRateLPerS", + "safeName": "ConsumptionRateLPerS" + } + }, + "wireValue": "consumption_rate_l_per_s" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "consumption_rate_l_per_s" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Fuel consumption rate in liters per second." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents the power level of a system." + }, + "anduril.entitymanager.v1.ScanType": { + "name": { + "typeId": "anduril.entitymanager.v1.ScanType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ScanType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ScanType", + "safeName": "andurilEntitymanagerV1ScanType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_scan_type", + "safeName": "anduril_entitymanager_v_1_scan_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ScanType", + "safeName": "AndurilEntitymanagerV1ScanType" + } + }, + "displayName": "ScanType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "SCAN_TYPE_INVALID", + "camelCase": { + "unsafeName": "scanTypeInvalid", + "safeName": "scanTypeInvalid" + }, + "snakeCase": { + "unsafeName": "scan_type_invalid", + "safeName": "scan_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_INVALID", + "safeName": "SCAN_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "ScanTypeInvalid", + "safeName": "ScanTypeInvalid" + } + }, + "wireValue": "SCAN_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_CIRCULAR", + "camelCase": { + "unsafeName": "scanTypeCircular", + "safeName": "scanTypeCircular" + }, + "snakeCase": { + "unsafeName": "scan_type_circular", + "safeName": "scan_type_circular" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_CIRCULAR", + "safeName": "SCAN_TYPE_CIRCULAR" + }, + "pascalCase": { + "unsafeName": "ScanTypeCircular", + "safeName": "ScanTypeCircular" + } + }, + "wireValue": "SCAN_TYPE_CIRCULAR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_BIDIRECTIONAL_HORIZONTAL_SECTOR", + "camelCase": { + "unsafeName": "scanTypeBidirectionalHorizontalSector", + "safeName": "scanTypeBidirectionalHorizontalSector" + }, + "snakeCase": { + "unsafeName": "scan_type_bidirectional_horizontal_sector", + "safeName": "scan_type_bidirectional_horizontal_sector" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_BIDIRECTIONAL_HORIZONTAL_SECTOR", + "safeName": "SCAN_TYPE_BIDIRECTIONAL_HORIZONTAL_SECTOR" + }, + "pascalCase": { + "unsafeName": "ScanTypeBidirectionalHorizontalSector", + "safeName": "ScanTypeBidirectionalHorizontalSector" + } + }, + "wireValue": "SCAN_TYPE_BIDIRECTIONAL_HORIZONTAL_SECTOR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_BIDIRECTIONAL_VERTICAL_SECTOR", + "camelCase": { + "unsafeName": "scanTypeBidirectionalVerticalSector", + "safeName": "scanTypeBidirectionalVerticalSector" + }, + "snakeCase": { + "unsafeName": "scan_type_bidirectional_vertical_sector", + "safeName": "scan_type_bidirectional_vertical_sector" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_BIDIRECTIONAL_VERTICAL_SECTOR", + "safeName": "SCAN_TYPE_BIDIRECTIONAL_VERTICAL_SECTOR" + }, + "pascalCase": { + "unsafeName": "ScanTypeBidirectionalVerticalSector", + "safeName": "ScanTypeBidirectionalVerticalSector" + } + }, + "wireValue": "SCAN_TYPE_BIDIRECTIONAL_VERTICAL_SECTOR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_NON_SCANNING", + "camelCase": { + "unsafeName": "scanTypeNonScanning", + "safeName": "scanTypeNonScanning" + }, + "snakeCase": { + "unsafeName": "scan_type_non_scanning", + "safeName": "scan_type_non_scanning" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_NON_SCANNING", + "safeName": "SCAN_TYPE_NON_SCANNING" + }, + "pascalCase": { + "unsafeName": "ScanTypeNonScanning", + "safeName": "ScanTypeNonScanning" + } + }, + "wireValue": "SCAN_TYPE_NON_SCANNING" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_IRREGULAR", + "camelCase": { + "unsafeName": "scanTypeIrregular", + "safeName": "scanTypeIrregular" + }, + "snakeCase": { + "unsafeName": "scan_type_irregular", + "safeName": "scan_type_irregular" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_IRREGULAR", + "safeName": "SCAN_TYPE_IRREGULAR" + }, + "pascalCase": { + "unsafeName": "ScanTypeIrregular", + "safeName": "ScanTypeIrregular" + } + }, + "wireValue": "SCAN_TYPE_IRREGULAR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_CONICAL", + "camelCase": { + "unsafeName": "scanTypeConical", + "safeName": "scanTypeConical" + }, + "snakeCase": { + "unsafeName": "scan_type_conical", + "safeName": "scan_type_conical" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_CONICAL", + "safeName": "SCAN_TYPE_CONICAL" + }, + "pascalCase": { + "unsafeName": "ScanTypeConical", + "safeName": "ScanTypeConical" + } + }, + "wireValue": "SCAN_TYPE_CONICAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_LOBE_SWITCHING", + "camelCase": { + "unsafeName": "scanTypeLobeSwitching", + "safeName": "scanTypeLobeSwitching" + }, + "snakeCase": { + "unsafeName": "scan_type_lobe_switching", + "safeName": "scan_type_lobe_switching" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_LOBE_SWITCHING", + "safeName": "SCAN_TYPE_LOBE_SWITCHING" + }, + "pascalCase": { + "unsafeName": "ScanTypeLobeSwitching", + "safeName": "ScanTypeLobeSwitching" + } + }, + "wireValue": "SCAN_TYPE_LOBE_SWITCHING" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_RASTER", + "camelCase": { + "unsafeName": "scanTypeRaster", + "safeName": "scanTypeRaster" + }, + "snakeCase": { + "unsafeName": "scan_type_raster", + "safeName": "scan_type_raster" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_RASTER", + "safeName": "SCAN_TYPE_RASTER" + }, + "pascalCase": { + "unsafeName": "ScanTypeRaster", + "safeName": "ScanTypeRaster" + } + }, + "wireValue": "SCAN_TYPE_RASTER" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_CIRCULAR_VERTICAL_SECTOR", + "camelCase": { + "unsafeName": "scanTypeCircularVerticalSector", + "safeName": "scanTypeCircularVerticalSector" + }, + "snakeCase": { + "unsafeName": "scan_type_circular_vertical_sector", + "safeName": "scan_type_circular_vertical_sector" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_CIRCULAR_VERTICAL_SECTOR", + "safeName": "SCAN_TYPE_CIRCULAR_VERTICAL_SECTOR" + }, + "pascalCase": { + "unsafeName": "ScanTypeCircularVerticalSector", + "safeName": "ScanTypeCircularVerticalSector" + } + }, + "wireValue": "SCAN_TYPE_CIRCULAR_VERTICAL_SECTOR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_CIRCULAR_CONICAL", + "camelCase": { + "unsafeName": "scanTypeCircularConical", + "safeName": "scanTypeCircularConical" + }, + "snakeCase": { + "unsafeName": "scan_type_circular_conical", + "safeName": "scan_type_circular_conical" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_CIRCULAR_CONICAL", + "safeName": "SCAN_TYPE_CIRCULAR_CONICAL" + }, + "pascalCase": { + "unsafeName": "ScanTypeCircularConical", + "safeName": "ScanTypeCircularConical" + } + }, + "wireValue": "SCAN_TYPE_CIRCULAR_CONICAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_SECTOR_CONICAL", + "camelCase": { + "unsafeName": "scanTypeSectorConical", + "safeName": "scanTypeSectorConical" + }, + "snakeCase": { + "unsafeName": "scan_type_sector_conical", + "safeName": "scan_type_sector_conical" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_SECTOR_CONICAL", + "safeName": "SCAN_TYPE_SECTOR_CONICAL" + }, + "pascalCase": { + "unsafeName": "ScanTypeSectorConical", + "safeName": "ScanTypeSectorConical" + } + }, + "wireValue": "SCAN_TYPE_SECTOR_CONICAL" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_AGILE_BEAM", + "camelCase": { + "unsafeName": "scanTypeAgileBeam", + "safeName": "scanTypeAgileBeam" + }, + "snakeCase": { + "unsafeName": "scan_type_agile_beam", + "safeName": "scan_type_agile_beam" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_AGILE_BEAM", + "safeName": "SCAN_TYPE_AGILE_BEAM" + }, + "pascalCase": { + "unsafeName": "ScanTypeAgileBeam", + "safeName": "ScanTypeAgileBeam" + } + }, + "wireValue": "SCAN_TYPE_AGILE_BEAM" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_UNIDIRECTIONAL_VERTICAL_SECTOR", + "camelCase": { + "unsafeName": "scanTypeUnidirectionalVerticalSector", + "safeName": "scanTypeUnidirectionalVerticalSector" + }, + "snakeCase": { + "unsafeName": "scan_type_unidirectional_vertical_sector", + "safeName": "scan_type_unidirectional_vertical_sector" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_UNIDIRECTIONAL_VERTICAL_SECTOR", + "safeName": "SCAN_TYPE_UNIDIRECTIONAL_VERTICAL_SECTOR" + }, + "pascalCase": { + "unsafeName": "ScanTypeUnidirectionalVerticalSector", + "safeName": "ScanTypeUnidirectionalVerticalSector" + } + }, + "wireValue": "SCAN_TYPE_UNIDIRECTIONAL_VERTICAL_SECTOR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_UNIDIRECTIONAL_HORIZONTAL_SECTOR", + "camelCase": { + "unsafeName": "scanTypeUnidirectionalHorizontalSector", + "safeName": "scanTypeUnidirectionalHorizontalSector" + }, + "snakeCase": { + "unsafeName": "scan_type_unidirectional_horizontal_sector", + "safeName": "scan_type_unidirectional_horizontal_sector" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_UNIDIRECTIONAL_HORIZONTAL_SECTOR", + "safeName": "SCAN_TYPE_UNIDIRECTIONAL_HORIZONTAL_SECTOR" + }, + "pascalCase": { + "unsafeName": "ScanTypeUnidirectionalHorizontalSector", + "safeName": "ScanTypeUnidirectionalHorizontalSector" + } + }, + "wireValue": "SCAN_TYPE_UNIDIRECTIONAL_HORIZONTAL_SECTOR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_UNIDIRECTIONAL_SECTOR", + "camelCase": { + "unsafeName": "scanTypeUnidirectionalSector", + "safeName": "scanTypeUnidirectionalSector" + }, + "snakeCase": { + "unsafeName": "scan_type_unidirectional_sector", + "safeName": "scan_type_unidirectional_sector" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_UNIDIRECTIONAL_SECTOR", + "safeName": "SCAN_TYPE_UNIDIRECTIONAL_SECTOR" + }, + "pascalCase": { + "unsafeName": "ScanTypeUnidirectionalSector", + "safeName": "ScanTypeUnidirectionalSector" + } + }, + "wireValue": "SCAN_TYPE_UNIDIRECTIONAL_SECTOR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCAN_TYPE_BIDIRECTIONAL_SECTOR", + "camelCase": { + "unsafeName": "scanTypeBidirectionalSector", + "safeName": "scanTypeBidirectionalSector" + }, + "snakeCase": { + "unsafeName": "scan_type_bidirectional_sector", + "safeName": "scan_type_bidirectional_sector" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE_BIDIRECTIONAL_SECTOR", + "safeName": "SCAN_TYPE_BIDIRECTIONAL_SECTOR" + }, + "pascalCase": { + "unsafeName": "ScanTypeBidirectionalSector", + "safeName": "ScanTypeBidirectionalSector" + } + }, + "wireValue": "SCAN_TYPE_BIDIRECTIONAL_SECTOR" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Enumerates the possible scan types" + }, + "anduril.entitymanager.v1.SignalFrequency_measurement": { + "name": { + "typeId": "anduril.entitymanager.v1.SignalFrequency_measurement", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SignalFrequency_measurement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SignalFrequencyMeasurement", + "safeName": "andurilEntitymanagerV1SignalFrequencyMeasurement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_signal_frequency_measurement", + "safeName": "anduril_entitymanager_v_1_signal_frequency_measurement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_FREQUENCY_MEASUREMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_FREQUENCY_MEASUREMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SignalFrequencyMeasurement", + "safeName": "AndurilEntitymanagerV1SignalFrequencyMeasurement" + } + }, + "displayName": "SignalFrequency_measurement" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Frequency", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Frequency", + "safeName": "andurilEntitymanagerV1Frequency" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_frequency", + "safeName": "anduril_entitymanager_v_1_frequency" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Frequency", + "safeName": "AndurilEntitymanagerV1Frequency" + } + }, + "typeId": "anduril.entitymanager.v1.Frequency", + "default": null, + "inline": false, + "displayName": "frequency_center" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.FrequencyRange", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1FrequencyRange", + "safeName": "andurilEntitymanagerV1FrequencyRange" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_frequency_range", + "safeName": "anduril_entitymanager_v_1_frequency_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1FrequencyRange", + "safeName": "AndurilEntitymanagerV1FrequencyRange" + } + }, + "typeId": "anduril.entitymanager.v1.FrequencyRange", + "default": null, + "inline": false, + "displayName": "frequency_range" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.SignalReport": { + "name": { + "typeId": "anduril.entitymanager.v1.SignalReport", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SignalReport", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SignalReport", + "safeName": "andurilEntitymanagerV1SignalReport" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_signal_report", + "safeName": "anduril_entitymanager_v_1_signal_report" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_REPORT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_REPORT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SignalReport", + "safeName": "AndurilEntitymanagerV1SignalReport" + } + }, + "displayName": "SignalReport" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.LineOfBearing", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1LineOfBearing", + "safeName": "andurilEntitymanagerV1LineOfBearing" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_line_of_bearing", + "safeName": "anduril_entitymanager_v_1_line_of_bearing" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1LineOfBearing", + "safeName": "AndurilEntitymanagerV1LineOfBearing" + } + }, + "typeId": "anduril.entitymanager.v1.LineOfBearing", + "default": null, + "inline": false, + "displayName": "line_of_bearing" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Fixed", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Fixed", + "safeName": "andurilEntitymanagerV1Fixed" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_fixed", + "safeName": "anduril_entitymanager_v_1_fixed" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIXED", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIXED" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Fixed", + "safeName": "AndurilEntitymanagerV1Fixed" + } + }, + "typeId": "anduril.entitymanager.v1.Fixed", + "default": null, + "inline": false, + "displayName": "fixed" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Signal": { + "name": { + "typeId": "anduril.entitymanager.v1.Signal", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Signal", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Signal", + "safeName": "andurilEntitymanagerV1Signal" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_signal", + "safeName": "anduril_entitymanager_v_1_signal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Signal", + "safeName": "AndurilEntitymanagerV1Signal" + } + }, + "displayName": "Signal" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "bandwidth_hz", + "camelCase": { + "unsafeName": "bandwidthHz", + "safeName": "bandwidthHz" + }, + "snakeCase": { + "unsafeName": "bandwidth_hz", + "safeName": "bandwidth_hz" + }, + "screamingSnakeCase": { + "unsafeName": "BANDWIDTH_HZ", + "safeName": "BANDWIDTH_HZ" + }, + "pascalCase": { + "unsafeName": "BandwidthHz", + "safeName": "BandwidthHz" + } + }, + "wireValue": "bandwidth_hz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "bandwidth_hz" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the bandwidth of a signal (Hz)." + }, + { + "name": { + "name": { + "originalName": "signal_to_noise_ratio", + "camelCase": { + "unsafeName": "signalToNoiseRatio", + "safeName": "signalToNoiseRatio" + }, + "snakeCase": { + "unsafeName": "signal_to_noise_ratio", + "safeName": "signal_to_noise_ratio" + }, + "screamingSnakeCase": { + "unsafeName": "SIGNAL_TO_NOISE_RATIO", + "safeName": "SIGNAL_TO_NOISE_RATIO" + }, + "pascalCase": { + "unsafeName": "SignalToNoiseRatio", + "safeName": "SignalToNoiseRatio" + } + }, + "wireValue": "signal_to_noise_ratio" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "signal_to_noise_ratio" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the signal to noise (SNR) of this signal." + }, + { + "name": { + "name": { + "originalName": "emitter_notations", + "camelCase": { + "unsafeName": "emitterNotations", + "safeName": "emitterNotations" + }, + "snakeCase": { + "unsafeName": "emitter_notations", + "safeName": "emitter_notations" + }, + "screamingSnakeCase": { + "unsafeName": "EMITTER_NOTATIONS", + "safeName": "EMITTER_NOTATIONS" + }, + "pascalCase": { + "unsafeName": "EmitterNotations", + "safeName": "EmitterNotations" + } + }, + "wireValue": "emitter_notations" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.EmitterNotation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1EmitterNotation", + "safeName": "andurilEntitymanagerV1EmitterNotation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_emitter_notation", + "safeName": "anduril_entitymanager_v_1_emitter_notation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_EMITTER_NOTATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_EMITTER_NOTATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1EmitterNotation", + "safeName": "AndurilEntitymanagerV1EmitterNotation" + } + }, + "typeId": "anduril.entitymanager.v1.EmitterNotation", + "default": null, + "inline": false, + "displayName": "emitter_notations" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Emitter notations associated with this entity." + }, + { + "name": { + "name": { + "originalName": "pulse_width_s", + "camelCase": { + "unsafeName": "pulseWidthS", + "safeName": "pulseWidthS" + }, + "snakeCase": { + "unsafeName": "pulse_width_s", + "safeName": "pulse_width_s" + }, + "screamingSnakeCase": { + "unsafeName": "PULSE_WIDTH_S", + "safeName": "PULSE_WIDTH_S" + }, + "pascalCase": { + "unsafeName": "PulseWidthS", + "safeName": "PulseWidthS" + } + }, + "wireValue": "pulse_width_s" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "pulse_width_s" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "length in time of a single pulse" + }, + { + "name": { + "name": { + "originalName": "pulse_repetition_interval", + "camelCase": { + "unsafeName": "pulseRepetitionInterval", + "safeName": "pulseRepetitionInterval" + }, + "snakeCase": { + "unsafeName": "pulse_repetition_interval", + "safeName": "pulse_repetition_interval" + }, + "screamingSnakeCase": { + "unsafeName": "PULSE_REPETITION_INTERVAL", + "safeName": "PULSE_REPETITION_INTERVAL" + }, + "pascalCase": { + "unsafeName": "PulseRepetitionInterval", + "safeName": "PulseRepetitionInterval" + } + }, + "wireValue": "pulse_repetition_interval" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PulseRepetitionInterval", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PulseRepetitionInterval", + "safeName": "andurilEntitymanagerV1PulseRepetitionInterval" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_pulse_repetition_interval", + "safeName": "anduril_entitymanager_v_1_pulse_repetition_interval" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PULSE_REPETITION_INTERVAL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PULSE_REPETITION_INTERVAL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PulseRepetitionInterval", + "safeName": "AndurilEntitymanagerV1PulseRepetitionInterval" + } + }, + "typeId": "anduril.entitymanager.v1.PulseRepetitionInterval", + "default": null, + "inline": false, + "displayName": "pulse_repetition_interval" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "length in time between the start of two pulses" + }, + { + "name": { + "name": { + "originalName": "scan_characteristics", + "camelCase": { + "unsafeName": "scanCharacteristics", + "safeName": "scanCharacteristics" + }, + "snakeCase": { + "unsafeName": "scan_characteristics", + "safeName": "scan_characteristics" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_CHARACTERISTICS", + "safeName": "SCAN_CHARACTERISTICS" + }, + "pascalCase": { + "unsafeName": "ScanCharacteristics", + "safeName": "ScanCharacteristics" + } + }, + "wireValue": "scan_characteristics" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ScanCharacteristics", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ScanCharacteristics", + "safeName": "andurilEntitymanagerV1ScanCharacteristics" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_scan_characteristics", + "safeName": "anduril_entitymanager_v_1_scan_characteristics" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_CHARACTERISTICS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_CHARACTERISTICS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ScanCharacteristics", + "safeName": "AndurilEntitymanagerV1ScanCharacteristics" + } + }, + "typeId": "anduril.entitymanager.v1.ScanCharacteristics", + "default": null, + "inline": false, + "displayName": "scan_characteristics" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "describes how a signal is observing the environment" + }, + { + "name": { + "name": { + "originalName": "frequency_measurement", + "camelCase": { + "unsafeName": "frequencyMeasurement", + "safeName": "frequencyMeasurement" + }, + "snakeCase": { + "unsafeName": "frequency_measurement", + "safeName": "frequency_measurement" + }, + "screamingSnakeCase": { + "unsafeName": "FREQUENCY_MEASUREMENT", + "safeName": "FREQUENCY_MEASUREMENT" + }, + "pascalCase": { + "unsafeName": "FrequencyMeasurement", + "safeName": "FrequencyMeasurement" + } + }, + "wireValue": "frequency_measurement" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SignalFrequency_measurement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SignalFrequencyMeasurement", + "safeName": "andurilEntitymanagerV1SignalFrequencyMeasurement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_signal_frequency_measurement", + "safeName": "anduril_entitymanager_v_1_signal_frequency_measurement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_FREQUENCY_MEASUREMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_FREQUENCY_MEASUREMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SignalFrequencyMeasurement", + "safeName": "AndurilEntitymanagerV1SignalFrequencyMeasurement" + } + }, + "typeId": "anduril.entitymanager.v1.SignalFrequency_measurement", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "report", + "camelCase": { + "unsafeName": "report", + "safeName": "report" + }, + "snakeCase": { + "unsafeName": "report", + "safeName": "report" + }, + "screamingSnakeCase": { + "unsafeName": "REPORT", + "safeName": "REPORT" + }, + "pascalCase": { + "unsafeName": "Report", + "safeName": "Report" + } + }, + "wireValue": "report" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SignalReport", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SignalReport", + "safeName": "andurilEntitymanagerV1SignalReport" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_signal_report", + "safeName": "anduril_entitymanager_v_1_signal_report" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_REPORT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL_REPORT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SignalReport", + "safeName": "AndurilEntitymanagerV1SignalReport" + } + }, + "typeId": "anduril.entitymanager.v1.SignalReport", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A component that describes an entity's signal characteristics." + }, + "anduril.entitymanager.v1.EmitterNotation": { + "name": { + "typeId": "anduril.entitymanager.v1.EmitterNotation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.EmitterNotation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1EmitterNotation", + "safeName": "andurilEntitymanagerV1EmitterNotation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_emitter_notation", + "safeName": "anduril_entitymanager_v_1_emitter_notation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_EMITTER_NOTATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_EMITTER_NOTATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1EmitterNotation", + "safeName": "AndurilEntitymanagerV1EmitterNotation" + } + }, + "displayName": "EmitterNotation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "emitter_notation", + "camelCase": { + "unsafeName": "emitterNotation", + "safeName": "emitterNotation" + }, + "snakeCase": { + "unsafeName": "emitter_notation", + "safeName": "emitter_notation" + }, + "screamingSnakeCase": { + "unsafeName": "EMITTER_NOTATION", + "safeName": "EMITTER_NOTATION" + }, + "pascalCase": { + "unsafeName": "EmitterNotation", + "safeName": "EmitterNotation" + } + }, + "wireValue": "emitter_notation" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "confidence", + "camelCase": { + "unsafeName": "confidence", + "safeName": "confidence" + }, + "snakeCase": { + "unsafeName": "confidence", + "safeName": "confidence" + }, + "screamingSnakeCase": { + "unsafeName": "CONFIDENCE", + "safeName": "CONFIDENCE" + }, + "pascalCase": { + "unsafeName": "Confidence", + "safeName": "Confidence" + } + }, + "wireValue": "confidence" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "confidence" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "confidence as a percentage that the emitter notation in this component is accurate" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A representation of a single emitter notation." + }, + "anduril.entitymanager.v1.Measurement": { + "name": { + "typeId": "anduril.entitymanager.v1.Measurement", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Measurement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Measurement", + "safeName": "andurilEntitymanagerV1Measurement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_measurement", + "safeName": "anduril_entitymanager_v_1_measurement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Measurement", + "safeName": "AndurilEntitymanagerV1Measurement" + } + }, + "displayName": "Measurement" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "value" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The value of the measurement." + }, + { + "name": { + "name": { + "originalName": "sigma", + "camelCase": { + "unsafeName": "sigma", + "safeName": "sigma" + }, + "snakeCase": { + "unsafeName": "sigma", + "safeName": "sigma" + }, + "screamingSnakeCase": { + "unsafeName": "SIGMA", + "safeName": "SIGMA" + }, + "pascalCase": { + "unsafeName": "Sigma", + "safeName": "Sigma" + } + }, + "wireValue": "sigma" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "sigma" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Estimated one standard deviation in same unit as the value." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A component that describes some measured value with error." + }, + "anduril.entitymanager.v1.Frequency": { + "name": { + "typeId": "anduril.entitymanager.v1.Frequency", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Frequency", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Frequency", + "safeName": "andurilEntitymanagerV1Frequency" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_frequency", + "safeName": "anduril_entitymanager_v_1_frequency" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Frequency", + "safeName": "AndurilEntitymanagerV1Frequency" + } + }, + "displayName": "Frequency" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "frequency_hz", + "camelCase": { + "unsafeName": "frequencyHz", + "safeName": "frequencyHz" + }, + "snakeCase": { + "unsafeName": "frequency_hz", + "safeName": "frequency_hz" + }, + "screamingSnakeCase": { + "unsafeName": "FREQUENCY_HZ", + "safeName": "FREQUENCY_HZ" + }, + "pascalCase": { + "unsafeName": "FrequencyHz", + "safeName": "FrequencyHz" + } + }, + "wireValue": "frequency_hz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Measurement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Measurement", + "safeName": "andurilEntitymanagerV1Measurement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_measurement", + "safeName": "anduril_entitymanager_v_1_measurement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Measurement", + "safeName": "AndurilEntitymanagerV1Measurement" + } + }, + "typeId": "anduril.entitymanager.v1.Measurement", + "default": null, + "inline": false, + "displayName": "frequency_hz" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates a frequency of a signal (Hz) with its standard deviation." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A component for describing frequency." + }, + "anduril.entitymanager.v1.FrequencyRange": { + "name": { + "typeId": "anduril.entitymanager.v1.FrequencyRange", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.FrequencyRange", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1FrequencyRange", + "safeName": "andurilEntitymanagerV1FrequencyRange" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_frequency_range", + "safeName": "anduril_entitymanager_v_1_frequency_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1FrequencyRange", + "safeName": "AndurilEntitymanagerV1FrequencyRange" + } + }, + "displayName": "FrequencyRange" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "minimum_frequency_hz", + "camelCase": { + "unsafeName": "minimumFrequencyHz", + "safeName": "minimumFrequencyHz" + }, + "snakeCase": { + "unsafeName": "minimum_frequency_hz", + "safeName": "minimum_frequency_hz" + }, + "screamingSnakeCase": { + "unsafeName": "MINIMUM_FREQUENCY_HZ", + "safeName": "MINIMUM_FREQUENCY_HZ" + }, + "pascalCase": { + "unsafeName": "MinimumFrequencyHz", + "safeName": "MinimumFrequencyHz" + } + }, + "wireValue": "minimum_frequency_hz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Frequency", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Frequency", + "safeName": "andurilEntitymanagerV1Frequency" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_frequency", + "safeName": "anduril_entitymanager_v_1_frequency" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Frequency", + "safeName": "AndurilEntitymanagerV1Frequency" + } + }, + "typeId": "anduril.entitymanager.v1.Frequency", + "default": null, + "inline": false, + "displayName": "minimum_frequency_hz" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the lowest measured frequency of a signal (Hz)." + }, + { + "name": { + "name": { + "originalName": "maximum_frequency_hz", + "camelCase": { + "unsafeName": "maximumFrequencyHz", + "safeName": "maximumFrequencyHz" + }, + "snakeCase": { + "unsafeName": "maximum_frequency_hz", + "safeName": "maximum_frequency_hz" + }, + "screamingSnakeCase": { + "unsafeName": "MAXIMUM_FREQUENCY_HZ", + "safeName": "MAXIMUM_FREQUENCY_HZ" + }, + "pascalCase": { + "unsafeName": "MaximumFrequencyHz", + "safeName": "MaximumFrequencyHz" + } + }, + "wireValue": "maximum_frequency_hz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Frequency", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Frequency", + "safeName": "andurilEntitymanagerV1Frequency" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_frequency", + "safeName": "anduril_entitymanager_v_1_frequency" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Frequency", + "safeName": "AndurilEntitymanagerV1Frequency" + } + }, + "typeId": "anduril.entitymanager.v1.Frequency", + "default": null, + "inline": false, + "displayName": "maximum_frequency_hz" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the maximum measured frequency of a signal (Hz)." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A component to represent a frequency range." + }, + "anduril.entitymanager.v1.LineOfBearingDetection_range": { + "name": { + "typeId": "anduril.entitymanager.v1.LineOfBearingDetection_range", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.LineOfBearingDetection_range", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1LineOfBearingDetectionRange", + "safeName": "andurilEntitymanagerV1LineOfBearingDetectionRange" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_line_of_bearing_detection_range", + "safeName": "anduril_entitymanager_v_1_line_of_bearing_detection_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING_DETECTION_RANGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING_DETECTION_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1LineOfBearingDetectionRange", + "safeName": "AndurilEntitymanagerV1LineOfBearingDetectionRange" + } + }, + "displayName": "LineOfBearingDetection_range" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Measurement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Measurement", + "safeName": "andurilEntitymanagerV1Measurement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_measurement", + "safeName": "anduril_entitymanager_v_1_measurement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Measurement", + "safeName": "AndurilEntitymanagerV1Measurement" + } + }, + "typeId": "anduril.entitymanager.v1.Measurement", + "default": null, + "inline": false, + "displayName": "range_estimate_m" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Measurement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Measurement", + "safeName": "andurilEntitymanagerV1Measurement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_measurement", + "safeName": "anduril_entitymanager_v_1_measurement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Measurement", + "safeName": "AndurilEntitymanagerV1Measurement" + } + }, + "typeId": "anduril.entitymanager.v1.Measurement", + "default": null, + "inline": false, + "displayName": "max_range_m" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.LineOfBearing": { + "name": { + "typeId": "anduril.entitymanager.v1.LineOfBearing", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.LineOfBearing", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1LineOfBearing", + "safeName": "andurilEntitymanagerV1LineOfBearing" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_line_of_bearing", + "safeName": "anduril_entitymanager_v_1_line_of_bearing" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1LineOfBearing", + "safeName": "AndurilEntitymanagerV1LineOfBearing" + } + }, + "displayName": "LineOfBearing" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "angle_of_arrival", + "camelCase": { + "unsafeName": "angleOfArrival", + "safeName": "angleOfArrival" + }, + "snakeCase": { + "unsafeName": "angle_of_arrival", + "safeName": "angle_of_arrival" + }, + "screamingSnakeCase": { + "unsafeName": "ANGLE_OF_ARRIVAL", + "safeName": "ANGLE_OF_ARRIVAL" + }, + "pascalCase": { + "unsafeName": "AngleOfArrival", + "safeName": "AngleOfArrival" + } + }, + "wireValue": "angle_of_arrival" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AngleOfArrival", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AngleOfArrival", + "safeName": "andurilEntitymanagerV1AngleOfArrival" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_angle_of_arrival", + "safeName": "anduril_entitymanager_v_1_angle_of_arrival" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ANGLE_OF_ARRIVAL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ANGLE_OF_ARRIVAL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AngleOfArrival", + "safeName": "AndurilEntitymanagerV1AngleOfArrival" + } + }, + "typeId": "anduril.entitymanager.v1.AngleOfArrival", + "default": null, + "inline": false, + "displayName": "angle_of_arrival" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The direction pointing from this entity to the detection" + }, + { + "name": { + "name": { + "originalName": "detection_range", + "camelCase": { + "unsafeName": "detectionRange", + "safeName": "detectionRange" + }, + "snakeCase": { + "unsafeName": "detection_range", + "safeName": "detection_range" + }, + "screamingSnakeCase": { + "unsafeName": "DETECTION_RANGE", + "safeName": "DETECTION_RANGE" + }, + "pascalCase": { + "unsafeName": "DetectionRange", + "safeName": "DetectionRange" + } + }, + "wireValue": "detection_range" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.LineOfBearingDetection_range", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1LineOfBearingDetectionRange", + "safeName": "andurilEntitymanagerV1LineOfBearingDetectionRange" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_line_of_bearing_detection_range", + "safeName": "anduril_entitymanager_v_1_line_of_bearing_detection_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING_DETECTION_RANGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING_DETECTION_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1LineOfBearingDetectionRange", + "safeName": "AndurilEntitymanagerV1LineOfBearingDetectionRange" + } + }, + "typeId": "anduril.entitymanager.v1.LineOfBearingDetection_range", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A line of bearing of a signal." + }, + "anduril.entitymanager.v1.AngleOfArrival": { + "name": { + "typeId": "anduril.entitymanager.v1.AngleOfArrival", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AngleOfArrival", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AngleOfArrival", + "safeName": "andurilEntitymanagerV1AngleOfArrival" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_angle_of_arrival", + "safeName": "anduril_entitymanager_v_1_angle_of_arrival" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ANGLE_OF_ARRIVAL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ANGLE_OF_ARRIVAL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AngleOfArrival", + "safeName": "AndurilEntitymanagerV1AngleOfArrival" + } + }, + "displayName": "AngleOfArrival" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "relative_pose", + "camelCase": { + "unsafeName": "relativePose", + "safeName": "relativePose" + }, + "snakeCase": { + "unsafeName": "relative_pose", + "safeName": "relative_pose" + }, + "screamingSnakeCase": { + "unsafeName": "RELATIVE_POSE", + "safeName": "RELATIVE_POSE" + }, + "pascalCase": { + "unsafeName": "RelativePose", + "safeName": "RelativePose" + } + }, + "wireValue": "relative_pose" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Pose", + "camelCase": { + "unsafeName": "andurilTypePose", + "safeName": "andurilTypePose" + }, + "snakeCase": { + "unsafeName": "anduril_type_pose", + "safeName": "anduril_type_pose" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_POSE", + "safeName": "ANDURIL_TYPE_POSE" + }, + "pascalCase": { + "unsafeName": "AndurilTypePose", + "safeName": "AndurilTypePose" + } + }, + "typeId": "anduril.type.Pose", + "default": null, + "inline": false, + "displayName": "relative_pose" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Origin (LLA) and attitude (relative to ENU) of a ray pointing towards the detection. The attitude represents a\\n forward-left-up (FLU) frame where the x-axis (1, 0, 0) is pointing towards the target." + }, + { + "name": { + "name": { + "originalName": "bearing_elevation_covariance_rad2", + "camelCase": { + "unsafeName": "bearingElevationCovarianceRad2", + "safeName": "bearingElevationCovarianceRad2" + }, + "snakeCase": { + "unsafeName": "bearing_elevation_covariance_rad_2", + "safeName": "bearing_elevation_covariance_rad_2" + }, + "screamingSnakeCase": { + "unsafeName": "BEARING_ELEVATION_COVARIANCE_RAD_2", + "safeName": "BEARING_ELEVATION_COVARIANCE_RAD_2" + }, + "pascalCase": { + "unsafeName": "BearingElevationCovarianceRad2", + "safeName": "BearingElevationCovarianceRad2" + } + }, + "wireValue": "bearing_elevation_covariance_rad2" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.TMat2", + "camelCase": { + "unsafeName": "andurilTypeTMat2", + "safeName": "andurilTypeTMat2" + }, + "snakeCase": { + "unsafeName": "anduril_type_t_mat_2", + "safeName": "anduril_type_t_mat_2" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_T_MAT_2", + "safeName": "ANDURIL_TYPE_T_MAT_2" + }, + "pascalCase": { + "unsafeName": "AndurilTypeTMat2", + "safeName": "AndurilTypeTMat2" + } + }, + "typeId": "anduril.type.TMat2", + "default": null, + "inline": false, + "displayName": "bearing_elevation_covariance_rad2" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Bearing/elevation covariance matrix where bearing is defined in radians CCW+ about the z-axis from the x-axis of FLU frame\\n and elevation is positive down from the FL/XY plane.\\n mxx = bearing variance in rad^2\\n mxy = bearing/elevation covariance in rad^2\\n myy = elevation variance in rad^2" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The direction from which the signal is received" + }, + "anduril.entitymanager.v1.Fixed": { + "name": { + "typeId": "anduril.entitymanager.v1.Fixed", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Fixed", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Fixed", + "safeName": "andurilEntitymanagerV1Fixed" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_fixed", + "safeName": "anduril_entitymanager_v_1_fixed" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIXED", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIXED" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Fixed", + "safeName": "AndurilEntitymanagerV1Fixed" + } + }, + "displayName": "Fixed" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A fix of a signal. No extra fields but it is expected that location should be populated when using this report." + }, + "anduril.entitymanager.v1.PulseRepetitionInterval": { + "name": { + "typeId": "anduril.entitymanager.v1.PulseRepetitionInterval", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PulseRepetitionInterval", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PulseRepetitionInterval", + "safeName": "andurilEntitymanagerV1PulseRepetitionInterval" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_pulse_repetition_interval", + "safeName": "anduril_entitymanager_v_1_pulse_repetition_interval" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PULSE_REPETITION_INTERVAL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PULSE_REPETITION_INTERVAL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PulseRepetitionInterval", + "safeName": "AndurilEntitymanagerV1PulseRepetitionInterval" + } + }, + "displayName": "PulseRepetitionInterval" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "pulse_repetition_interval_s", + "camelCase": { + "unsafeName": "pulseRepetitionIntervalS", + "safeName": "pulseRepetitionIntervalS" + }, + "snakeCase": { + "unsafeName": "pulse_repetition_interval_s", + "safeName": "pulse_repetition_interval_s" + }, + "screamingSnakeCase": { + "unsafeName": "PULSE_REPETITION_INTERVAL_S", + "safeName": "PULSE_REPETITION_INTERVAL_S" + }, + "pascalCase": { + "unsafeName": "PulseRepetitionIntervalS", + "safeName": "PulseRepetitionIntervalS" + } + }, + "wireValue": "pulse_repetition_interval_s" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Measurement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Measurement", + "safeName": "andurilEntitymanagerV1Measurement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_measurement", + "safeName": "anduril_entitymanager_v_1_measurement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MEASUREMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Measurement", + "safeName": "AndurilEntitymanagerV1Measurement" + } + }, + "typeId": "anduril.entitymanager.v1.Measurement", + "default": null, + "inline": false, + "displayName": "pulse_repetition_interval_s" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A component that describe the length in time between two pulses" + }, + "anduril.entitymanager.v1.ScanCharacteristics": { + "name": { + "typeId": "anduril.entitymanager.v1.ScanCharacteristics", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ScanCharacteristics", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ScanCharacteristics", + "safeName": "andurilEntitymanagerV1ScanCharacteristics" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_scan_characteristics", + "safeName": "anduril_entitymanager_v_1_scan_characteristics" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_CHARACTERISTICS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_CHARACTERISTICS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ScanCharacteristics", + "safeName": "AndurilEntitymanagerV1ScanCharacteristics" + } + }, + "displayName": "ScanCharacteristics" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "scan_type", + "camelCase": { + "unsafeName": "scanType", + "safeName": "scanType" + }, + "snakeCase": { + "unsafeName": "scan_type", + "safeName": "scan_type" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_TYPE", + "safeName": "SCAN_TYPE" + }, + "pascalCase": { + "unsafeName": "ScanType", + "safeName": "ScanType" + } + }, + "wireValue": "scan_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ScanType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ScanType", + "safeName": "andurilEntitymanagerV1ScanType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_scan_type", + "safeName": "anduril_entitymanager_v_1_scan_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCAN_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ScanType", + "safeName": "AndurilEntitymanagerV1ScanType" + } + }, + "typeId": "anduril.entitymanager.v1.ScanType", + "default": null, + "inline": false, + "displayName": "scan_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "scan_period_s", + "camelCase": { + "unsafeName": "scanPeriodS", + "safeName": "scanPeriodS" + }, + "snakeCase": { + "unsafeName": "scan_period_s", + "safeName": "scan_period_s" + }, + "screamingSnakeCase": { + "unsafeName": "SCAN_PERIOD_S", + "safeName": "SCAN_PERIOD_S" + }, + "pascalCase": { + "unsafeName": "ScanPeriodS", + "safeName": "ScanPeriodS" + } + }, + "wireValue": "scan_period_s" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "scan_period_s" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A component that describes the scanning characteristics of a signal" + }, + "anduril.entitymanager.v1.OperationalState": { + "name": { + "typeId": "anduril.entitymanager.v1.OperationalState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OperationalState", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OperationalState", + "safeName": "andurilEntitymanagerV1OperationalState" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_operational_state", + "safeName": "anduril_entitymanager_v_1_operational_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OPERATIONAL_STATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OPERATIONAL_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OperationalState", + "safeName": "AndurilEntitymanagerV1OperationalState" + } + }, + "displayName": "OperationalState" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "OPERATIONAL_STATE_INVALID", + "camelCase": { + "unsafeName": "operationalStateInvalid", + "safeName": "operationalStateInvalid" + }, + "snakeCase": { + "unsafeName": "operational_state_invalid", + "safeName": "operational_state_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "OPERATIONAL_STATE_INVALID", + "safeName": "OPERATIONAL_STATE_INVALID" + }, + "pascalCase": { + "unsafeName": "OperationalStateInvalid", + "safeName": "OperationalStateInvalid" + } + }, + "wireValue": "OPERATIONAL_STATE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "OPERATIONAL_STATE_OFF", + "camelCase": { + "unsafeName": "operationalStateOff", + "safeName": "operationalStateOff" + }, + "snakeCase": { + "unsafeName": "operational_state_off", + "safeName": "operational_state_off" + }, + "screamingSnakeCase": { + "unsafeName": "OPERATIONAL_STATE_OFF", + "safeName": "OPERATIONAL_STATE_OFF" + }, + "pascalCase": { + "unsafeName": "OperationalStateOff", + "safeName": "OperationalStateOff" + } + }, + "wireValue": "OPERATIONAL_STATE_OFF" + }, + "availability": null, + "docs": "sensor exists but is deliberately turned off" + }, + { + "name": { + "name": { + "originalName": "OPERATIONAL_STATE_NON_OPERATIONAL", + "camelCase": { + "unsafeName": "operationalStateNonOperational", + "safeName": "operationalStateNonOperational" + }, + "snakeCase": { + "unsafeName": "operational_state_non_operational", + "safeName": "operational_state_non_operational" + }, + "screamingSnakeCase": { + "unsafeName": "OPERATIONAL_STATE_NON_OPERATIONAL", + "safeName": "OPERATIONAL_STATE_NON_OPERATIONAL" + }, + "pascalCase": { + "unsafeName": "OperationalStateNonOperational", + "safeName": "OperationalStateNonOperational" + } + }, + "wireValue": "OPERATIONAL_STATE_NON_OPERATIONAL" + }, + "availability": null, + "docs": "sensor is not operational but some reason other than being \\"Off\\" (e.g., equipment malfunction)" + }, + { + "name": { + "name": { + "originalName": "OPERATIONAL_STATE_DEGRADED", + "camelCase": { + "unsafeName": "operationalStateDegraded", + "safeName": "operationalStateDegraded" + }, + "snakeCase": { + "unsafeName": "operational_state_degraded", + "safeName": "operational_state_degraded" + }, + "screamingSnakeCase": { + "unsafeName": "OPERATIONAL_STATE_DEGRADED", + "safeName": "OPERATIONAL_STATE_DEGRADED" + }, + "pascalCase": { + "unsafeName": "OperationalStateDegraded", + "safeName": "OperationalStateDegraded" + } + }, + "wireValue": "OPERATIONAL_STATE_DEGRADED" + }, + "availability": null, + "docs": "sensor is receiving information but in some reduced status (e.g., off calibration)" + }, + { + "name": { + "name": { + "originalName": "OPERATIONAL_STATE_OPERATIONAL", + "camelCase": { + "unsafeName": "operationalStateOperational", + "safeName": "operationalStateOperational" + }, + "snakeCase": { + "unsafeName": "operational_state_operational", + "safeName": "operational_state_operational" + }, + "screamingSnakeCase": { + "unsafeName": "OPERATIONAL_STATE_OPERATIONAL", + "safeName": "OPERATIONAL_STATE_OPERATIONAL" + }, + "pascalCase": { + "unsafeName": "OperationalStateOperational", + "safeName": "OperationalStateOperational" + } + }, + "wireValue": "OPERATIONAL_STATE_OPERATIONAL" + }, + "availability": null, + "docs": "fully functional" + }, + { + "name": { + "name": { + "originalName": "OPERATIONAL_STATE_DENIED", + "camelCase": { + "unsafeName": "operationalStateDenied", + "safeName": "operationalStateDenied" + }, + "snakeCase": { + "unsafeName": "operational_state_denied", + "safeName": "operational_state_denied" + }, + "screamingSnakeCase": { + "unsafeName": "OPERATIONAL_STATE_DENIED", + "safeName": "OPERATIONAL_STATE_DENIED" + }, + "pascalCase": { + "unsafeName": "OperationalStateDenied", + "safeName": "OperationalStateDenied" + } + }, + "wireValue": "OPERATIONAL_STATE_DENIED" + }, + "availability": null, + "docs": "sensor is being actively denied" + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Describes the current operational state of a system." + }, + "anduril.entitymanager.v1.SensorMode": { + "name": { + "typeId": "anduril.entitymanager.v1.SensorMode", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SensorMode", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SensorMode", + "safeName": "andurilEntitymanagerV1SensorMode" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_sensor_mode", + "safeName": "anduril_entitymanager_v_1_sensor_mode" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_MODE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_MODE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SensorMode", + "safeName": "AndurilEntitymanagerV1SensorMode" + } + }, + "displayName": "SensorMode" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "SENSOR_MODE_INVALID", + "camelCase": { + "unsafeName": "sensorModeInvalid", + "safeName": "sensorModeInvalid" + }, + "snakeCase": { + "unsafeName": "sensor_mode_invalid", + "safeName": "sensor_mode_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_MODE_INVALID", + "safeName": "SENSOR_MODE_INVALID" + }, + "pascalCase": { + "unsafeName": "SensorModeInvalid", + "safeName": "SensorModeInvalid" + } + }, + "wireValue": "SENSOR_MODE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_MODE_SEARCH", + "camelCase": { + "unsafeName": "sensorModeSearch", + "safeName": "sensorModeSearch" + }, + "snakeCase": { + "unsafeName": "sensor_mode_search", + "safeName": "sensor_mode_search" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_MODE_SEARCH", + "safeName": "SENSOR_MODE_SEARCH" + }, + "pascalCase": { + "unsafeName": "SensorModeSearch", + "safeName": "SensorModeSearch" + } + }, + "wireValue": "SENSOR_MODE_SEARCH" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_MODE_TRACK", + "camelCase": { + "unsafeName": "sensorModeTrack", + "safeName": "sensorModeTrack" + }, + "snakeCase": { + "unsafeName": "sensor_mode_track", + "safeName": "sensor_mode_track" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_MODE_TRACK", + "safeName": "SENSOR_MODE_TRACK" + }, + "pascalCase": { + "unsafeName": "SensorModeTrack", + "safeName": "SensorModeTrack" + } + }, + "wireValue": "SENSOR_MODE_TRACK" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_MODE_WEAPON_SUPPORT", + "camelCase": { + "unsafeName": "sensorModeWeaponSupport", + "safeName": "sensorModeWeaponSupport" + }, + "snakeCase": { + "unsafeName": "sensor_mode_weapon_support", + "safeName": "sensor_mode_weapon_support" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_MODE_WEAPON_SUPPORT", + "safeName": "SENSOR_MODE_WEAPON_SUPPORT" + }, + "pascalCase": { + "unsafeName": "SensorModeWeaponSupport", + "safeName": "SensorModeWeaponSupport" + } + }, + "wireValue": "SENSOR_MODE_WEAPON_SUPPORT" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_MODE_AUTO", + "camelCase": { + "unsafeName": "sensorModeAuto", + "safeName": "sensorModeAuto" + }, + "snakeCase": { + "unsafeName": "sensor_mode_auto", + "safeName": "sensor_mode_auto" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_MODE_AUTO", + "safeName": "SENSOR_MODE_AUTO" + }, + "pascalCase": { + "unsafeName": "SensorModeAuto", + "safeName": "SensorModeAuto" + } + }, + "wireValue": "SENSOR_MODE_AUTO" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_MODE_MUTE", + "camelCase": { + "unsafeName": "sensorModeMute", + "safeName": "sensorModeMute" + }, + "snakeCase": { + "unsafeName": "sensor_mode_mute", + "safeName": "sensor_mode_mute" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_MODE_MUTE", + "safeName": "SENSOR_MODE_MUTE" + }, + "pascalCase": { + "unsafeName": "SensorModeMute", + "safeName": "SensorModeMute" + } + }, + "wireValue": "SENSOR_MODE_MUTE" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Enumerates the possible sensor modes which were active for this sensor field of view." + }, + "anduril.entitymanager.v1.SensorType": { + "name": { + "typeId": "anduril.entitymanager.v1.SensorType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SensorType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SensorType", + "safeName": "andurilEntitymanagerV1SensorType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_sensor_type", + "safeName": "anduril_entitymanager_v_1_sensor_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SensorType", + "safeName": "AndurilEntitymanagerV1SensorType" + } + }, + "displayName": "SensorType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "SENSOR_TYPE_INVALID", + "camelCase": { + "unsafeName": "sensorTypeInvalid", + "safeName": "sensorTypeInvalid" + }, + "snakeCase": { + "unsafeName": "sensor_type_invalid", + "safeName": "sensor_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_TYPE_INVALID", + "safeName": "SENSOR_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "SensorTypeInvalid", + "safeName": "SensorTypeInvalid" + } + }, + "wireValue": "SENSOR_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_TYPE_RADAR", + "camelCase": { + "unsafeName": "sensorTypeRadar", + "safeName": "sensorTypeRadar" + }, + "snakeCase": { + "unsafeName": "sensor_type_radar", + "safeName": "sensor_type_radar" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_TYPE_RADAR", + "safeName": "SENSOR_TYPE_RADAR" + }, + "pascalCase": { + "unsafeName": "SensorTypeRadar", + "safeName": "SensorTypeRadar" + } + }, + "wireValue": "SENSOR_TYPE_RADAR" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_TYPE_CAMERA", + "camelCase": { + "unsafeName": "sensorTypeCamera", + "safeName": "sensorTypeCamera" + }, + "snakeCase": { + "unsafeName": "sensor_type_camera", + "safeName": "sensor_type_camera" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_TYPE_CAMERA", + "safeName": "SENSOR_TYPE_CAMERA" + }, + "pascalCase": { + "unsafeName": "SensorTypeCamera", + "safeName": "SensorTypeCamera" + } + }, + "wireValue": "SENSOR_TYPE_CAMERA" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_TYPE_TRANSPONDER", + "camelCase": { + "unsafeName": "sensorTypeTransponder", + "safeName": "sensorTypeTransponder" + }, + "snakeCase": { + "unsafeName": "sensor_type_transponder", + "safeName": "sensor_type_transponder" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_TYPE_TRANSPONDER", + "safeName": "SENSOR_TYPE_TRANSPONDER" + }, + "pascalCase": { + "unsafeName": "SensorTypeTransponder", + "safeName": "SensorTypeTransponder" + } + }, + "wireValue": "SENSOR_TYPE_TRANSPONDER" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_TYPE_RF", + "camelCase": { + "unsafeName": "sensorTypeRf", + "safeName": "sensorTypeRf" + }, + "snakeCase": { + "unsafeName": "sensor_type_rf", + "safeName": "sensor_type_rf" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_TYPE_RF", + "safeName": "SENSOR_TYPE_RF" + }, + "pascalCase": { + "unsafeName": "SensorTypeRf", + "safeName": "SensorTypeRf" + } + }, + "wireValue": "SENSOR_TYPE_RF" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_TYPE_GPS", + "camelCase": { + "unsafeName": "sensorTypeGps", + "safeName": "sensorTypeGps" + }, + "snakeCase": { + "unsafeName": "sensor_type_gps", + "safeName": "sensor_type_gps" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_TYPE_GPS", + "safeName": "SENSOR_TYPE_GPS" + }, + "pascalCase": { + "unsafeName": "SensorTypeGps", + "safeName": "SensorTypeGps" + } + }, + "wireValue": "SENSOR_TYPE_GPS" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_TYPE_PTU_POS", + "camelCase": { + "unsafeName": "sensorTypePtuPos", + "safeName": "sensorTypePtuPos" + }, + "snakeCase": { + "unsafeName": "sensor_type_ptu_pos", + "safeName": "sensor_type_ptu_pos" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_TYPE_PTU_POS", + "safeName": "SENSOR_TYPE_PTU_POS" + }, + "pascalCase": { + "unsafeName": "SensorTypePtuPos", + "safeName": "SensorTypePtuPos" + } + }, + "wireValue": "SENSOR_TYPE_PTU_POS" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_TYPE_PERIMETER", + "camelCase": { + "unsafeName": "sensorTypePerimeter", + "safeName": "sensorTypePerimeter" + }, + "snakeCase": { + "unsafeName": "sensor_type_perimeter", + "safeName": "sensor_type_perimeter" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_TYPE_PERIMETER", + "safeName": "SENSOR_TYPE_PERIMETER" + }, + "pascalCase": { + "unsafeName": "SensorTypePerimeter", + "safeName": "SensorTypePerimeter" + } + }, + "wireValue": "SENSOR_TYPE_PERIMETER" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SENSOR_TYPE_SONAR", + "camelCase": { + "unsafeName": "sensorTypeSonar", + "safeName": "sensorTypeSonar" + }, + "snakeCase": { + "unsafeName": "sensor_type_sonar", + "safeName": "sensor_type_sonar" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_TYPE_SONAR", + "safeName": "SENSOR_TYPE_SONAR" + }, + "pascalCase": { + "unsafeName": "SensorTypeSonar", + "safeName": "SensorTypeSonar" + } + }, + "wireValue": "SENSOR_TYPE_SONAR" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Sensors": { + "name": { + "typeId": "anduril.entitymanager.v1.Sensors", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Sensors", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Sensors", + "safeName": "andurilEntitymanagerV1Sensors" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_sensors", + "safeName": "anduril_entitymanager_v_1_sensors" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Sensors", + "safeName": "AndurilEntitymanagerV1Sensors" + } + }, + "displayName": "Sensors" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "sensors", + "camelCase": { + "unsafeName": "sensors", + "safeName": "sensors" + }, + "snakeCase": { + "unsafeName": "sensors", + "safeName": "sensors" + }, + "screamingSnakeCase": { + "unsafeName": "SENSORS", + "safeName": "SENSORS" + }, + "pascalCase": { + "unsafeName": "Sensors", + "safeName": "Sensors" + } + }, + "wireValue": "sensors" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Sensor", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Sensor", + "safeName": "andurilEntitymanagerV1Sensor" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_sensor", + "safeName": "anduril_entitymanager_v_1_sensor" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Sensor", + "safeName": "AndurilEntitymanagerV1Sensor" + } + }, + "typeId": "anduril.entitymanager.v1.Sensor", + "default": null, + "inline": false, + "displayName": "sensors" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "List of sensors available for an entity." + }, + "anduril.entitymanager.v1.Sensor": { + "name": { + "typeId": "anduril.entitymanager.v1.Sensor", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Sensor", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Sensor", + "safeName": "andurilEntitymanagerV1Sensor" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_sensor", + "safeName": "anduril_entitymanager_v_1_sensor" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Sensor", + "safeName": "AndurilEntitymanagerV1Sensor" + } + }, + "displayName": "Sensor" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "sensor_id", + "camelCase": { + "unsafeName": "sensorId", + "safeName": "sensorId" + }, + "snakeCase": { + "unsafeName": "sensor_id", + "safeName": "sensor_id" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_ID", + "safeName": "SENSOR_ID" + }, + "pascalCase": { + "unsafeName": "SensorId", + "safeName": "SensorId" + } + }, + "wireValue": "sensor_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "This generally is used to indicate a specific type at a more detailed granularity. E.g. COMInt or LWIR" + }, + { + "name": { + "name": { + "originalName": "operational_state", + "camelCase": { + "unsafeName": "operationalState", + "safeName": "operationalState" + }, + "snakeCase": { + "unsafeName": "operational_state", + "safeName": "operational_state" + }, + "screamingSnakeCase": { + "unsafeName": "OPERATIONAL_STATE", + "safeName": "OPERATIONAL_STATE" + }, + "pascalCase": { + "unsafeName": "OperationalState", + "safeName": "OperationalState" + } + }, + "wireValue": "operational_state" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OperationalState", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OperationalState", + "safeName": "andurilEntitymanagerV1OperationalState" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_operational_state", + "safeName": "anduril_entitymanager_v_1_operational_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OPERATIONAL_STATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OPERATIONAL_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OperationalState", + "safeName": "AndurilEntitymanagerV1OperationalState" + } + }, + "typeId": "anduril.entitymanager.v1.OperationalState", + "default": null, + "inline": false, + "displayName": "operational_state" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "sensor_type", + "camelCase": { + "unsafeName": "sensorType", + "safeName": "sensorType" + }, + "snakeCase": { + "unsafeName": "sensor_type", + "safeName": "sensor_type" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_TYPE", + "safeName": "SENSOR_TYPE" + }, + "pascalCase": { + "unsafeName": "SensorType", + "safeName": "SensorType" + } + }, + "wireValue": "sensor_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SensorType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SensorType", + "safeName": "andurilEntitymanagerV1SensorType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_sensor_type", + "safeName": "anduril_entitymanager_v_1_sensor_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SensorType", + "safeName": "AndurilEntitymanagerV1SensorType" + } + }, + "typeId": "anduril.entitymanager.v1.SensorType", + "default": null, + "inline": false, + "displayName": "sensor_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The type of sensor" + }, + { + "name": { + "name": { + "originalName": "sensor_description", + "camelCase": { + "unsafeName": "sensorDescription", + "safeName": "sensorDescription" + }, + "snakeCase": { + "unsafeName": "sensor_description", + "safeName": "sensor_description" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_DESCRIPTION", + "safeName": "SENSOR_DESCRIPTION" + }, + "pascalCase": { + "unsafeName": "SensorDescription", + "safeName": "SensorDescription" + } + }, + "wireValue": "sensor_description" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A human readable description of the sensor" + }, + { + "name": { + "name": { + "originalName": "rf_configuraton", + "camelCase": { + "unsafeName": "rfConfiguraton", + "safeName": "rfConfiguraton" + }, + "snakeCase": { + "unsafeName": "rf_configuraton", + "safeName": "rf_configuraton" + }, + "screamingSnakeCase": { + "unsafeName": "RF_CONFIGURATON", + "safeName": "RF_CONFIGURATON" + }, + "pascalCase": { + "unsafeName": "RfConfiguraton", + "safeName": "RfConfiguraton" + } + }, + "wireValue": "rf_configuraton" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RFConfiguration", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RfConfiguration", + "safeName": "andurilEntitymanagerV1RfConfiguration" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_rf_configuration", + "safeName": "anduril_entitymanager_v_1_rf_configuration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RF_CONFIGURATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RF_CONFIGURATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RfConfiguration", + "safeName": "AndurilEntitymanagerV1RfConfiguration" + } + }, + "typeId": "anduril.entitymanager.v1.RFConfiguration", + "default": null, + "inline": false, + "displayName": "rf_configuraton" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "RF configuration details of the sensor" + }, + { + "name": { + "name": { + "originalName": "last_detection_timestamp", + "camelCase": { + "unsafeName": "lastDetectionTimestamp", + "safeName": "lastDetectionTimestamp" + }, + "snakeCase": { + "unsafeName": "last_detection_timestamp", + "safeName": "last_detection_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "LAST_DETECTION_TIMESTAMP", + "safeName": "LAST_DETECTION_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "LastDetectionTimestamp", + "safeName": "LastDetectionTimestamp" + } + }, + "wireValue": "last_detection_timestamp" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "last_detection_timestamp" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Time of the latest detection from the sensor" + }, + { + "name": { + "name": { + "originalName": "fields_of_view", + "camelCase": { + "unsafeName": "fieldsOfView", + "safeName": "fieldsOfView" + }, + "snakeCase": { + "unsafeName": "fields_of_view", + "safeName": "fields_of_view" + }, + "screamingSnakeCase": { + "unsafeName": "FIELDS_OF_VIEW", + "safeName": "FIELDS_OF_VIEW" + }, + "pascalCase": { + "unsafeName": "FieldsOfView", + "safeName": "FieldsOfView" + } + }, + "wireValue": "fields_of_view" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.FieldOfView", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1FieldOfView", + "safeName": "andurilEntitymanagerV1FieldOfView" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_field_of_view", + "safeName": "anduril_entitymanager_v_1_field_of_view" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_OF_VIEW", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_OF_VIEW" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1FieldOfView", + "safeName": "AndurilEntitymanagerV1FieldOfView" + } + }, + "typeId": "anduril.entitymanager.v1.FieldOfView", + "default": null, + "inline": false, + "displayName": "fields_of_view" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Multiple fields of view for a single sensor component" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Individual sensor configuration." + }, + "anduril.entitymanager.v1.FieldOfView": { + "name": { + "typeId": "anduril.entitymanager.v1.FieldOfView", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.FieldOfView", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1FieldOfView", + "safeName": "andurilEntitymanagerV1FieldOfView" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_field_of_view", + "safeName": "anduril_entitymanager_v_1_field_of_view" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_OF_VIEW", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FIELD_OF_VIEW" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1FieldOfView", + "safeName": "AndurilEntitymanagerV1FieldOfView" + } + }, + "displayName": "FieldOfView" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "fov_id", + "camelCase": { + "unsafeName": "fovId", + "safeName": "fovId" + }, + "snakeCase": { + "unsafeName": "fov_id", + "safeName": "fov_id" + }, + "screamingSnakeCase": { + "unsafeName": "FOV_ID", + "safeName": "FOV_ID" + }, + "pascalCase": { + "unsafeName": "FovId", + "safeName": "FovId" + } + }, + "wireValue": "fov_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Id for one instance of a FieldOfView, persisted across multiple updates to provide continuity during\\n smoothing. This is relevant for sensors where the dwell schedule is on the order of\\n milliseconds, making multiple FOVs a requirement for proper display of search beams." + }, + { + "name": { + "name": { + "originalName": "mount_id", + "camelCase": { + "unsafeName": "mountId", + "safeName": "mountId" + }, + "snakeCase": { + "unsafeName": "mount_id", + "safeName": "mount_id" + }, + "screamingSnakeCase": { + "unsafeName": "MOUNT_ID", + "safeName": "MOUNT_ID" + }, + "pascalCase": { + "unsafeName": "MountId", + "safeName": "MountId" + } + }, + "wireValue": "mount_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Id of the mount the sensor is on." + }, + { + "name": { + "name": { + "originalName": "projected_frustum", + "camelCase": { + "unsafeName": "projectedFrustum", + "safeName": "projectedFrustum" + }, + "snakeCase": { + "unsafeName": "projected_frustum", + "safeName": "projected_frustum" + }, + "screamingSnakeCase": { + "unsafeName": "PROJECTED_FRUSTUM", + "safeName": "PROJECTED_FRUSTUM" + }, + "pascalCase": { + "unsafeName": "ProjectedFrustum", + "safeName": "ProjectedFrustum" + } + }, + "wireValue": "projected_frustum" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ProjectedFrustum", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ProjectedFrustum", + "safeName": "andurilEntitymanagerV1ProjectedFrustum" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_projected_frustum", + "safeName": "anduril_entitymanager_v_1_projected_frustum" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROJECTED_FRUSTUM", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROJECTED_FRUSTUM" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ProjectedFrustum", + "safeName": "AndurilEntitymanagerV1ProjectedFrustum" + } + }, + "typeId": "anduril.entitymanager.v1.ProjectedFrustum", + "default": null, + "inline": false, + "displayName": "projected_frustum" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The field of view the sensor projected onto the ground." + }, + { + "name": { + "name": { + "originalName": "projected_center_ray", + "camelCase": { + "unsafeName": "projectedCenterRay", + "safeName": "projectedCenterRay" + }, + "snakeCase": { + "unsafeName": "projected_center_ray", + "safeName": "projected_center_ray" + }, + "screamingSnakeCase": { + "unsafeName": "PROJECTED_CENTER_RAY", + "safeName": "PROJECTED_CENTER_RAY" + }, + "pascalCase": { + "unsafeName": "ProjectedCenterRay", + "safeName": "ProjectedCenterRay" + } + }, + "wireValue": "projected_center_ray" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "projected_center_ray" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Center ray of the frustum projected onto the ground." + }, + { + "name": { + "name": { + "originalName": "center_ray_pose", + "camelCase": { + "unsafeName": "centerRayPose", + "safeName": "centerRayPose" + }, + "snakeCase": { + "unsafeName": "center_ray_pose", + "safeName": "center_ray_pose" + }, + "screamingSnakeCase": { + "unsafeName": "CENTER_RAY_POSE", + "safeName": "CENTER_RAY_POSE" + }, + "pascalCase": { + "unsafeName": "CenterRayPose", + "safeName": "CenterRayPose" + } + }, + "wireValue": "center_ray_pose" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Pose", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Pose", + "safeName": "andurilEntitymanagerV1Pose" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_pose", + "safeName": "anduril_entitymanager_v_1_pose" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Pose", + "safeName": "AndurilEntitymanagerV1Pose" + } + }, + "typeId": "anduril.entitymanager.v1.Pose", + "default": null, + "inline": false, + "displayName": "center_ray_pose" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The origin and direction of the center ray for this sensor relative to the ENU frame. A ray which is aligned with\\n the positive X axis in the sensor frame will be transformed into the ray along the sensor direction in the ENU\\n frame when transformed by the quaternion contained in this pose." + }, + { + "name": { + "name": { + "originalName": "horizontal_fov", + "camelCase": { + "unsafeName": "horizontalFov", + "safeName": "horizontalFov" + }, + "snakeCase": { + "unsafeName": "horizontal_fov", + "safeName": "horizontal_fov" + }, + "screamingSnakeCase": { + "unsafeName": "HORIZONTAL_FOV", + "safeName": "HORIZONTAL_FOV" + }, + "pascalCase": { + "unsafeName": "HorizontalFov", + "safeName": "HorizontalFov" + } + }, + "wireValue": "horizontal_fov" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Horizontal field of view in radians." + }, + { + "name": { + "name": { + "originalName": "vertical_fov", + "camelCase": { + "unsafeName": "verticalFov", + "safeName": "verticalFov" + }, + "snakeCase": { + "unsafeName": "vertical_fov", + "safeName": "vertical_fov" + }, + "screamingSnakeCase": { + "unsafeName": "VERTICAL_FOV", + "safeName": "VERTICAL_FOV" + }, + "pascalCase": { + "unsafeName": "VerticalFov", + "safeName": "VerticalFov" + } + }, + "wireValue": "vertical_fov" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Vertical field of view in radians." + }, + { + "name": { + "name": { + "originalName": "range", + "camelCase": { + "unsafeName": "range", + "safeName": "range" + }, + "snakeCase": { + "unsafeName": "range", + "safeName": "range" + }, + "screamingSnakeCase": { + "unsafeName": "RANGE", + "safeName": "RANGE" + }, + "pascalCase": { + "unsafeName": "Range", + "safeName": "Range" + } + }, + "wireValue": "range" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FloatValue", + "camelCase": { + "unsafeName": "googleProtobufFloatValue", + "safeName": "googleProtobufFloatValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_float_value", + "safeName": "google_protobuf_float_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", + "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFloatValue", + "safeName": "GoogleProtobufFloatValue" + } + }, + "typeId": "google.protobuf.FloatValue", + "default": null, + "inline": false, + "displayName": "range" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Sensor range in meters." + }, + { + "name": { + "name": { + "originalName": "mode", + "camelCase": { + "unsafeName": "mode", + "safeName": "mode" + }, + "snakeCase": { + "unsafeName": "mode", + "safeName": "mode" + }, + "screamingSnakeCase": { + "unsafeName": "MODE", + "safeName": "MODE" + }, + "pascalCase": { + "unsafeName": "Mode", + "safeName": "Mode" + } + }, + "wireValue": "mode" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SensorMode", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SensorMode", + "safeName": "andurilEntitymanagerV1SensorMode" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_sensor_mode", + "safeName": "anduril_entitymanager_v_1_sensor_mode" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_MODE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSOR_MODE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SensorMode", + "safeName": "AndurilEntitymanagerV1SensorMode" + } + }, + "typeId": "anduril.entitymanager.v1.SensorMode", + "default": null, + "inline": false, + "displayName": "mode" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The mode that this sensor is currently in, used to display for context in the UI. Some sensors can emit multiple\\n sensor field of views with different modes, for example a radar can simultaneously search broadly and perform\\n tighter bounded tracking." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Sensor Field Of View closely resembling fov.proto SensorFieldOfView." + }, + "anduril.entitymanager.v1.ProjectedFrustum": { + "name": { + "typeId": "anduril.entitymanager.v1.ProjectedFrustum", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ProjectedFrustum", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ProjectedFrustum", + "safeName": "andurilEntitymanagerV1ProjectedFrustum" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_projected_frustum", + "safeName": "anduril_entitymanager_v_1_projected_frustum" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROJECTED_FRUSTUM", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROJECTED_FRUSTUM" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ProjectedFrustum", + "safeName": "AndurilEntitymanagerV1ProjectedFrustum" + } + }, + "displayName": "ProjectedFrustum" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "upper_left", + "camelCase": { + "unsafeName": "upperLeft", + "safeName": "upperLeft" + }, + "snakeCase": { + "unsafeName": "upper_left", + "safeName": "upper_left" + }, + "screamingSnakeCase": { + "unsafeName": "UPPER_LEFT", + "safeName": "UPPER_LEFT" + }, + "pascalCase": { + "unsafeName": "UpperLeft", + "safeName": "UpperLeft" + } + }, + "wireValue": "upper_left" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "upper_left" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Upper left point of the frustum." + }, + { + "name": { + "name": { + "originalName": "upper_right", + "camelCase": { + "unsafeName": "upperRight", + "safeName": "upperRight" + }, + "snakeCase": { + "unsafeName": "upper_right", + "safeName": "upper_right" + }, + "screamingSnakeCase": { + "unsafeName": "UPPER_RIGHT", + "safeName": "UPPER_RIGHT" + }, + "pascalCase": { + "unsafeName": "UpperRight", + "safeName": "UpperRight" + } + }, + "wireValue": "upper_right" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "upper_right" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Upper right point of the frustum." + }, + { + "name": { + "name": { + "originalName": "bottom_right", + "camelCase": { + "unsafeName": "bottomRight", + "safeName": "bottomRight" + }, + "snakeCase": { + "unsafeName": "bottom_right", + "safeName": "bottom_right" + }, + "screamingSnakeCase": { + "unsafeName": "BOTTOM_RIGHT", + "safeName": "BOTTOM_RIGHT" + }, + "pascalCase": { + "unsafeName": "BottomRight", + "safeName": "BottomRight" + } + }, + "wireValue": "bottom_right" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "bottom_right" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Bottom right point of the frustum." + }, + { + "name": { + "name": { + "originalName": "bottom_left", + "camelCase": { + "unsafeName": "bottomLeft", + "safeName": "bottomLeft" + }, + "snakeCase": { + "unsafeName": "bottom_left", + "safeName": "bottom_left" + }, + "screamingSnakeCase": { + "unsafeName": "BOTTOM_LEFT", + "safeName": "BOTTOM_LEFT" + }, + "pascalCase": { + "unsafeName": "BottomLeft", + "safeName": "BottomLeft" + } + }, + "wireValue": "bottom_left" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "bottom_left" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Bottom left point of the frustum." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents a frustum in which which all four corner points project onto the ground. All points in this message\\n are optional, if the projection to the ground fails then they will not be populated." + }, + "anduril.entitymanager.v1.RFConfiguration": { + "name": { + "typeId": "anduril.entitymanager.v1.RFConfiguration", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RFConfiguration", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RfConfiguration", + "safeName": "andurilEntitymanagerV1RfConfiguration" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_rf_configuration", + "safeName": "anduril_entitymanager_v_1_rf_configuration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RF_CONFIGURATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RF_CONFIGURATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RfConfiguration", + "safeName": "AndurilEntitymanagerV1RfConfiguration" + } + }, + "displayName": "RFConfiguration" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "frequency_range_hz", + "camelCase": { + "unsafeName": "frequencyRangeHz", + "safeName": "frequencyRangeHz" + }, + "snakeCase": { + "unsafeName": "frequency_range_hz", + "safeName": "frequency_range_hz" + }, + "screamingSnakeCase": { + "unsafeName": "FREQUENCY_RANGE_HZ", + "safeName": "FREQUENCY_RANGE_HZ" + }, + "pascalCase": { + "unsafeName": "FrequencyRangeHz", + "safeName": "FrequencyRangeHz" + } + }, + "wireValue": "frequency_range_hz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.FrequencyRange", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1FrequencyRange", + "safeName": "andurilEntitymanagerV1FrequencyRange" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_frequency_range", + "safeName": "anduril_entitymanager_v_1_frequency_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FREQUENCY_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1FrequencyRange", + "safeName": "AndurilEntitymanagerV1FrequencyRange" + } + }, + "typeId": "anduril.entitymanager.v1.FrequencyRange", + "default": null, + "inline": false, + "displayName": "frequency_range_hz" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Frequency ranges that are available for this sensor." + }, + { + "name": { + "name": { + "originalName": "bandwidth_range_hz", + "camelCase": { + "unsafeName": "bandwidthRangeHz", + "safeName": "bandwidthRangeHz" + }, + "snakeCase": { + "unsafeName": "bandwidth_range_hz", + "safeName": "bandwidth_range_hz" + }, + "screamingSnakeCase": { + "unsafeName": "BANDWIDTH_RANGE_HZ", + "safeName": "BANDWIDTH_RANGE_HZ" + }, + "pascalCase": { + "unsafeName": "BandwidthRangeHz", + "safeName": "BandwidthRangeHz" + } + }, + "wireValue": "bandwidth_range_hz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.BandwidthRange", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1BandwidthRange", + "safeName": "andurilEntitymanagerV1BandwidthRange" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_bandwidth_range", + "safeName": "anduril_entitymanager_v_1_bandwidth_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH_RANGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1BandwidthRange", + "safeName": "AndurilEntitymanagerV1BandwidthRange" + } + }, + "typeId": "anduril.entitymanager.v1.BandwidthRange", + "default": null, + "inline": false, + "displayName": "bandwidth_range_hz" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Bandwidth ranges that are available for this sensor." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents RF configurations supported on this sensor." + }, + "anduril.entitymanager.v1.BandwidthRange": { + "name": { + "typeId": "anduril.entitymanager.v1.BandwidthRange", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.BandwidthRange", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1BandwidthRange", + "safeName": "andurilEntitymanagerV1BandwidthRange" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_bandwidth_range", + "safeName": "anduril_entitymanager_v_1_bandwidth_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH_RANGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1BandwidthRange", + "safeName": "AndurilEntitymanagerV1BandwidthRange" + } + }, + "displayName": "BandwidthRange" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "minimum_bandwidth", + "camelCase": { + "unsafeName": "minimumBandwidth", + "safeName": "minimumBandwidth" + }, + "snakeCase": { + "unsafeName": "minimum_bandwidth", + "safeName": "minimum_bandwidth" + }, + "screamingSnakeCase": { + "unsafeName": "MINIMUM_BANDWIDTH", + "safeName": "MINIMUM_BANDWIDTH" + }, + "pascalCase": { + "unsafeName": "MinimumBandwidth", + "safeName": "MinimumBandwidth" + } + }, + "wireValue": "minimum_bandwidth" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Bandwidth", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Bandwidth", + "safeName": "andurilEntitymanagerV1Bandwidth" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_bandwidth", + "safeName": "anduril_entitymanager_v_1_bandwidth" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Bandwidth", + "safeName": "AndurilEntitymanagerV1Bandwidth" + } + }, + "typeId": "anduril.entitymanager.v1.Bandwidth", + "default": null, + "inline": false, + "displayName": "minimum_bandwidth" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "maximum_bandwidth", + "camelCase": { + "unsafeName": "maximumBandwidth", + "safeName": "maximumBandwidth" + }, + "snakeCase": { + "unsafeName": "maximum_bandwidth", + "safeName": "maximum_bandwidth" + }, + "screamingSnakeCase": { + "unsafeName": "MAXIMUM_BANDWIDTH", + "safeName": "MAXIMUM_BANDWIDTH" + }, + "pascalCase": { + "unsafeName": "MaximumBandwidth", + "safeName": "MaximumBandwidth" + } + }, + "wireValue": "maximum_bandwidth" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Bandwidth", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Bandwidth", + "safeName": "andurilEntitymanagerV1Bandwidth" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_bandwidth", + "safeName": "anduril_entitymanager_v_1_bandwidth" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Bandwidth", + "safeName": "AndurilEntitymanagerV1Bandwidth" + } + }, + "typeId": "anduril.entitymanager.v1.Bandwidth", + "default": null, + "inline": false, + "displayName": "maximum_bandwidth" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A component that describes the min and max bandwidths of a sensor" + }, + "anduril.entitymanager.v1.Bandwidth": { + "name": { + "typeId": "anduril.entitymanager.v1.Bandwidth", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Bandwidth", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Bandwidth", + "safeName": "andurilEntitymanagerV1Bandwidth" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_bandwidth", + "safeName": "anduril_entitymanager_v_1_bandwidth" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BANDWIDTH" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Bandwidth", + "safeName": "AndurilEntitymanagerV1Bandwidth" + } + }, + "displayName": "Bandwidth" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "bandwidth_hz", + "camelCase": { + "unsafeName": "bandwidthHz", + "safeName": "bandwidthHz" + }, + "snakeCase": { + "unsafeName": "bandwidth_hz", + "safeName": "bandwidth_hz" + }, + "screamingSnakeCase": { + "unsafeName": "BANDWIDTH_HZ", + "safeName": "BANDWIDTH_HZ" + }, + "pascalCase": { + "unsafeName": "BandwidthHz", + "safeName": "BandwidthHz" + } + }, + "wireValue": "bandwidth_hz" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "bandwidth_hz" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Describes the bandwidth of a signal" + }, + "anduril.entitymanager.v1.Relationships": { + "name": { + "typeId": "anduril.entitymanager.v1.Relationships", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Relationships", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Relationships", + "safeName": "andurilEntitymanagerV1Relationships" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_relationships", + "safeName": "anduril_entitymanager_v_1_relationships" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIPS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIPS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Relationships", + "safeName": "AndurilEntitymanagerV1Relationships" + } + }, + "displayName": "Relationships" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "relationships", + "camelCase": { + "unsafeName": "relationships", + "safeName": "relationships" + }, + "snakeCase": { + "unsafeName": "relationships", + "safeName": "relationships" + }, + "screamingSnakeCase": { + "unsafeName": "RELATIONSHIPS", + "safeName": "RELATIONSHIPS" + }, + "pascalCase": { + "unsafeName": "Relationships", + "safeName": "Relationships" + } + }, + "wireValue": "relationships" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Relationship", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Relationship", + "safeName": "andurilEntitymanagerV1Relationship" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_relationship", + "safeName": "anduril_entitymanager_v_1_relationship" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Relationship", + "safeName": "AndurilEntitymanagerV1Relationship" + } + }, + "typeId": "anduril.entitymanager.v1.Relationship", + "default": null, + "inline": false, + "displayName": "relationships" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The relationships between this entity and other entities in the common operational picture." + }, + "anduril.entitymanager.v1.Relationship": { + "name": { + "typeId": "anduril.entitymanager.v1.Relationship", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Relationship", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Relationship", + "safeName": "andurilEntitymanagerV1Relationship" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_relationship", + "safeName": "anduril_entitymanager_v_1_relationship" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Relationship", + "safeName": "AndurilEntitymanagerV1Relationship" + } + }, + "displayName": "Relationship" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "related_entity_id", + "camelCase": { + "unsafeName": "relatedEntityId", + "safeName": "relatedEntityId" + }, + "snakeCase": { + "unsafeName": "related_entity_id", + "safeName": "related_entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "RELATED_ENTITY_ID", + "safeName": "RELATED_ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "RelatedEntityId", + "safeName": "RelatedEntityId" + } + }, + "wireValue": "related_entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The entity ID to which this entity is related." + }, + { + "name": { + "name": { + "originalName": "relationship_id", + "camelCase": { + "unsafeName": "relationshipId", + "safeName": "relationshipId" + }, + "snakeCase": { + "unsafeName": "relationship_id", + "safeName": "relationship_id" + }, + "screamingSnakeCase": { + "unsafeName": "RELATIONSHIP_ID", + "safeName": "RELATIONSHIP_ID" + }, + "pascalCase": { + "unsafeName": "RelationshipId", + "safeName": "RelationshipId" + } + }, + "wireValue": "relationship_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A unique identifier for this relationship. Allows removing or updating relationships." + }, + { + "name": { + "name": { + "originalName": "relationship_type", + "camelCase": { + "unsafeName": "relationshipType", + "safeName": "relationshipType" + }, + "snakeCase": { + "unsafeName": "relationship_type", + "safeName": "relationship_type" + }, + "screamingSnakeCase": { + "unsafeName": "RELATIONSHIP_TYPE", + "safeName": "RELATIONSHIP_TYPE" + }, + "pascalCase": { + "unsafeName": "RelationshipType", + "safeName": "RelationshipType" + } + }, + "wireValue": "relationship_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RelationshipType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RelationshipType", + "safeName": "andurilEntitymanagerV1RelationshipType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_relationship_type", + "safeName": "anduril_entitymanager_v_1_relationship_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RelationshipType", + "safeName": "AndurilEntitymanagerV1RelationshipType" + } + }, + "typeId": "anduril.entitymanager.v1.RelationshipType", + "default": null, + "inline": false, + "displayName": "relationship_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The relationship type" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The relationship component indicates a relationship to another entity." + }, + "anduril.entitymanager.v1.RelationshipTypeType": { + "name": { + "typeId": "anduril.entitymanager.v1.RelationshipTypeType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RelationshipTypeType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RelationshipTypeType", + "safeName": "andurilEntitymanagerV1RelationshipTypeType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_relationship_type_type", + "safeName": "anduril_entitymanager_v_1_relationship_type_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RelationshipTypeType", + "safeName": "AndurilEntitymanagerV1RelationshipTypeType" + } + }, + "displayName": "RelationshipTypeType" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TrackedBy", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TrackedBy", + "safeName": "andurilEntitymanagerV1TrackedBy" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_tracked_by", + "safeName": "anduril_entitymanager_v_1_tracked_by" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED_BY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED_BY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TrackedBy", + "safeName": "AndurilEntitymanagerV1TrackedBy" + } + }, + "typeId": "anduril.entitymanager.v1.TrackedBy", + "default": null, + "inline": false, + "displayName": "tracked_by" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GroupChild", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GroupChild", + "safeName": "andurilEntitymanagerV1GroupChild" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_group_child", + "safeName": "anduril_entitymanager_v_1_group_child" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_CHILD", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_CHILD" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GroupChild", + "safeName": "AndurilEntitymanagerV1GroupChild" + } + }, + "typeId": "anduril.entitymanager.v1.GroupChild", + "default": null, + "inline": false, + "displayName": "group_child" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GroupParent", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GroupParent", + "safeName": "andurilEntitymanagerV1GroupParent" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_group_parent", + "safeName": "anduril_entitymanager_v_1_group_parent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_PARENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_PARENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GroupParent", + "safeName": "AndurilEntitymanagerV1GroupParent" + } + }, + "typeId": "anduril.entitymanager.v1.GroupParent", + "default": null, + "inline": false, + "displayName": "group_parent" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.MergedFrom", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1MergedFrom", + "safeName": "andurilEntitymanagerV1MergedFrom" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_merged_from", + "safeName": "anduril_entitymanager_v_1_merged_from" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MERGED_FROM", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MERGED_FROM" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1MergedFrom", + "safeName": "AndurilEntitymanagerV1MergedFrom" + } + }, + "typeId": "anduril.entitymanager.v1.MergedFrom", + "default": null, + "inline": false, + "displayName": "merged_from" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ActiveTarget", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ActiveTarget", + "safeName": "andurilEntitymanagerV1ActiveTarget" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_active_target", + "safeName": "anduril_entitymanager_v_1_active_target" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ACTIVE_TARGET", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ACTIVE_TARGET" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ActiveTarget", + "safeName": "AndurilEntitymanagerV1ActiveTarget" + } + }, + "typeId": "anduril.entitymanager.v1.ActiveTarget", + "default": null, + "inline": false, + "displayName": "active_target" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.RelationshipType": { + "name": { + "typeId": "anduril.entitymanager.v1.RelationshipType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RelationshipType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RelationshipType", + "safeName": "andurilEntitymanagerV1RelationshipType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_relationship_type", + "safeName": "anduril_entitymanager_v_1_relationship_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RelationshipType", + "safeName": "AndurilEntitymanagerV1RelationshipType" + } + }, + "displayName": "RelationshipType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "type", + "camelCase": { + "unsafeName": "type", + "safeName": "type" + }, + "snakeCase": { + "unsafeName": "type", + "safeName": "type" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE", + "safeName": "TYPE" + }, + "pascalCase": { + "unsafeName": "Type", + "safeName": "Type" + } + }, + "wireValue": "type" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RelationshipTypeType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RelationshipTypeType", + "safeName": "andurilEntitymanagerV1RelationshipTypeType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_relationship_type_type", + "safeName": "anduril_entitymanager_v_1_relationship_type_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIP_TYPE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RelationshipTypeType", + "safeName": "AndurilEntitymanagerV1RelationshipTypeType" + } + }, + "typeId": "anduril.entitymanager.v1.RelationshipTypeType", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Determines the type of relationship between this entity and another." + }, + "anduril.entitymanager.v1.TrackedBy": { + "name": { + "typeId": "anduril.entitymanager.v1.TrackedBy", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TrackedBy", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TrackedBy", + "safeName": "andurilEntitymanagerV1TrackedBy" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_tracked_by", + "safeName": "anduril_entitymanager_v_1_tracked_by" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED_BY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED_BY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TrackedBy", + "safeName": "AndurilEntitymanagerV1TrackedBy" + } + }, + "displayName": "TrackedBy" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "actively_tracking_sensors", + "camelCase": { + "unsafeName": "activelyTrackingSensors", + "safeName": "activelyTrackingSensors" + }, + "snakeCase": { + "unsafeName": "actively_tracking_sensors", + "safeName": "actively_tracking_sensors" + }, + "screamingSnakeCase": { + "unsafeName": "ACTIVELY_TRACKING_SENSORS", + "safeName": "ACTIVELY_TRACKING_SENSORS" + }, + "pascalCase": { + "unsafeName": "ActivelyTrackingSensors", + "safeName": "ActivelyTrackingSensors" + } + }, + "wireValue": "actively_tracking_sensors" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Sensors", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Sensors", + "safeName": "andurilEntitymanagerV1Sensors" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_sensors", + "safeName": "anduril_entitymanager_v_1_sensors" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Sensors", + "safeName": "AndurilEntitymanagerV1Sensors" + } + }, + "typeId": "anduril.entitymanager.v1.Sensors", + "default": null, + "inline": false, + "displayName": "actively_tracking_sensors" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Sensor details of the tracking entity's sensors that were active and tracking the tracked entity. This may be\\n a subset of the total sensors available on the tracking entity." + }, + { + "name": { + "name": { + "originalName": "last_measurement_timestamp", + "camelCase": { + "unsafeName": "lastMeasurementTimestamp", + "safeName": "lastMeasurementTimestamp" + }, + "snakeCase": { + "unsafeName": "last_measurement_timestamp", + "safeName": "last_measurement_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "LAST_MEASUREMENT_TIMESTAMP", + "safeName": "LAST_MEASUREMENT_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "LastMeasurementTimestamp", + "safeName": "LastMeasurementTimestamp" + } + }, + "wireValue": "last_measurement_timestamp" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "last_measurement_timestamp" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Latest time that any sensor in actively_tracking_sensors detected the tracked entity." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Describes the relationship between the entity being tracked (\\"tracked entity\\") and the entity that is\\n performing the tracking (\\"tracking entity\\")." + }, + "anduril.entitymanager.v1.GroupChild": { + "name": { + "typeId": "anduril.entitymanager.v1.GroupChild", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GroupChild", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GroupChild", + "safeName": "andurilEntitymanagerV1GroupChild" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_group_child", + "safeName": "anduril_entitymanager_v_1_group_child" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_CHILD", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_CHILD" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GroupChild", + "safeName": "AndurilEntitymanagerV1GroupChild" + } + }, + "displayName": "GroupChild" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A GroupChild relationship is a uni-directional relationship indicating that (1) this entity\\n represents an Entity Group and (2) the related entity is a child member of this group. The presence of this\\n relationship alone determines that the type of group is an Entity Group." + }, + "anduril.entitymanager.v1.GroupParent": { + "name": { + "typeId": "anduril.entitymanager.v1.GroupParent", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GroupParent", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GroupParent", + "safeName": "andurilEntitymanagerV1GroupParent" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_group_parent", + "safeName": "anduril_entitymanager_v_1_group_parent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_PARENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_PARENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GroupParent", + "safeName": "AndurilEntitymanagerV1GroupParent" + } + }, + "displayName": "GroupParent" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A GroupParent relationship is a uni-directional relationship indicating that this entity is a member of\\n the Entity Group represented by the related entity. The presence of this relationship alone determines that\\n the type of group that this entity is a member of is an Entity Group." + }, + "anduril.entitymanager.v1.MergedFrom": { + "name": { + "typeId": "anduril.entitymanager.v1.MergedFrom", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.MergedFrom", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1MergedFrom", + "safeName": "andurilEntitymanagerV1MergedFrom" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_merged_from", + "safeName": "anduril_entitymanager_v_1_merged_from" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MERGED_FROM", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MERGED_FROM" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1MergedFrom", + "safeName": "AndurilEntitymanagerV1MergedFrom" + } + }, + "displayName": "MergedFrom" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A MergedFrom relationship is a uni-directional relationship indicating that this entity is a merged entity whose\\n data has at least partially been merged from the related entity." + }, + "anduril.entitymanager.v1.ActiveTarget": { + "name": { + "typeId": "anduril.entitymanager.v1.ActiveTarget", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ActiveTarget", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ActiveTarget", + "safeName": "andurilEntitymanagerV1ActiveTarget" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_active_target", + "safeName": "anduril_entitymanager_v_1_active_target" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ACTIVE_TARGET", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ACTIVE_TARGET" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ActiveTarget", + "safeName": "AndurilEntitymanagerV1ActiveTarget" + } + }, + "displayName": "ActiveTarget" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A target relationship is the inverse of TrackedBy; a one-way relation\\n from sensor to target, indicating track(s) currently prioritized by a robot." + }, + "anduril.entitymanager.v1.RouteDetails": { + "name": { + "typeId": "anduril.entitymanager.v1.RouteDetails", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RouteDetails", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RouteDetails", + "safeName": "andurilEntitymanagerV1RouteDetails" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_route_details", + "safeName": "anduril_entitymanager_v_1_route_details" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ROUTE_DETAILS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ROUTE_DETAILS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RouteDetails", + "safeName": "AndurilEntitymanagerV1RouteDetails" + } + }, + "displayName": "RouteDetails" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "destination_name", + "camelCase": { + "unsafeName": "destinationName", + "safeName": "destinationName" + }, + "snakeCase": { + "unsafeName": "destination_name", + "safeName": "destination_name" + }, + "screamingSnakeCase": { + "unsafeName": "DESTINATION_NAME", + "safeName": "DESTINATION_NAME" + }, + "pascalCase": { + "unsafeName": "DestinationName", + "safeName": "DestinationName" + } + }, + "wireValue": "destination_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Free form text giving the name of the entity's destination" + }, + { + "name": { + "name": { + "originalName": "estimated_arrival_time", + "camelCase": { + "unsafeName": "estimatedArrivalTime", + "safeName": "estimatedArrivalTime" + }, + "snakeCase": { + "unsafeName": "estimated_arrival_time", + "safeName": "estimated_arrival_time" + }, + "screamingSnakeCase": { + "unsafeName": "ESTIMATED_ARRIVAL_TIME", + "safeName": "ESTIMATED_ARRIVAL_TIME" + }, + "pascalCase": { + "unsafeName": "EstimatedArrivalTime", + "safeName": "EstimatedArrivalTime" + } + }, + "wireValue": "estimated_arrival_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "estimated_arrival_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Estimated time of arrival at destination" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.ScheduleType": { + "name": { + "typeId": "anduril.entitymanager.v1.ScheduleType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ScheduleType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ScheduleType", + "safeName": "andurilEntitymanagerV1ScheduleType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_schedule_type", + "safeName": "anduril_entitymanager_v_1_schedule_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ScheduleType", + "safeName": "AndurilEntitymanagerV1ScheduleType" + } + }, + "displayName": "ScheduleType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "SCHEDULE_TYPE_INVALID", + "camelCase": { + "unsafeName": "scheduleTypeInvalid", + "safeName": "scheduleTypeInvalid" + }, + "snakeCase": { + "unsafeName": "schedule_type_invalid", + "safeName": "schedule_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "SCHEDULE_TYPE_INVALID", + "safeName": "SCHEDULE_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "ScheduleTypeInvalid", + "safeName": "ScheduleTypeInvalid" + } + }, + "wireValue": "SCHEDULE_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCHEDULE_TYPE_ZONE_ENABLED", + "camelCase": { + "unsafeName": "scheduleTypeZoneEnabled", + "safeName": "scheduleTypeZoneEnabled" + }, + "snakeCase": { + "unsafeName": "schedule_type_zone_enabled", + "safeName": "schedule_type_zone_enabled" + }, + "screamingSnakeCase": { + "unsafeName": "SCHEDULE_TYPE_ZONE_ENABLED", + "safeName": "SCHEDULE_TYPE_ZONE_ENABLED" + }, + "pascalCase": { + "unsafeName": "ScheduleTypeZoneEnabled", + "safeName": "ScheduleTypeZoneEnabled" + } + }, + "wireValue": "SCHEDULE_TYPE_ZONE_ENABLED" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SCHEDULE_TYPE_ZONE_TEMP_ENABLED", + "camelCase": { + "unsafeName": "scheduleTypeZoneTempEnabled", + "safeName": "scheduleTypeZoneTempEnabled" + }, + "snakeCase": { + "unsafeName": "schedule_type_zone_temp_enabled", + "safeName": "schedule_type_zone_temp_enabled" + }, + "screamingSnakeCase": { + "unsafeName": "SCHEDULE_TYPE_ZONE_TEMP_ENABLED", + "safeName": "SCHEDULE_TYPE_ZONE_TEMP_ENABLED" + }, + "pascalCase": { + "unsafeName": "ScheduleTypeZoneTempEnabled", + "safeName": "ScheduleTypeZoneTempEnabled" + } + }, + "wireValue": "SCHEDULE_TYPE_ZONE_TEMP_ENABLED" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The type of Schedule." + }, + "anduril.entitymanager.v1.Schedules": { + "name": { + "typeId": "anduril.entitymanager.v1.Schedules", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Schedules", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Schedules", + "safeName": "andurilEntitymanagerV1Schedules" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_schedules", + "safeName": "anduril_entitymanager_v_1_schedules" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Schedules", + "safeName": "AndurilEntitymanagerV1Schedules" + } + }, + "displayName": "Schedules" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "schedules", + "camelCase": { + "unsafeName": "schedules", + "safeName": "schedules" + }, + "snakeCase": { + "unsafeName": "schedules", + "safeName": "schedules" + }, + "screamingSnakeCase": { + "unsafeName": "SCHEDULES", + "safeName": "SCHEDULES" + }, + "pascalCase": { + "unsafeName": "Schedules", + "safeName": "Schedules" + } + }, + "wireValue": "schedules" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Schedule", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Schedule", + "safeName": "andurilEntitymanagerV1Schedule" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_schedule", + "safeName": "anduril_entitymanager_v_1_schedule" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Schedule", + "safeName": "AndurilEntitymanagerV1Schedule" + } + }, + "typeId": "anduril.entitymanager.v1.Schedule", + "default": null, + "inline": false, + "displayName": "schedules" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Schedules associated with this entity" + }, + "anduril.entitymanager.v1.Schedule": { + "name": { + "typeId": "anduril.entitymanager.v1.Schedule", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Schedule", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Schedule", + "safeName": "andurilEntitymanagerV1Schedule" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_schedule", + "safeName": "anduril_entitymanager_v_1_schedule" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Schedule", + "safeName": "AndurilEntitymanagerV1Schedule" + } + }, + "displayName": "Schedule" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "windows", + "camelCase": { + "unsafeName": "windows", + "safeName": "windows" + }, + "snakeCase": { + "unsafeName": "windows", + "safeName": "windows" + }, + "screamingSnakeCase": { + "unsafeName": "WINDOWS", + "safeName": "WINDOWS" + }, + "pascalCase": { + "unsafeName": "Windows", + "safeName": "Windows" + } + }, + "wireValue": "windows" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CronWindow", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CronWindow", + "safeName": "andurilEntitymanagerV1CronWindow" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_cron_window", + "safeName": "anduril_entitymanager_v_1_cron_window" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CRON_WINDOW", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CRON_WINDOW" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CronWindow", + "safeName": "AndurilEntitymanagerV1CronWindow" + } + }, + "typeId": "anduril.entitymanager.v1.CronWindow", + "default": null, + "inline": false, + "displayName": "windows" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "expression that represents this schedule's \\"ON\\" state" + }, + { + "name": { + "name": { + "originalName": "schedule_id", + "camelCase": { + "unsafeName": "scheduleId", + "safeName": "scheduleId" + }, + "snakeCase": { + "unsafeName": "schedule_id", + "safeName": "schedule_id" + }, + "screamingSnakeCase": { + "unsafeName": "SCHEDULE_ID", + "safeName": "SCHEDULE_ID" + }, + "pascalCase": { + "unsafeName": "ScheduleId", + "safeName": "ScheduleId" + } + }, + "wireValue": "schedule_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A unique identifier for this schedule." + }, + { + "name": { + "name": { + "originalName": "schedule_type", + "camelCase": { + "unsafeName": "scheduleType", + "safeName": "scheduleType" + }, + "snakeCase": { + "unsafeName": "schedule_type", + "safeName": "schedule_type" + }, + "screamingSnakeCase": { + "unsafeName": "SCHEDULE_TYPE", + "safeName": "SCHEDULE_TYPE" + }, + "pascalCase": { + "unsafeName": "ScheduleType", + "safeName": "ScheduleType" + } + }, + "wireValue": "schedule_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ScheduleType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ScheduleType", + "safeName": "andurilEntitymanagerV1ScheduleType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_schedule_type", + "safeName": "anduril_entitymanager_v_1_schedule_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ScheduleType", + "safeName": "AndurilEntitymanagerV1ScheduleType" + } + }, + "typeId": "anduril.entitymanager.v1.ScheduleType", + "default": null, + "inline": false, + "displayName": "schedule_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The schedule type" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A Schedule associated with this entity" + }, + "anduril.entitymanager.v1.CronWindow": { + "name": { + "typeId": "anduril.entitymanager.v1.CronWindow", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CronWindow", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CronWindow", + "safeName": "andurilEntitymanagerV1CronWindow" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_cron_window", + "safeName": "anduril_entitymanager_v_1_cron_window" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CRON_WINDOW", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CRON_WINDOW" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CronWindow", + "safeName": "AndurilEntitymanagerV1CronWindow" + } + }, + "displayName": "CronWindow" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "cron_expression", + "camelCase": { + "unsafeName": "cronExpression", + "safeName": "cronExpression" + }, + "snakeCase": { + "unsafeName": "cron_expression", + "safeName": "cron_expression" + }, + "screamingSnakeCase": { + "unsafeName": "CRON_EXPRESSION", + "safeName": "CRON_EXPRESSION" + }, + "pascalCase": { + "unsafeName": "CronExpression", + "safeName": "CronExpression" + } + }, + "wireValue": "cron_expression" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "in UTC, describes when and at what cadence this window starts, in the quartz flavor of cron\\n\\n examples:\\n This schedule is begins at 7:00:00am UTC everyday between Monday and Friday\\n 0 0 7 ? * MON-FRI *\\n This schedule begins every 5 minutes starting at 12:00:00pm UTC until 8:00:00pm UTC everyday\\n 0 0/5 12-20 * * ? *\\n This schedule begins at 12:00:00pm UTC on March 2nd 2023\\n 0 0 12 2 3 ? 2023" + }, + { + "name": { + "name": { + "originalName": "duration_millis", + "camelCase": { + "unsafeName": "durationMillis", + "safeName": "durationMillis" + }, + "snakeCase": { + "unsafeName": "duration_millis", + "safeName": "duration_millis" + }, + "screamingSnakeCase": { + "unsafeName": "DURATION_MILLIS", + "safeName": "DURATION_MILLIS" + }, + "pascalCase": { + "unsafeName": "DurationMillis", + "safeName": "DurationMillis" + } + }, + "wireValue": "duration_millis" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT_64", + "v2": { + "type": "uint64" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "describes the duration" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Supplies": { + "name": { + "typeId": "anduril.entitymanager.v1.Supplies", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Supplies", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Supplies", + "safeName": "andurilEntitymanagerV1Supplies" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_supplies", + "safeName": "anduril_entitymanager_v_1_supplies" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SUPPLIES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SUPPLIES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Supplies", + "safeName": "AndurilEntitymanagerV1Supplies" + } + }, + "displayName": "Supplies" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "fuel", + "camelCase": { + "unsafeName": "fuel", + "safeName": "fuel" + }, + "snakeCase": { + "unsafeName": "fuel", + "safeName": "fuel" + }, + "screamingSnakeCase": { + "unsafeName": "FUEL", + "safeName": "FUEL" + }, + "pascalCase": { + "unsafeName": "Fuel", + "safeName": "Fuel" + } + }, + "wireValue": "fuel" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Fuel", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Fuel", + "safeName": "andurilEntitymanagerV1Fuel" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_fuel", + "safeName": "anduril_entitymanager_v_1_fuel" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FUEL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FUEL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Fuel", + "safeName": "AndurilEntitymanagerV1Fuel" + } + }, + "typeId": "anduril.entitymanager.v1.Fuel", + "default": null, + "inline": false, + "displayName": "fuel" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents the state of supplies associated with an entity (available but not in condition to use immediately)" + }, + "anduril.entitymanager.v1.Fuel": { + "name": { + "typeId": "anduril.entitymanager.v1.Fuel", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Fuel", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Fuel", + "safeName": "andurilEntitymanagerV1Fuel" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_fuel", + "safeName": "anduril_entitymanager_v_1_fuel" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_FUEL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_FUEL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Fuel", + "safeName": "AndurilEntitymanagerV1Fuel" + } + }, + "displayName": "Fuel" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "fuel_id", + "camelCase": { + "unsafeName": "fuelId", + "safeName": "fuelId" + }, + "snakeCase": { + "unsafeName": "fuel_id", + "safeName": "fuel_id" + }, + "screamingSnakeCase": { + "unsafeName": "FUEL_ID", + "safeName": "FUEL_ID" + }, + "pascalCase": { + "unsafeName": "FuelId", + "safeName": "FuelId" + } + }, + "wireValue": "fuel_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "unique fuel identifier" + }, + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "long form name of the fuel source." + }, + { + "name": { + "name": { + "originalName": "reported_date", + "camelCase": { + "unsafeName": "reportedDate", + "safeName": "reportedDate" + }, + "snakeCase": { + "unsafeName": "reported_date", + "safeName": "reported_date" + }, + "screamingSnakeCase": { + "unsafeName": "REPORTED_DATE", + "safeName": "REPORTED_DATE" + }, + "pascalCase": { + "unsafeName": "ReportedDate", + "safeName": "ReportedDate" + } + }, + "wireValue": "reported_date" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "reported_date" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "timestamp the information was reported" + }, + { + "name": { + "name": { + "originalName": "amount_gallons", + "camelCase": { + "unsafeName": "amountGallons", + "safeName": "amountGallons" + }, + "snakeCase": { + "unsafeName": "amount_gallons", + "safeName": "amount_gallons" + }, + "screamingSnakeCase": { + "unsafeName": "AMOUNT_GALLONS", + "safeName": "AMOUNT_GALLONS" + }, + "pascalCase": { + "unsafeName": "AmountGallons", + "safeName": "AmountGallons" + } + }, + "wireValue": "amount_gallons" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "amount of gallons on hand" + }, + { + "name": { + "name": { + "originalName": "max_authorized_capacity_gallons", + "camelCase": { + "unsafeName": "maxAuthorizedCapacityGallons", + "safeName": "maxAuthorizedCapacityGallons" + }, + "snakeCase": { + "unsafeName": "max_authorized_capacity_gallons", + "safeName": "max_authorized_capacity_gallons" + }, + "screamingSnakeCase": { + "unsafeName": "MAX_AUTHORIZED_CAPACITY_GALLONS", + "safeName": "MAX_AUTHORIZED_CAPACITY_GALLONS" + }, + "pascalCase": { + "unsafeName": "MaxAuthorizedCapacityGallons", + "safeName": "MaxAuthorizedCapacityGallons" + } + }, + "wireValue": "max_authorized_capacity_gallons" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "how much the asset is allowed to have available (in gallons)" + }, + { + "name": { + "name": { + "originalName": "operational_requirement_gallons", + "camelCase": { + "unsafeName": "operationalRequirementGallons", + "safeName": "operationalRequirementGallons" + }, + "snakeCase": { + "unsafeName": "operational_requirement_gallons", + "safeName": "operational_requirement_gallons" + }, + "screamingSnakeCase": { + "unsafeName": "OPERATIONAL_REQUIREMENT_GALLONS", + "safeName": "OPERATIONAL_REQUIREMENT_GALLONS" + }, + "pascalCase": { + "unsafeName": "OperationalRequirementGallons", + "safeName": "OperationalRequirementGallons" + } + }, + "wireValue": "operational_requirement_gallons" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "minimum required for operations (in gallons)" + }, + { + "name": { + "name": { + "originalName": "data_classification", + "camelCase": { + "unsafeName": "dataClassification", + "safeName": "dataClassification" + }, + "snakeCase": { + "unsafeName": "data_classification", + "safeName": "data_classification" + }, + "screamingSnakeCase": { + "unsafeName": "DATA_CLASSIFICATION", + "safeName": "DATA_CLASSIFICATION" + }, + "pascalCase": { + "unsafeName": "DataClassification", + "safeName": "DataClassification" + } + }, + "wireValue": "data_classification" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Classification", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Classification", + "safeName": "andurilEntitymanagerV1Classification" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_classification", + "safeName": "anduril_entitymanager_v_1_classification" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Classification", + "safeName": "AndurilEntitymanagerV1Classification" + } + }, + "typeId": "anduril.entitymanager.v1.Classification", + "default": null, + "inline": false, + "displayName": "data_classification" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "fuel in a single asset may have different levels of classification\\n use case: fuel for a SECRET asset while diesel fuel may be UNCLASSIFIED" + }, + { + "name": { + "name": { + "originalName": "data_source", + "camelCase": { + "unsafeName": "dataSource", + "safeName": "dataSource" + }, + "snakeCase": { + "unsafeName": "data_source", + "safeName": "data_source" + }, + "screamingSnakeCase": { + "unsafeName": "DATA_SOURCE", + "safeName": "DATA_SOURCE" + }, + "pascalCase": { + "unsafeName": "DataSource", + "safeName": "DataSource" + } + }, + "wireValue": "data_source" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "source of information" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Fuel describes an entity's repository of fuels stores including current amount, operational requirements, and maximum authorized capacity" + }, + "anduril.entitymanager.v1.TargetPriority": { + "name": { + "typeId": "anduril.entitymanager.v1.TargetPriority", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TargetPriority", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TargetPriority", + "safeName": "andurilEntitymanagerV1TargetPriority" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_target_priority", + "safeName": "anduril_entitymanager_v_1_target_priority" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TARGET_PRIORITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TARGET_PRIORITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TargetPriority", + "safeName": "AndurilEntitymanagerV1TargetPriority" + } + }, + "displayName": "TargetPriority" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "high_value_target", + "camelCase": { + "unsafeName": "highValueTarget", + "safeName": "highValueTarget" + }, + "snakeCase": { + "unsafeName": "high_value_target", + "safeName": "high_value_target" + }, + "screamingSnakeCase": { + "unsafeName": "HIGH_VALUE_TARGET", + "safeName": "HIGH_VALUE_TARGET" + }, + "pascalCase": { + "unsafeName": "HighValueTarget", + "safeName": "HighValueTarget" + } + }, + "wireValue": "high_value_target" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.HighValueTarget", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1HighValueTarget", + "safeName": "andurilEntitymanagerV1HighValueTarget" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_high_value_target", + "safeName": "anduril_entitymanager_v_1_high_value_target" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1HighValueTarget", + "safeName": "AndurilEntitymanagerV1HighValueTarget" + } + }, + "typeId": "anduril.entitymanager.v1.HighValueTarget", + "default": null, + "inline": false, + "displayName": "high_value_target" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Describes the target priority in relation to high value target lists." + }, + { + "name": { + "name": { + "originalName": "threat", + "camelCase": { + "unsafeName": "threat", + "safeName": "threat" + }, + "snakeCase": { + "unsafeName": "threat", + "safeName": "threat" + }, + "screamingSnakeCase": { + "unsafeName": "THREAT", + "safeName": "THREAT" + }, + "pascalCase": { + "unsafeName": "Threat", + "safeName": "Threat" + } + }, + "wireValue": "threat" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Threat", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Threat", + "safeName": "andurilEntitymanagerV1Threat" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_threat", + "safeName": "anduril_entitymanager_v_1_threat" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_THREAT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_THREAT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Threat", + "safeName": "AndurilEntitymanagerV1Threat" + } + }, + "typeId": "anduril.entitymanager.v1.Threat", + "default": null, + "inline": false, + "displayName": "threat" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Describes whether the entity should be treated as a threat" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The target prioritization associated with an entity." + }, + "anduril.entitymanager.v1.HighValueTarget": { + "name": { + "typeId": "anduril.entitymanager.v1.HighValueTarget", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.HighValueTarget", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1HighValueTarget", + "safeName": "andurilEntitymanagerV1HighValueTarget" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_high_value_target", + "safeName": "anduril_entitymanager_v_1_high_value_target" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1HighValueTarget", + "safeName": "AndurilEntitymanagerV1HighValueTarget" + } + }, + "displayName": "HighValueTarget" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "is_high_value_target", + "camelCase": { + "unsafeName": "isHighValueTarget", + "safeName": "isHighValueTarget" + }, + "snakeCase": { + "unsafeName": "is_high_value_target", + "safeName": "is_high_value_target" + }, + "screamingSnakeCase": { + "unsafeName": "IS_HIGH_VALUE_TARGET", + "safeName": "IS_HIGH_VALUE_TARGET" + }, + "pascalCase": { + "unsafeName": "IsHighValueTarget", + "safeName": "IsHighValueTarget" + } + }, + "wireValue": "is_high_value_target" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates whether the target matches any description from a high value target list." + }, + { + "name": { + "name": { + "originalName": "target_priority", + "camelCase": { + "unsafeName": "targetPriority", + "safeName": "targetPriority" + }, + "snakeCase": { + "unsafeName": "target_priority", + "safeName": "target_priority" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_PRIORITY", + "safeName": "TARGET_PRIORITY" + }, + "pascalCase": { + "unsafeName": "TargetPriority", + "safeName": "TargetPriority" + } + }, + "wireValue": "target_priority" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The priority associated with the target. If the target's description appears on multiple high value target lists,\\n the priority will be a reflection of the highest priority of all of those list's target description.\\n\\n A lower value indicates the target is of a higher priority, with 1 being the highest possible priority. A value of\\n 0 indicates there is no priority associated with this target." + }, + { + "name": { + "name": { + "originalName": "target_matches", + "camelCase": { + "unsafeName": "targetMatches", + "safeName": "targetMatches" + }, + "snakeCase": { + "unsafeName": "target_matches", + "safeName": "target_matches" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_MATCHES", + "safeName": "TARGET_MATCHES" + }, + "pascalCase": { + "unsafeName": "TargetMatches", + "safeName": "TargetMatches" + } + }, + "wireValue": "target_matches" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.HighValueTargetMatch", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1HighValueTargetMatch", + "safeName": "andurilEntitymanagerV1HighValueTargetMatch" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_high_value_target_match", + "safeName": "anduril_entitymanager_v_1_high_value_target_match" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET_MATCH", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET_MATCH" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1HighValueTargetMatch", + "safeName": "AndurilEntitymanagerV1HighValueTargetMatch" + } + }, + "typeId": "anduril.entitymanager.v1.HighValueTargetMatch", + "default": null, + "inline": false, + "displayName": "target_matches" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "All of the high value target descriptions that the target matches against." + }, + { + "name": { + "name": { + "originalName": "is_high_payoff_target", + "camelCase": { + "unsafeName": "isHighPayoffTarget", + "safeName": "isHighPayoffTarget" + }, + "snakeCase": { + "unsafeName": "is_high_payoff_target", + "safeName": "is_high_payoff_target" + }, + "screamingSnakeCase": { + "unsafeName": "IS_HIGH_PAYOFF_TARGET", + "safeName": "IS_HIGH_PAYOFF_TARGET" + }, + "pascalCase": { + "unsafeName": "IsHighPayoffTarget", + "safeName": "IsHighPayoffTarget" + } + }, + "wireValue": "is_high_payoff_target" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates whether the target is a 'High Payoff Target'. Targets can be one or both of high value and high payoff." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Describes whether something is a high value target or not." + }, + "anduril.entitymanager.v1.HighValueTargetMatch": { + "name": { + "typeId": "anduril.entitymanager.v1.HighValueTargetMatch", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.HighValueTargetMatch", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1HighValueTargetMatch", + "safeName": "andurilEntitymanagerV1HighValueTargetMatch" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_high_value_target_match", + "safeName": "anduril_entitymanager_v_1_high_value_target_match" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET_MATCH", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HIGH_VALUE_TARGET_MATCH" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1HighValueTargetMatch", + "safeName": "AndurilEntitymanagerV1HighValueTargetMatch" + } + }, + "displayName": "HighValueTargetMatch" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "high_value_target_list_id", + "camelCase": { + "unsafeName": "highValueTargetListId", + "safeName": "highValueTargetListId" + }, + "snakeCase": { + "unsafeName": "high_value_target_list_id", + "safeName": "high_value_target_list_id" + }, + "screamingSnakeCase": { + "unsafeName": "HIGH_VALUE_TARGET_LIST_ID", + "safeName": "HIGH_VALUE_TARGET_LIST_ID" + }, + "pascalCase": { + "unsafeName": "HighValueTargetListId", + "safeName": "HighValueTargetListId" + } + }, + "wireValue": "high_value_target_list_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The ID of the high value target list that matches the target description." + }, + { + "name": { + "name": { + "originalName": "high_value_target_description_id", + "camelCase": { + "unsafeName": "highValueTargetDescriptionId", + "safeName": "highValueTargetDescriptionId" + }, + "snakeCase": { + "unsafeName": "high_value_target_description_id", + "safeName": "high_value_target_description_id" + }, + "screamingSnakeCase": { + "unsafeName": "HIGH_VALUE_TARGET_DESCRIPTION_ID", + "safeName": "HIGH_VALUE_TARGET_DESCRIPTION_ID" + }, + "pascalCase": { + "unsafeName": "HighValueTargetDescriptionId", + "safeName": "HighValueTargetDescriptionId" + } + }, + "wireValue": "high_value_target_description_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The ID of the specific high value target description within a high value target list that was matched against.\\n The ID is considered to be a globally unique identifier across all high value target IDs." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Threat": { + "name": { + "typeId": "anduril.entitymanager.v1.Threat", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Threat", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Threat", + "safeName": "andurilEntitymanagerV1Threat" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_threat", + "safeName": "anduril_entitymanager_v_1_threat" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_THREAT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_THREAT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Threat", + "safeName": "AndurilEntitymanagerV1Threat" + } + }, + "displayName": "Threat" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "is_threat", + "camelCase": { + "unsafeName": "isThreat", + "safeName": "isThreat" + }, + "snakeCase": { + "unsafeName": "is_threat", + "safeName": "is_threat" + }, + "screamingSnakeCase": { + "unsafeName": "IS_THREAT", + "safeName": "IS_THREAT" + }, + "pascalCase": { + "unsafeName": "IsThreat", + "safeName": "IsThreat" + } + }, + "wireValue": "is_threat" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates that the entity has been determined to be a threat." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Describes whether an entity is a threat or not." + }, + "anduril.entitymanager.v1.InterrogationResponse": { + "name": { + "typeId": "anduril.entitymanager.v1.InterrogationResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.InterrogationResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1InterrogationResponse", + "safeName": "andurilEntitymanagerV1InterrogationResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_interrogation_response", + "safeName": "anduril_entitymanager_v_1_interrogation_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1InterrogationResponse", + "safeName": "AndurilEntitymanagerV1InterrogationResponse" + } + }, + "displayName": "InterrogationResponse" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "INTERROGATION_RESPONSE_INVALID", + "camelCase": { + "unsafeName": "interrogationResponseInvalid", + "safeName": "interrogationResponseInvalid" + }, + "snakeCase": { + "unsafeName": "interrogation_response_invalid", + "safeName": "interrogation_response_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "INTERROGATION_RESPONSE_INVALID", + "safeName": "INTERROGATION_RESPONSE_INVALID" + }, + "pascalCase": { + "unsafeName": "InterrogationResponseInvalid", + "safeName": "InterrogationResponseInvalid" + } + }, + "wireValue": "INTERROGATION_RESPONSE_INVALID" + }, + "availability": null, + "docs": "Note that INTERROGATION_INVALID indicates that the target has not been interrogated." + }, + { + "name": { + "name": { + "originalName": "INTERROGATION_RESPONSE_CORRECT", + "camelCase": { + "unsafeName": "interrogationResponseCorrect", + "safeName": "interrogationResponseCorrect" + }, + "snakeCase": { + "unsafeName": "interrogation_response_correct", + "safeName": "interrogation_response_correct" + }, + "screamingSnakeCase": { + "unsafeName": "INTERROGATION_RESPONSE_CORRECT", + "safeName": "INTERROGATION_RESPONSE_CORRECT" + }, + "pascalCase": { + "unsafeName": "InterrogationResponseCorrect", + "safeName": "InterrogationResponseCorrect" + } + }, + "wireValue": "INTERROGATION_RESPONSE_CORRECT" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "INTERROGATION_RESPONSE_INCORRECT", + "camelCase": { + "unsafeName": "interrogationResponseIncorrect", + "safeName": "interrogationResponseIncorrect" + }, + "snakeCase": { + "unsafeName": "interrogation_response_incorrect", + "safeName": "interrogation_response_incorrect" + }, + "screamingSnakeCase": { + "unsafeName": "INTERROGATION_RESPONSE_INCORRECT", + "safeName": "INTERROGATION_RESPONSE_INCORRECT" + }, + "pascalCase": { + "unsafeName": "InterrogationResponseIncorrect", + "safeName": "InterrogationResponseIncorrect" + } + }, + "wireValue": "INTERROGATION_RESPONSE_INCORRECT" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "INTERROGATION_RESPONSE_NO_RESPONSE", + "camelCase": { + "unsafeName": "interrogationResponseNoResponse", + "safeName": "interrogationResponseNoResponse" + }, + "snakeCase": { + "unsafeName": "interrogation_response_no_response", + "safeName": "interrogation_response_no_response" + }, + "screamingSnakeCase": { + "unsafeName": "INTERROGATION_RESPONSE_NO_RESPONSE", + "safeName": "INTERROGATION_RESPONSE_NO_RESPONSE" + }, + "pascalCase": { + "unsafeName": "InterrogationResponseNoResponse", + "safeName": "InterrogationResponseNoResponse" + } + }, + "wireValue": "INTERROGATION_RESPONSE_NO_RESPONSE" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the interrogation status of a target." + }, + "anduril.entitymanager.v1.TransponderCodes": { + "name": { + "typeId": "anduril.entitymanager.v1.TransponderCodes", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TransponderCodes", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TransponderCodes", + "safeName": "andurilEntitymanagerV1TransponderCodes" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_transponder_codes", + "safeName": "anduril_entitymanager_v_1_transponder_codes" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRANSPONDER_CODES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRANSPONDER_CODES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TransponderCodes", + "safeName": "AndurilEntitymanagerV1TransponderCodes" + } + }, + "displayName": "TransponderCodes" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "mode1", + "camelCase": { + "unsafeName": "mode1", + "safeName": "mode1" + }, + "snakeCase": { + "unsafeName": "mode_1", + "safeName": "mode_1" + }, + "screamingSnakeCase": { + "unsafeName": "MODE_1", + "safeName": "MODE_1" + }, + "pascalCase": { + "unsafeName": "Mode1", + "safeName": "Mode1" + } + }, + "wireValue": "mode1" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The mode 1 code assigned to military assets." + }, + { + "name": { + "name": { + "originalName": "mode2", + "camelCase": { + "unsafeName": "mode2", + "safeName": "mode2" + }, + "snakeCase": { + "unsafeName": "mode_2", + "safeName": "mode_2" + }, + "screamingSnakeCase": { + "unsafeName": "MODE_2", + "safeName": "MODE_2" + }, + "pascalCase": { + "unsafeName": "Mode2", + "safeName": "Mode2" + } + }, + "wireValue": "mode2" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Mode 2 code assigned to military assets." + }, + { + "name": { + "name": { + "originalName": "mode3", + "camelCase": { + "unsafeName": "mode3", + "safeName": "mode3" + }, + "snakeCase": { + "unsafeName": "mode_3", + "safeName": "mode_3" + }, + "screamingSnakeCase": { + "unsafeName": "MODE_3", + "safeName": "MODE_3" + }, + "pascalCase": { + "unsafeName": "Mode3", + "safeName": "Mode3" + } + }, + "wireValue": "mode3" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Mode 3 code assigned by ATC to the asset." + }, + { + "name": { + "name": { + "originalName": "mode4_interrogation_response", + "camelCase": { + "unsafeName": "mode4InterrogationResponse", + "safeName": "mode4InterrogationResponse" + }, + "snakeCase": { + "unsafeName": "mode_4_interrogation_response", + "safeName": "mode_4_interrogation_response" + }, + "screamingSnakeCase": { + "unsafeName": "MODE_4_INTERROGATION_RESPONSE", + "safeName": "MODE_4_INTERROGATION_RESPONSE" + }, + "pascalCase": { + "unsafeName": "Mode4InterrogationResponse", + "safeName": "Mode4InterrogationResponse" + } + }, + "wireValue": "mode4_interrogation_response" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.InterrogationResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1InterrogationResponse", + "safeName": "andurilEntitymanagerV1InterrogationResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_interrogation_response", + "safeName": "anduril_entitymanager_v_1_interrogation_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1InterrogationResponse", + "safeName": "AndurilEntitymanagerV1InterrogationResponse" + } + }, + "typeId": "anduril.entitymanager.v1.InterrogationResponse", + "default": null, + "inline": false, + "displayName": "mode4_interrogation_response" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The validity of the response from the Mode 4 interrogation." + }, + { + "name": { + "name": { + "originalName": "mode5", + "camelCase": { + "unsafeName": "mode5", + "safeName": "mode5" + }, + "snakeCase": { + "unsafeName": "mode_5", + "safeName": "mode_5" + }, + "screamingSnakeCase": { + "unsafeName": "MODE_5", + "safeName": "MODE_5" + }, + "pascalCase": { + "unsafeName": "Mode5", + "safeName": "Mode5" + } + }, + "wireValue": "mode5" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Mode5", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Mode5", + "safeName": "andurilEntitymanagerV1Mode5" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_mode_5", + "safeName": "anduril_entitymanager_v_1_mode_5" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_5", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_5" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Mode5", + "safeName": "AndurilEntitymanagerV1Mode5" + } + }, + "typeId": "anduril.entitymanager.v1.Mode5", + "default": null, + "inline": false, + "displayName": "mode5" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Mode 5 transponder codes." + }, + { + "name": { + "name": { + "originalName": "mode_s", + "camelCase": { + "unsafeName": "modeS", + "safeName": "modeS" + }, + "snakeCase": { + "unsafeName": "mode_s", + "safeName": "mode_s" + }, + "screamingSnakeCase": { + "unsafeName": "MODE_S", + "safeName": "MODE_S" + }, + "pascalCase": { + "unsafeName": "ModeS", + "safeName": "ModeS" + } + }, + "wireValue": "mode_s" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ModeS", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ModeS", + "safeName": "andurilEntitymanagerV1ModeS" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_mode_s", + "safeName": "anduril_entitymanager_v_1_mode_s" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_S", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_S" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ModeS", + "safeName": "AndurilEntitymanagerV1ModeS" + } + }, + "typeId": "anduril.entitymanager.v1.ModeS", + "default": null, + "inline": false, + "displayName": "mode_s" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Mode S transponder codes." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A message describing any transponder codes associated with Mode 1, 2, 3, 4, 5, S interrogations." + }, + "anduril.entitymanager.v1.Mode5": { + "name": { + "typeId": "anduril.entitymanager.v1.Mode5", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Mode5", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Mode5", + "safeName": "andurilEntitymanagerV1Mode5" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_mode_5", + "safeName": "anduril_entitymanager_v_1_mode_5" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_5", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_5" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Mode5", + "safeName": "AndurilEntitymanagerV1Mode5" + } + }, + "displayName": "Mode5" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "mode5_interrogation_response", + "camelCase": { + "unsafeName": "mode5InterrogationResponse", + "safeName": "mode5InterrogationResponse" + }, + "snakeCase": { + "unsafeName": "mode_5_interrogation_response", + "safeName": "mode_5_interrogation_response" + }, + "screamingSnakeCase": { + "unsafeName": "MODE_5_INTERROGATION_RESPONSE", + "safeName": "MODE_5_INTERROGATION_RESPONSE" + }, + "pascalCase": { + "unsafeName": "Mode5InterrogationResponse", + "safeName": "Mode5InterrogationResponse" + } + }, + "wireValue": "mode5_interrogation_response" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.InterrogationResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1InterrogationResponse", + "safeName": "andurilEntitymanagerV1InterrogationResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_interrogation_response", + "safeName": "anduril_entitymanager_v_1_interrogation_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERROGATION_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1InterrogationResponse", + "safeName": "AndurilEntitymanagerV1InterrogationResponse" + } + }, + "typeId": "anduril.entitymanager.v1.InterrogationResponse", + "default": null, + "inline": false, + "displayName": "mode5_interrogation_response" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The validity of the response from the Mode 5 interrogation." + }, + { + "name": { + "name": { + "originalName": "mode5", + "camelCase": { + "unsafeName": "mode5", + "safeName": "mode5" + }, + "snakeCase": { + "unsafeName": "mode_5", + "safeName": "mode_5" + }, + "screamingSnakeCase": { + "unsafeName": "MODE_5", + "safeName": "MODE_5" + }, + "pascalCase": { + "unsafeName": "Mode5", + "safeName": "Mode5" + } + }, + "wireValue": "mode5" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Mode 5 code assigned to military assets." + }, + { + "name": { + "name": { + "originalName": "mode5_platform_id", + "camelCase": { + "unsafeName": "mode5PlatformId", + "safeName": "mode5PlatformId" + }, + "snakeCase": { + "unsafeName": "mode_5_platform_id", + "safeName": "mode_5_platform_id" + }, + "screamingSnakeCase": { + "unsafeName": "MODE_5_PLATFORM_ID", + "safeName": "MODE_5_PLATFORM_ID" + }, + "pascalCase": { + "unsafeName": "Mode5PlatformId", + "safeName": "Mode5PlatformId" + } + }, + "wireValue": "mode5_platform_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Mode 5 platform identification code." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Describes the Mode 5 transponder interrogation status and codes." + }, + "anduril.entitymanager.v1.ModeS": { + "name": { + "typeId": "anduril.entitymanager.v1.ModeS", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ModeS", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ModeS", + "safeName": "andurilEntitymanagerV1ModeS" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_mode_s", + "safeName": "anduril_entitymanager_v_1_mode_s" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_S", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MODE_S" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ModeS", + "safeName": "AndurilEntitymanagerV1ModeS" + } + }, + "displayName": "ModeS" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "id", + "camelCase": { + "unsafeName": "id", + "safeName": "id" + }, + "snakeCase": { + "unsafeName": "id", + "safeName": "id" + }, + "screamingSnakeCase": { + "unsafeName": "ID", + "safeName": "ID" + }, + "pascalCase": { + "unsafeName": "Id", + "safeName": "Id" + } + }, + "wireValue": "id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Mode S identifier which comprises of 8 alphanumeric characters." + }, + { + "name": { + "name": { + "originalName": "address", + "camelCase": { + "unsafeName": "address", + "safeName": "address" + }, + "snakeCase": { + "unsafeName": "address", + "safeName": "address" + }, + "screamingSnakeCase": { + "unsafeName": "ADDRESS", + "safeName": "ADDRESS" + }, + "pascalCase": { + "unsafeName": "Address", + "safeName": "Address" + } + }, + "wireValue": "address" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Mode S ICAO aircraft address. Expected values are between 1 and 16777214 decimal. The Mode S address is\\n considered unique." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Describes the Mode S codes." + }, + "anduril.tasks.v2.TaskCatalog": { + "name": { + "typeId": "anduril.tasks.v2.TaskCatalog", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.TaskCatalog", + "camelCase": { + "unsafeName": "andurilTasksV2TaskCatalog", + "safeName": "andurilTasksV2TaskCatalog" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_task_catalog", + "safeName": "anduril_tasks_v_2_task_catalog" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_TASK_CATALOG", + "safeName": "ANDURIL_TASKS_V_2_TASK_CATALOG" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2TaskCatalog", + "safeName": "AndurilTasksV2TaskCatalog" + } + }, + "displayName": "TaskCatalog" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task_definitions", + "camelCase": { + "unsafeName": "taskDefinitions", + "safeName": "taskDefinitions" + }, + "snakeCase": { + "unsafeName": "task_definitions", + "safeName": "task_definitions" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_DEFINITIONS", + "safeName": "TASK_DEFINITIONS" + }, + "pascalCase": { + "unsafeName": "TaskDefinitions", + "safeName": "TaskDefinitions" + } + }, + "wireValue": "task_definitions" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.TaskDefinition", + "camelCase": { + "unsafeName": "andurilTasksV2TaskDefinition", + "safeName": "andurilTasksV2TaskDefinition" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_task_definition", + "safeName": "anduril_tasks_v_2_task_definition" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_TASK_DEFINITION", + "safeName": "ANDURIL_TASKS_V_2_TASK_DEFINITION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2TaskDefinition", + "safeName": "AndurilTasksV2TaskDefinition" + } + }, + "typeId": "anduril.tasks.v2.TaskDefinition", + "default": null, + "inline": false, + "displayName": "task_definitions" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Catalog of supported tasks." + }, + "anduril.tasks.v2.TaskDefinition": { + "name": { + "typeId": "anduril.tasks.v2.TaskDefinition", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.TaskDefinition", + "camelCase": { + "unsafeName": "andurilTasksV2TaskDefinition", + "safeName": "andurilTasksV2TaskDefinition" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_task_definition", + "safeName": "anduril_tasks_v_2_task_definition" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_TASK_DEFINITION", + "safeName": "ANDURIL_TASKS_V_2_TASK_DEFINITION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2TaskDefinition", + "safeName": "AndurilTasksV2TaskDefinition" + } + }, + "displayName": "TaskDefinition" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task_specification_url", + "camelCase": { + "unsafeName": "taskSpecificationUrl", + "safeName": "taskSpecificationUrl" + }, + "snakeCase": { + "unsafeName": "task_specification_url", + "safeName": "task_specification_url" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_SPECIFICATION_URL", + "safeName": "TASK_SPECIFICATION_URL" + }, + "pascalCase": { + "unsafeName": "TaskSpecificationUrl", + "safeName": "TaskSpecificationUrl" + } + }, + "wireValue": "task_specification_url" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Url path must be prefixed with \`type.googleapis.com/\`." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Defines a supported task by the task specification URL of its \\"Any\\" type." + }, + "anduril.type.Color": { + "name": { + "typeId": "anduril.type.Color", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Color", + "camelCase": { + "unsafeName": "andurilTypeColor", + "safeName": "andurilTypeColor" + }, + "snakeCase": { + "unsafeName": "anduril_type_color", + "safeName": "anduril_type_color" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_COLOR", + "safeName": "ANDURIL_TYPE_COLOR" + }, + "pascalCase": { + "unsafeName": "AndurilTypeColor", + "safeName": "AndurilTypeColor" + } + }, + "displayName": "Color" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "red", + "camelCase": { + "unsafeName": "red", + "safeName": "red" + }, + "snakeCase": { + "unsafeName": "red", + "safeName": "red" + }, + "screamingSnakeCase": { + "unsafeName": "RED", + "safeName": "RED" + }, + "pascalCase": { + "unsafeName": "Red", + "safeName": "Red" + } + }, + "wireValue": "red" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The amount of red in the color as a value in the interval [0, 1]." + }, + { + "name": { + "name": { + "originalName": "green", + "camelCase": { + "unsafeName": "green", + "safeName": "green" + }, + "snakeCase": { + "unsafeName": "green", + "safeName": "green" + }, + "screamingSnakeCase": { + "unsafeName": "GREEN", + "safeName": "GREEN" + }, + "pascalCase": { + "unsafeName": "Green", + "safeName": "Green" + } + }, + "wireValue": "green" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The amount of green in the color as a value in the interval [0, 1]." + }, + { + "name": { + "name": { + "originalName": "blue", + "camelCase": { + "unsafeName": "blue", + "safeName": "blue" + }, + "snakeCase": { + "unsafeName": "blue", + "safeName": "blue" + }, + "screamingSnakeCase": { + "unsafeName": "BLUE", + "safeName": "BLUE" + }, + "pascalCase": { + "unsafeName": "Blue", + "safeName": "Blue" + } + }, + "wireValue": "blue" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The amount of blue in the color as a value in the interval [0, 1]." + }, + { + "name": { + "name": { + "originalName": "alpha", + "camelCase": { + "unsafeName": "alpha", + "safeName": "alpha" + }, + "snakeCase": { + "unsafeName": "alpha", + "safeName": "alpha" + }, + "screamingSnakeCase": { + "unsafeName": "ALPHA", + "safeName": "ALPHA" + }, + "pascalCase": { + "unsafeName": "Alpha", + "safeName": "Alpha" + } + }, + "wireValue": "alpha" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FloatValue", + "camelCase": { + "unsafeName": "googleProtobufFloatValue", + "safeName": "googleProtobufFloatValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_float_value", + "safeName": "google_protobuf_float_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", + "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFloatValue", + "safeName": "GoogleProtobufFloatValue" + } + }, + "typeId": "google.protobuf.FloatValue", + "default": null, + "inline": false, + "displayName": "alpha" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The fraction of this color that should be applied to the pixel. That is,\\n the final pixel color is defined by the equation:\\n\\n \`pixel color = alpha * (this color) + (1.0 - alpha) * (background color)\`\\n\\n This means that a value of 1.0 corresponds to a solid color, whereas\\n a value of 0.0 corresponds to a completely transparent color. This\\n uses a wrapper message rather than a simple float scalar so that it is\\n possible to distinguish between a default value and the value being unset.\\n If omitted, this color object is rendered as a solid color\\n (as if the alpha value had been explicitly given a value of 1.0)." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.CorrelationType": { + "name": { + "typeId": "anduril.entitymanager.v1.CorrelationType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationType", + "safeName": "andurilEntitymanagerV1CorrelationType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_type", + "safeName": "anduril_entitymanager_v_1_correlation_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationType", + "safeName": "AndurilEntitymanagerV1CorrelationType" + } + }, + "displayName": "CorrelationType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "CORRELATION_TYPE_INVALID", + "camelCase": { + "unsafeName": "correlationTypeInvalid", + "safeName": "correlationTypeInvalid" + }, + "snakeCase": { + "unsafeName": "correlation_type_invalid", + "safeName": "correlation_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "CORRELATION_TYPE_INVALID", + "safeName": "CORRELATION_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "CorrelationTypeInvalid", + "safeName": "CorrelationTypeInvalid" + } + }, + "wireValue": "CORRELATION_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CORRELATION_TYPE_MANUAL", + "camelCase": { + "unsafeName": "correlationTypeManual", + "safeName": "correlationTypeManual" + }, + "snakeCase": { + "unsafeName": "correlation_type_manual", + "safeName": "correlation_type_manual" + }, + "screamingSnakeCase": { + "unsafeName": "CORRELATION_TYPE_MANUAL", + "safeName": "CORRELATION_TYPE_MANUAL" + }, + "pascalCase": { + "unsafeName": "CorrelationTypeManual", + "safeName": "CorrelationTypeManual" + } + }, + "wireValue": "CORRELATION_TYPE_MANUAL" + }, + "availability": null, + "docs": "The correlation was made manually by a human.\\n Manual is higher precedence than automated assuming the same replication mode." + }, + { + "name": { + "name": { + "originalName": "CORRELATION_TYPE_AUTOMATED", + "camelCase": { + "unsafeName": "correlationTypeAutomated", + "safeName": "correlationTypeAutomated" + }, + "snakeCase": { + "unsafeName": "correlation_type_automated", + "safeName": "correlation_type_automated" + }, + "screamingSnakeCase": { + "unsafeName": "CORRELATION_TYPE_AUTOMATED", + "safeName": "CORRELATION_TYPE_AUTOMATED" + }, + "pascalCase": { + "unsafeName": "CorrelationTypeAutomated", + "safeName": "CorrelationTypeAutomated" + } + }, + "wireValue": "CORRELATION_TYPE_AUTOMATED" + }, + "availability": null, + "docs": "The correlation was automatically made by a service or some other automated process.\\n Automated is lower precedence than manual assuming the same replication mode." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The type of correlation indicating how it was made." + }, + "anduril.entitymanager.v1.CorrelationReplicationMode": { + "name": { + "typeId": "anduril.entitymanager.v1.CorrelationReplicationMode", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationReplicationMode", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationReplicationMode", + "safeName": "andurilEntitymanagerV1CorrelationReplicationMode" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_replication_mode", + "safeName": "anduril_entitymanager_v_1_correlation_replication_mode" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_REPLICATION_MODE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_REPLICATION_MODE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationReplicationMode", + "safeName": "AndurilEntitymanagerV1CorrelationReplicationMode" + } + }, + "displayName": "CorrelationReplicationMode" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "CORRELATION_REPLICATION_MODE_INVALID", + "camelCase": { + "unsafeName": "correlationReplicationModeInvalid", + "safeName": "correlationReplicationModeInvalid" + }, + "snakeCase": { + "unsafeName": "correlation_replication_mode_invalid", + "safeName": "correlation_replication_mode_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "CORRELATION_REPLICATION_MODE_INVALID", + "safeName": "CORRELATION_REPLICATION_MODE_INVALID" + }, + "pascalCase": { + "unsafeName": "CorrelationReplicationModeInvalid", + "safeName": "CorrelationReplicationModeInvalid" + } + }, + "wireValue": "CORRELATION_REPLICATION_MODE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CORRELATION_REPLICATION_MODE_LOCAL", + "camelCase": { + "unsafeName": "correlationReplicationModeLocal", + "safeName": "correlationReplicationModeLocal" + }, + "snakeCase": { + "unsafeName": "correlation_replication_mode_local", + "safeName": "correlation_replication_mode_local" + }, + "screamingSnakeCase": { + "unsafeName": "CORRELATION_REPLICATION_MODE_LOCAL", + "safeName": "CORRELATION_REPLICATION_MODE_LOCAL" + }, + "pascalCase": { + "unsafeName": "CorrelationReplicationModeLocal", + "safeName": "CorrelationReplicationModeLocal" + } + }, + "wireValue": "CORRELATION_REPLICATION_MODE_LOCAL" + }, + "availability": null, + "docs": "The correlation is local only to the originating node and will not be distributed to other\\n nodes in the mesh. In the case of conflicts, this correlation will override ones coming from\\n other nodes. Local is always higher precedence than global regardless of the correlation type." + }, + { + "name": { + "name": { + "originalName": "CORRELATION_REPLICATION_MODE_GLOBAL", + "camelCase": { + "unsafeName": "correlationReplicationModeGlobal", + "safeName": "correlationReplicationModeGlobal" + }, + "snakeCase": { + "unsafeName": "correlation_replication_mode_global", + "safeName": "correlation_replication_mode_global" + }, + "screamingSnakeCase": { + "unsafeName": "CORRELATION_REPLICATION_MODE_GLOBAL", + "safeName": "CORRELATION_REPLICATION_MODE_GLOBAL" + }, + "pascalCase": { + "unsafeName": "CorrelationReplicationModeGlobal", + "safeName": "CorrelationReplicationModeGlobal" + } + }, + "wireValue": "CORRELATION_REPLICATION_MODE_GLOBAL" + }, + "availability": null, + "docs": "The correlation is distributed globally across all nodes in the mesh. Because an entity can\\n only be part of one correlation, this is based on last-write-wins semantics, however, the\\n correlation will also be stored locally in the originating node preventing any overrides.\\n Global is always lower precedence than local regardless of the correlation type." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The replication mode of the correlation indicating how the correlation will be replication to\\n other nodes in the mesh." + }, + "anduril.entitymanager.v1.Entity": { + "name": { + "typeId": "anduril.entitymanager.v1.Entity", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Entity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Entity", + "safeName": "andurilEntitymanagerV1Entity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_entity", + "safeName": "anduril_entitymanager_v_1_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Entity", + "safeName": "AndurilEntitymanagerV1Entity" + } + }, + "displayName": "Entity" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A Globally Unique Identifier (GUID) for your entity. If this field is empty, the Entity Manager API\\n automatically generates an ID when it creates the entity." + }, + { + "name": { + "name": { + "originalName": "description", + "camelCase": { + "unsafeName": "description", + "safeName": "description" + }, + "snakeCase": { + "unsafeName": "description", + "safeName": "description" + }, + "screamingSnakeCase": { + "unsafeName": "DESCRIPTION", + "safeName": "DESCRIPTION" + }, + "pascalCase": { + "unsafeName": "Description", + "safeName": "Description" + } + }, + "wireValue": "description" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A human-readable entity description that's helpful for debugging purposes and human\\n traceability. If this field is empty, the Entity Manager API generates one for you." + }, + { + "name": { + "name": { + "originalName": "is_live", + "camelCase": { + "unsafeName": "isLive", + "safeName": "isLive" + }, + "snakeCase": { + "unsafeName": "is_live", + "safeName": "is_live" + }, + "screamingSnakeCase": { + "unsafeName": "IS_LIVE", + "safeName": "IS_LIVE" + }, + "pascalCase": { + "unsafeName": "IsLive", + "safeName": "IsLive" + } + }, + "wireValue": "is_live" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the entity is active and should have a lifecycle state of CREATE or UPDATE.\\n Set this field to true when publishing an entity." + }, + { + "name": { + "name": { + "originalName": "created_time", + "camelCase": { + "unsafeName": "createdTime", + "safeName": "createdTime" + }, + "snakeCase": { + "unsafeName": "created_time", + "safeName": "created_time" + }, + "screamingSnakeCase": { + "unsafeName": "CREATED_TIME", + "safeName": "CREATED_TIME" + }, + "pascalCase": { + "unsafeName": "CreatedTime", + "safeName": "CreatedTime" + } + }, + "wireValue": "created_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "created_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The time when the entity was first known to the entity producer. If this field is empty, the Entity Manager API uses the\\n current timestamp of when the entity is first received.\\n For example, when a drone is first powered on, it might report its startup time as the created time.\\n The timestamp doesn't change for the lifetime of an entity." + }, + { + "name": { + "name": { + "originalName": "expiry_time", + "camelCase": { + "unsafeName": "expiryTime", + "safeName": "expiryTime" + }, + "snakeCase": { + "unsafeName": "expiry_time", + "safeName": "expiry_time" + }, + "screamingSnakeCase": { + "unsafeName": "EXPIRY_TIME", + "safeName": "EXPIRY_TIME" + }, + "pascalCase": { + "unsafeName": "ExpiryTime", + "safeName": "ExpiryTime" + } + }, + "wireValue": "expiry_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "expiry_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Future time that expires an entity and updates the is_live flag.\\n For entities that are constantly updating, the expiry time also updates.\\n In some cases, this may differ from is_live.\\n Example: Entities with tasks exported to an external system must remain\\n active even after they expire.\\n This field is required when publishing a prepopulated entity.\\n The expiry time must be in the future, but less than 30 days from the current time." + }, + { + "name": { + "name": { + "originalName": "status", + "camelCase": { + "unsafeName": "status", + "safeName": "status" + }, + "snakeCase": { + "unsafeName": "status", + "safeName": "status" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS", + "safeName": "STATUS" + }, + "pascalCase": { + "unsafeName": "Status", + "safeName": "Status" + } + }, + "wireValue": "status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Status", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Status", + "safeName": "andurilEntitymanagerV1Status" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_status", + "safeName": "anduril_entitymanager_v_1_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Status", + "safeName": "AndurilEntitymanagerV1Status" + } + }, + "typeId": "anduril.entitymanager.v1.Status", + "default": null, + "inline": false, + "displayName": "status" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Human-readable descriptions of what the entity is currently doing." + }, + { + "name": { + "name": { + "originalName": "location", + "camelCase": { + "unsafeName": "location", + "safeName": "location" + }, + "snakeCase": { + "unsafeName": "location", + "safeName": "location" + }, + "screamingSnakeCase": { + "unsafeName": "LOCATION", + "safeName": "LOCATION" + }, + "pascalCase": { + "unsafeName": "Location", + "safeName": "Location" + } + }, + "wireValue": "location" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Location", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Location", + "safeName": "andurilEntitymanagerV1Location" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_location", + "safeName": "anduril_entitymanager_v_1_location" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Location", + "safeName": "AndurilEntitymanagerV1Location" + } + }, + "typeId": "anduril.entitymanager.v1.Location", + "default": null, + "inline": false, + "displayName": "location" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Geospatial data related to the entity, including its position, kinematics, and orientation." + }, + { + "name": { + "name": { + "originalName": "location_uncertainty", + "camelCase": { + "unsafeName": "locationUncertainty", + "safeName": "locationUncertainty" + }, + "snakeCase": { + "unsafeName": "location_uncertainty", + "safeName": "location_uncertainty" + }, + "screamingSnakeCase": { + "unsafeName": "LOCATION_UNCERTAINTY", + "safeName": "LOCATION_UNCERTAINTY" + }, + "pascalCase": { + "unsafeName": "LocationUncertainty", + "safeName": "LocationUncertainty" + } + }, + "wireValue": "location_uncertainty" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.LocationUncertainty", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1LocationUncertainty", + "safeName": "andurilEntitymanagerV1LocationUncertainty" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_location_uncertainty", + "safeName": "anduril_entitymanager_v_1_location_uncertainty" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION_UNCERTAINTY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LOCATION_UNCERTAINTY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1LocationUncertainty", + "safeName": "AndurilEntitymanagerV1LocationUncertainty" + } + }, + "typeId": "anduril.entitymanager.v1.LocationUncertainty", + "default": null, + "inline": false, + "displayName": "location_uncertainty" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates uncertainty of the entity's position and kinematics." + }, + { + "name": { + "name": { + "originalName": "geo_shape", + "camelCase": { + "unsafeName": "geoShape", + "safeName": "geoShape" + }, + "snakeCase": { + "unsafeName": "geo_shape", + "safeName": "geo_shape" + }, + "screamingSnakeCase": { + "unsafeName": "GEO_SHAPE", + "safeName": "GEO_SHAPE" + }, + "pascalCase": { + "unsafeName": "GeoShape", + "safeName": "GeoShape" + } + }, + "wireValue": "geo_shape" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoShape", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoShape", + "safeName": "andurilEntitymanagerV1GeoShape" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_shape", + "safeName": "anduril_entitymanager_v_1_geo_shape" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_SHAPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoShape", + "safeName": "AndurilEntitymanagerV1GeoShape" + } + }, + "typeId": "anduril.entitymanager.v1.GeoShape", + "default": null, + "inline": false, + "displayName": "geo_shape" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Geospatial representation of the entity, including entities that cover an area rather than a fixed point." + }, + { + "name": { + "name": { + "originalName": "geo_details", + "camelCase": { + "unsafeName": "geoDetails", + "safeName": "geoDetails" + }, + "snakeCase": { + "unsafeName": "geo_details", + "safeName": "geo_details" + }, + "screamingSnakeCase": { + "unsafeName": "GEO_DETAILS", + "safeName": "GEO_DETAILS" + }, + "pascalCase": { + "unsafeName": "GeoDetails", + "safeName": "GeoDetails" + } + }, + "wireValue": "geo_details" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoDetails", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoDetails", + "safeName": "andurilEntitymanagerV1GeoDetails" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_details", + "safeName": "anduril_entitymanager_v_1_geo_details" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_DETAILS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_DETAILS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoDetails", + "safeName": "AndurilEntitymanagerV1GeoDetails" + } + }, + "typeId": "anduril.entitymanager.v1.GeoDetails", + "default": null, + "inline": false, + "displayName": "geo_details" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Additional details on what the geospatial area or point represents, along with visual display details." + }, + { + "name": { + "name": { + "originalName": "aliases", + "camelCase": { + "unsafeName": "aliases", + "safeName": "aliases" + }, + "snakeCase": { + "unsafeName": "aliases", + "safeName": "aliases" + }, + "screamingSnakeCase": { + "unsafeName": "ALIASES", + "safeName": "ALIASES" + }, + "pascalCase": { + "unsafeName": "Aliases", + "safeName": "Aliases" + } + }, + "wireValue": "aliases" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Aliases", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Aliases", + "safeName": "andurilEntitymanagerV1Aliases" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_aliases", + "safeName": "anduril_entitymanager_v_1_aliases" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALIASES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALIASES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Aliases", + "safeName": "AndurilEntitymanagerV1Aliases" + } + }, + "typeId": "anduril.entitymanager.v1.Aliases", + "default": null, + "inline": false, + "displayName": "aliases" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Entity name displayed in the Lattice UI side panel. Also includes identifiers that other systems can use to reference the same entity." + }, + { + "name": { + "name": { + "originalName": "tracked", + "camelCase": { + "unsafeName": "tracked", + "safeName": "tracked" + }, + "snakeCase": { + "unsafeName": "tracked", + "safeName": "tracked" + }, + "screamingSnakeCase": { + "unsafeName": "TRACKED", + "safeName": "TRACKED" + }, + "pascalCase": { + "unsafeName": "Tracked", + "safeName": "Tracked" + } + }, + "wireValue": "tracked" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Tracked", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Tracked", + "safeName": "andurilEntitymanagerV1Tracked" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_tracked", + "safeName": "anduril_entitymanager_v_1_tracked" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Tracked", + "safeName": "AndurilEntitymanagerV1Tracked" + } + }, + "typeId": "anduril.entitymanager.v1.Tracked", + "default": null, + "inline": false, + "displayName": "tracked" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If this entity is tracked by another entity, this component contains data related to how it's being tracked." + }, + { + "name": { + "name": { + "originalName": "correlation", + "camelCase": { + "unsafeName": "correlation", + "safeName": "correlation" + }, + "snakeCase": { + "unsafeName": "correlation", + "safeName": "correlation" + }, + "screamingSnakeCase": { + "unsafeName": "CORRELATION", + "safeName": "CORRELATION" + }, + "pascalCase": { + "unsafeName": "Correlation", + "safeName": "Correlation" + } + }, + "wireValue": "correlation" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Correlation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Correlation", + "safeName": "andurilEntitymanagerV1Correlation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation", + "safeName": "anduril_entitymanager_v_1_correlation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Correlation", + "safeName": "AndurilEntitymanagerV1Correlation" + } + }, + "typeId": "anduril.entitymanager.v1.Correlation", + "default": null, + "inline": false, + "displayName": "correlation" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If this entity has been correlated or decorrelated to another one, this component contains information on the correlation or decorrelation." + }, + { + "name": { + "name": { + "originalName": "mil_view", + "camelCase": { + "unsafeName": "milView", + "safeName": "milView" + }, + "snakeCase": { + "unsafeName": "mil_view", + "safeName": "mil_view" + }, + "screamingSnakeCase": { + "unsafeName": "MIL_VIEW", + "safeName": "MIL_VIEW" + }, + "pascalCase": { + "unsafeName": "MilView", + "safeName": "MilView" + } + }, + "wireValue": "mil_view" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.MilView", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1MilView", + "safeName": "andurilEntitymanagerV1MilView" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_mil_view", + "safeName": "anduril_entitymanager_v_1_mil_view" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_MIL_VIEW", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_MIL_VIEW" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1MilView", + "safeName": "AndurilEntitymanagerV1MilView" + } + }, + "typeId": "anduril.entitymanager.v1.MilView", + "default": null, + "inline": false, + "displayName": "mil_view" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "View of the entity." + }, + { + "name": { + "name": { + "originalName": "ontology", + "camelCase": { + "unsafeName": "ontology", + "safeName": "ontology" + }, + "snakeCase": { + "unsafeName": "ontology", + "safeName": "ontology" + }, + "screamingSnakeCase": { + "unsafeName": "ONTOLOGY", + "safeName": "ONTOLOGY" + }, + "pascalCase": { + "unsafeName": "Ontology", + "safeName": "Ontology" + } + }, + "wireValue": "ontology" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Ontology", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Ontology", + "safeName": "andurilEntitymanagerV1Ontology" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_ontology", + "safeName": "anduril_entitymanager_v_1_ontology" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ONTOLOGY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ONTOLOGY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Ontology", + "safeName": "AndurilEntitymanagerV1Ontology" + } + }, + "typeId": "anduril.entitymanager.v1.Ontology", + "default": null, + "inline": false, + "displayName": "ontology" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Ontology defines an entity's categorization in Lattice, and improves data retrieval and integration. Builds a standardized representation of the entity." + }, + { + "name": { + "name": { + "originalName": "sensors", + "camelCase": { + "unsafeName": "sensors", + "safeName": "sensors" + }, + "snakeCase": { + "unsafeName": "sensors", + "safeName": "sensors" + }, + "screamingSnakeCase": { + "unsafeName": "SENSORS", + "safeName": "SENSORS" + }, + "pascalCase": { + "unsafeName": "Sensors", + "safeName": "Sensors" + } + }, + "wireValue": "sensors" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Sensors", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Sensors", + "safeName": "andurilEntitymanagerV1Sensors" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_sensors", + "safeName": "anduril_entitymanager_v_1_sensors" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SENSORS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Sensors", + "safeName": "AndurilEntitymanagerV1Sensors" + } + }, + "typeId": "anduril.entitymanager.v1.Sensors", + "default": null, + "inline": false, + "displayName": "sensors" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Details an entity's available sensors." + }, + { + "name": { + "name": { + "originalName": "payloads", + "camelCase": { + "unsafeName": "payloads", + "safeName": "payloads" + }, + "snakeCase": { + "unsafeName": "payloads", + "safeName": "payloads" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOADS", + "safeName": "PAYLOADS" + }, + "pascalCase": { + "unsafeName": "Payloads", + "safeName": "Payloads" + } + }, + "wireValue": "payloads" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Payloads", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Payloads", + "safeName": "andurilEntitymanagerV1Payloads" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_payloads", + "safeName": "anduril_entitymanager_v_1_payloads" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOADS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PAYLOADS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Payloads", + "safeName": "AndurilEntitymanagerV1Payloads" + } + }, + "typeId": "anduril.entitymanager.v1.Payloads", + "default": null, + "inline": false, + "displayName": "payloads" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Details an entity's available payloads." + }, + { + "name": { + "name": { + "originalName": "power_state", + "camelCase": { + "unsafeName": "powerState", + "safeName": "powerState" + }, + "snakeCase": { + "unsafeName": "power_state", + "safeName": "power_state" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATE", + "safeName": "POWER_STATE" + }, + "pascalCase": { + "unsafeName": "PowerState", + "safeName": "PowerState" + } + }, + "wireValue": "power_state" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PowerState", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PowerState", + "safeName": "andurilEntitymanagerV1PowerState" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_power_state", + "safeName": "anduril_entitymanager_v_1_power_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POWER_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PowerState", + "safeName": "AndurilEntitymanagerV1PowerState" + } + }, + "typeId": "anduril.entitymanager.v1.PowerState", + "default": null, + "inline": false, + "displayName": "power_state" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Details the entity's power source." + }, + { + "name": { + "name": { + "originalName": "provenance", + "camelCase": { + "unsafeName": "provenance", + "safeName": "provenance" + }, + "snakeCase": { + "unsafeName": "provenance", + "safeName": "provenance" + }, + "screamingSnakeCase": { + "unsafeName": "PROVENANCE", + "safeName": "PROVENANCE" + }, + "pascalCase": { + "unsafeName": "Provenance", + "safeName": "Provenance" + } + }, + "wireValue": "provenance" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Provenance", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Provenance", + "safeName": "andurilEntitymanagerV1Provenance" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_provenance", + "safeName": "anduril_entitymanager_v_1_provenance" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Provenance", + "safeName": "AndurilEntitymanagerV1Provenance" + } + }, + "typeId": "anduril.entitymanager.v1.Provenance", + "default": null, + "inline": false, + "displayName": "provenance" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The primary data source provenance for this entity." + }, + { + "name": { + "name": { + "originalName": "overrides", + "camelCase": { + "unsafeName": "overrides", + "safeName": "overrides" + }, + "snakeCase": { + "unsafeName": "overrides", + "safeName": "overrides" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDES", + "safeName": "OVERRIDES" + }, + "pascalCase": { + "unsafeName": "Overrides", + "safeName": "Overrides" + } + }, + "wireValue": "overrides" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Overrides", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Overrides", + "safeName": "andurilEntitymanagerV1Overrides" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_overrides", + "safeName": "anduril_entitymanager_v_1_overrides" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Overrides", + "safeName": "AndurilEntitymanagerV1Overrides" + } + }, + "typeId": "anduril.entitymanager.v1.Overrides", + "default": null, + "inline": false, + "displayName": "overrides" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Provenance of override data." + }, + { + "name": { + "name": { + "originalName": "indicators", + "camelCase": { + "unsafeName": "indicators", + "safeName": "indicators" + }, + "snakeCase": { + "unsafeName": "indicators", + "safeName": "indicators" + }, + "screamingSnakeCase": { + "unsafeName": "INDICATORS", + "safeName": "INDICATORS" + }, + "pascalCase": { + "unsafeName": "Indicators", + "safeName": "Indicators" + } + }, + "wireValue": "indicators" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Indicators", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Indicators", + "safeName": "andurilEntitymanagerV1Indicators" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_indicators", + "safeName": "anduril_entitymanager_v_1_indicators" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INDICATORS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_INDICATORS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Indicators", + "safeName": "AndurilEntitymanagerV1Indicators" + } + }, + "typeId": "anduril.entitymanager.v1.Indicators", + "default": null, + "inline": false, + "displayName": "indicators" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Describes an entity's specific characteristics and the operations that can be performed on the entity.\\n For example, \\"simulated\\" informs the operator that the entity is from a simulation, and \\"deletable\\"\\n informs the operator (and system) that the delete operation is valid against the entity." + }, + { + "name": { + "name": { + "originalName": "target_priority", + "camelCase": { + "unsafeName": "targetPriority", + "safeName": "targetPriority" + }, + "snakeCase": { + "unsafeName": "target_priority", + "safeName": "target_priority" + }, + "screamingSnakeCase": { + "unsafeName": "TARGET_PRIORITY", + "safeName": "TARGET_PRIORITY" + }, + "pascalCase": { + "unsafeName": "TargetPriority", + "safeName": "TargetPriority" + } + }, + "wireValue": "target_priority" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TargetPriority", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TargetPriority", + "safeName": "andurilEntitymanagerV1TargetPriority" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_target_priority", + "safeName": "anduril_entitymanager_v_1_target_priority" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TARGET_PRIORITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TARGET_PRIORITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TargetPriority", + "safeName": "AndurilEntitymanagerV1TargetPriority" + } + }, + "typeId": "anduril.entitymanager.v1.TargetPriority", + "default": null, + "inline": false, + "displayName": "target_priority" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The prioritization associated with an entity, such as if it's a threat or a high-value target." + }, + { + "name": { + "name": { + "originalName": "signal", + "camelCase": { + "unsafeName": "signal", + "safeName": "signal" + }, + "snakeCase": { + "unsafeName": "signal", + "safeName": "signal" + }, + "screamingSnakeCase": { + "unsafeName": "SIGNAL", + "safeName": "SIGNAL" + }, + "pascalCase": { + "unsafeName": "Signal", + "safeName": "Signal" + } + }, + "wireValue": "signal" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Signal", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Signal", + "safeName": "andurilEntitymanagerV1Signal" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_signal", + "safeName": "anduril_entitymanager_v_1_signal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SIGNAL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Signal", + "safeName": "AndurilEntitymanagerV1Signal" + } + }, + "typeId": "anduril.entitymanager.v1.Signal", + "default": null, + "inline": false, + "displayName": "signal" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Describes an entity's signal characteristics, primarily used when an entity is a signal of interest." + }, + { + "name": { + "name": { + "originalName": "transponder_codes", + "camelCase": { + "unsafeName": "transponderCodes", + "safeName": "transponderCodes" + }, + "snakeCase": { + "unsafeName": "transponder_codes", + "safeName": "transponder_codes" + }, + "screamingSnakeCase": { + "unsafeName": "TRANSPONDER_CODES", + "safeName": "TRANSPONDER_CODES" + }, + "pascalCase": { + "unsafeName": "TransponderCodes", + "safeName": "TransponderCodes" + } + }, + "wireValue": "transponder_codes" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TransponderCodes", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TransponderCodes", + "safeName": "andurilEntitymanagerV1TransponderCodes" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_transponder_codes", + "safeName": "anduril_entitymanager_v_1_transponder_codes" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRANSPONDER_CODES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRANSPONDER_CODES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TransponderCodes", + "safeName": "AndurilEntitymanagerV1TransponderCodes" + } + }, + "typeId": "anduril.entitymanager.v1.TransponderCodes", + "default": null, + "inline": false, + "displayName": "transponder_codes" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A message describing any transponder codes associated with Mode 1, 2, 3, 4, 5, S interrogations. These are related to ADS-B modes." + }, + { + "name": { + "name": { + "originalName": "data_classification", + "camelCase": { + "unsafeName": "dataClassification", + "safeName": "dataClassification" + }, + "snakeCase": { + "unsafeName": "data_classification", + "safeName": "data_classification" + }, + "screamingSnakeCase": { + "unsafeName": "DATA_CLASSIFICATION", + "safeName": "DATA_CLASSIFICATION" + }, + "pascalCase": { + "unsafeName": "DataClassification", + "safeName": "DataClassification" + } + }, + "wireValue": "data_classification" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Classification", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Classification", + "safeName": "andurilEntitymanagerV1Classification" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_classification", + "safeName": "anduril_entitymanager_v_1_classification" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CLASSIFICATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Classification", + "safeName": "AndurilEntitymanagerV1Classification" + } + }, + "typeId": "anduril.entitymanager.v1.Classification", + "default": null, + "inline": false, + "displayName": "data_classification" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Describes an entity's security classification levels at an overall classification level and on a per\\n field level." + }, + { + "name": { + "name": { + "originalName": "task_catalog", + "camelCase": { + "unsafeName": "taskCatalog", + "safeName": "taskCatalog" + }, + "snakeCase": { + "unsafeName": "task_catalog", + "safeName": "task_catalog" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_CATALOG", + "safeName": "TASK_CATALOG" + }, + "pascalCase": { + "unsafeName": "TaskCatalog", + "safeName": "TaskCatalog" + } + }, + "wireValue": "task_catalog" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.TaskCatalog", + "camelCase": { + "unsafeName": "andurilTasksV2TaskCatalog", + "safeName": "andurilTasksV2TaskCatalog" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_task_catalog", + "safeName": "anduril_tasks_v_2_task_catalog" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_TASK_CATALOG", + "safeName": "ANDURIL_TASKS_V_2_TASK_CATALOG" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2TaskCatalog", + "safeName": "AndurilTasksV2TaskCatalog" + } + }, + "typeId": "anduril.tasks.v2.TaskCatalog", + "default": null, + "inline": false, + "displayName": "task_catalog" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A catalog of tasks that can be performed by an entity." + }, + { + "name": { + "name": { + "originalName": "relationships", + "camelCase": { + "unsafeName": "relationships", + "safeName": "relationships" + }, + "snakeCase": { + "unsafeName": "relationships", + "safeName": "relationships" + }, + "screamingSnakeCase": { + "unsafeName": "RELATIONSHIPS", + "safeName": "RELATIONSHIPS" + }, + "pascalCase": { + "unsafeName": "Relationships", + "safeName": "Relationships" + } + }, + "wireValue": "relationships" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Relationships", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Relationships", + "safeName": "andurilEntitymanagerV1Relationships" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_relationships", + "safeName": "anduril_entitymanager_v_1_relationships" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIPS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RELATIONSHIPS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Relationships", + "safeName": "AndurilEntitymanagerV1Relationships" + } + }, + "typeId": "anduril.entitymanager.v1.Relationships", + "default": null, + "inline": false, + "displayName": "relationships" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The relationships between this entity and other entities in the common operational picture (COP)." + }, + { + "name": { + "name": { + "originalName": "visual_details", + "camelCase": { + "unsafeName": "visualDetails", + "safeName": "visualDetails" + }, + "snakeCase": { + "unsafeName": "visual_details", + "safeName": "visual_details" + }, + "screamingSnakeCase": { + "unsafeName": "VISUAL_DETAILS", + "safeName": "VISUAL_DETAILS" + }, + "pascalCase": { + "unsafeName": "VisualDetails", + "safeName": "VisualDetails" + } + }, + "wireValue": "visual_details" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.VisualDetails", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1VisualDetails", + "safeName": "andurilEntitymanagerV1VisualDetails" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_visual_details", + "safeName": "anduril_entitymanager_v_1_visual_details" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VISUAL_DETAILS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_VISUAL_DETAILS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1VisualDetails", + "safeName": "AndurilEntitymanagerV1VisualDetails" + } + }, + "typeId": "anduril.entitymanager.v1.VisualDetails", + "default": null, + "inline": false, + "displayName": "visual_details" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Visual details associated with the display of an entity in the client." + }, + { + "name": { + "name": { + "originalName": "dimensions", + "camelCase": { + "unsafeName": "dimensions", + "safeName": "dimensions" + }, + "snakeCase": { + "unsafeName": "dimensions", + "safeName": "dimensions" + }, + "screamingSnakeCase": { + "unsafeName": "DIMENSIONS", + "safeName": "DIMENSIONS" + }, + "pascalCase": { + "unsafeName": "Dimensions", + "safeName": "Dimensions" + } + }, + "wireValue": "dimensions" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Dimensions", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Dimensions", + "safeName": "andurilEntitymanagerV1Dimensions" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_dimensions", + "safeName": "anduril_entitymanager_v_1_dimensions" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DIMENSIONS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_DIMENSIONS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Dimensions", + "safeName": "AndurilEntitymanagerV1Dimensions" + } + }, + "typeId": "anduril.entitymanager.v1.Dimensions", + "default": null, + "inline": false, + "displayName": "dimensions" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Physical dimensions of the entity." + }, + { + "name": { + "name": { + "originalName": "route_details", + "camelCase": { + "unsafeName": "routeDetails", + "safeName": "routeDetails" + }, + "snakeCase": { + "unsafeName": "route_details", + "safeName": "route_details" + }, + "screamingSnakeCase": { + "unsafeName": "ROUTE_DETAILS", + "safeName": "ROUTE_DETAILS" + }, + "pascalCase": { + "unsafeName": "RouteDetails", + "safeName": "RouteDetails" + } + }, + "wireValue": "route_details" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RouteDetails", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RouteDetails", + "safeName": "andurilEntitymanagerV1RouteDetails" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_route_details", + "safeName": "anduril_entitymanager_v_1_route_details" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ROUTE_DETAILS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ROUTE_DETAILS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RouteDetails", + "safeName": "AndurilEntitymanagerV1RouteDetails" + } + }, + "typeId": "anduril.entitymanager.v1.RouteDetails", + "default": null, + "inline": false, + "displayName": "route_details" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Additional information about an entity's route." + }, + { + "name": { + "name": { + "originalName": "schedules", + "camelCase": { + "unsafeName": "schedules", + "safeName": "schedules" + }, + "snakeCase": { + "unsafeName": "schedules", + "safeName": "schedules" + }, + "screamingSnakeCase": { + "unsafeName": "SCHEDULES", + "safeName": "SCHEDULES" + }, + "pascalCase": { + "unsafeName": "Schedules", + "safeName": "Schedules" + } + }, + "wireValue": "schedules" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Schedules", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Schedules", + "safeName": "andurilEntitymanagerV1Schedules" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_schedules", + "safeName": "anduril_entitymanager_v_1_schedules" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SCHEDULES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Schedules", + "safeName": "AndurilEntitymanagerV1Schedules" + } + }, + "typeId": "anduril.entitymanager.v1.Schedules", + "default": null, + "inline": false, + "displayName": "schedules" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Schedules associated with this entity." + }, + { + "name": { + "name": { + "originalName": "health", + "camelCase": { + "unsafeName": "health", + "safeName": "health" + }, + "snakeCase": { + "unsafeName": "health", + "safeName": "health" + }, + "screamingSnakeCase": { + "unsafeName": "HEALTH", + "safeName": "HEALTH" + }, + "pascalCase": { + "unsafeName": "Health", + "safeName": "Health" + } + }, + "wireValue": "health" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Health", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Health", + "safeName": "andurilEntitymanagerV1Health" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_health", + "safeName": "anduril_entitymanager_v_1_health" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEALTH" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Health", + "safeName": "AndurilEntitymanagerV1Health" + } + }, + "typeId": "anduril.entitymanager.v1.Health", + "default": null, + "inline": false, + "displayName": "health" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Health metrics or connection status reported by the entity." + }, + { + "name": { + "name": { + "originalName": "group_details", + "camelCase": { + "unsafeName": "groupDetails", + "safeName": "groupDetails" + }, + "snakeCase": { + "unsafeName": "group_details", + "safeName": "group_details" + }, + "screamingSnakeCase": { + "unsafeName": "GROUP_DETAILS", + "safeName": "GROUP_DETAILS" + }, + "pascalCase": { + "unsafeName": "GroupDetails", + "safeName": "GroupDetails" + } + }, + "wireValue": "group_details" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GroupDetails", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GroupDetails", + "safeName": "andurilEntitymanagerV1GroupDetails" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_group_details", + "safeName": "anduril_entitymanager_v_1_group_details" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GROUP_DETAILS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GroupDetails", + "safeName": "AndurilEntitymanagerV1GroupDetails" + } + }, + "typeId": "anduril.entitymanager.v1.GroupDetails", + "default": null, + "inline": false, + "displayName": "group_details" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Details for the group associated with this entity." + }, + { + "name": { + "name": { + "originalName": "supplies", + "camelCase": { + "unsafeName": "supplies", + "safeName": "supplies" + }, + "snakeCase": { + "unsafeName": "supplies", + "safeName": "supplies" + }, + "screamingSnakeCase": { + "unsafeName": "SUPPLIES", + "safeName": "SUPPLIES" + }, + "pascalCase": { + "unsafeName": "Supplies", + "safeName": "Supplies" + } + }, + "wireValue": "supplies" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Supplies", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Supplies", + "safeName": "andurilEntitymanagerV1Supplies" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_supplies", + "safeName": "anduril_entitymanager_v_1_supplies" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SUPPLIES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SUPPLIES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Supplies", + "safeName": "AndurilEntitymanagerV1Supplies" + } + }, + "typeId": "anduril.entitymanager.v1.Supplies", + "default": null, + "inline": false, + "displayName": "supplies" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Contains relevant supply information for the entity, such as fuel." + }, + { + "name": { + "name": { + "originalName": "orbit", + "camelCase": { + "unsafeName": "orbit", + "safeName": "orbit" + }, + "snakeCase": { + "unsafeName": "orbit", + "safeName": "orbit" + }, + "screamingSnakeCase": { + "unsafeName": "ORBIT", + "safeName": "ORBIT" + }, + "pascalCase": { + "unsafeName": "Orbit", + "safeName": "Orbit" + } + }, + "wireValue": "orbit" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Orbit", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Orbit", + "safeName": "andurilEntitymanagerV1Orbit" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_orbit", + "safeName": "anduril_entitymanager_v_1_orbit" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ORBIT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ORBIT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Orbit", + "safeName": "AndurilEntitymanagerV1Orbit" + } + }, + "typeId": "anduril.entitymanager.v1.Orbit", + "default": null, + "inline": false, + "displayName": "orbit" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Orbit information for space objects." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The entity object represents a single known object within the Lattice operational environment. It contains\\n all data associated with the entity, such as its name, ID, and other relevant components." + }, + "anduril.entitymanager.v1.Status": { + "name": { + "typeId": "anduril.entitymanager.v1.Status", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Status", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Status", + "safeName": "andurilEntitymanagerV1Status" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_status", + "safeName": "anduril_entitymanager_v_1_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Status", + "safeName": "AndurilEntitymanagerV1Status" + } + }, + "displayName": "Status" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "platform_activity", + "camelCase": { + "unsafeName": "platformActivity", + "safeName": "platformActivity" + }, + "snakeCase": { + "unsafeName": "platform_activity", + "safeName": "platform_activity" + }, + "screamingSnakeCase": { + "unsafeName": "PLATFORM_ACTIVITY", + "safeName": "PLATFORM_ACTIVITY" + }, + "pascalCase": { + "unsafeName": "PlatformActivity", + "safeName": "PlatformActivity" + } + }, + "wireValue": "platform_activity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A string that describes the activity that the entity is performing.\\n Examples include \\"RECONNAISSANCE\\", \\"INTERDICTION\\", \\"RETURN TO BASE (RTB)\\", \\"PREPARING FOR LAUNCH\\"." + }, + { + "name": { + "name": { + "originalName": "role", + "camelCase": { + "unsafeName": "role", + "safeName": "role" + }, + "snakeCase": { + "unsafeName": "role", + "safeName": "role" + }, + "screamingSnakeCase": { + "unsafeName": "ROLE", + "safeName": "ROLE" + }, + "pascalCase": { + "unsafeName": "Role", + "safeName": "Role" + } + }, + "wireValue": "role" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A human-readable string that describes the role the entity is currently performing. E.g. \\"Team Member\\", \\"Commander\\"." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Contains status of entities." + }, + "anduril.entitymanager.v1.Aliases": { + "name": { + "typeId": "anduril.entitymanager.v1.Aliases", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Aliases", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Aliases", + "safeName": "andurilEntitymanagerV1Aliases" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_aliases", + "safeName": "anduril_entitymanager_v_1_aliases" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALIASES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALIASES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Aliases", + "safeName": "AndurilEntitymanagerV1Aliases" + } + }, + "displayName": "Aliases" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "alternate_ids", + "camelCase": { + "unsafeName": "alternateIds", + "safeName": "alternateIds" + }, + "snakeCase": { + "unsafeName": "alternate_ids", + "safeName": "alternate_ids" + }, + "screamingSnakeCase": { + "unsafeName": "ALTERNATE_IDS", + "safeName": "ALTERNATE_IDS" + }, + "pascalCase": { + "unsafeName": "AlternateIds", + "safeName": "AlternateIds" + } + }, + "wireValue": "alternate_ids" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AlternateId", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AlternateId", + "safeName": "andurilEntitymanagerV1AlternateId" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_alternate_id", + "safeName": "anduril_entitymanager_v_1_alternate_id" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALTERNATE_ID", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALTERNATE_ID" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AlternateId", + "safeName": "AndurilEntitymanagerV1AlternateId" + } + }, + "typeId": "anduril.entitymanager.v1.AlternateId", + "default": null, + "inline": false, + "displayName": "alternate_ids" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "name", + "camelCase": { + "unsafeName": "name", + "safeName": "name" + }, + "snakeCase": { + "unsafeName": "name", + "safeName": "name" + }, + "screamingSnakeCase": { + "unsafeName": "NAME", + "safeName": "NAME" + }, + "pascalCase": { + "unsafeName": "Name", + "safeName": "Name" + } + }, + "wireValue": "name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The best available version of the entity's display name." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Available for any Entities with alternate ids in other systems." + }, + "anduril.entitymanager.v1.Tracked": { + "name": { + "typeId": "anduril.entitymanager.v1.Tracked", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Tracked", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Tracked", + "safeName": "andurilEntitymanagerV1Tracked" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_tracked", + "safeName": "anduril_entitymanager_v_1_tracked" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TRACKED" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Tracked", + "safeName": "AndurilEntitymanagerV1Tracked" + } + }, + "displayName": "Tracked" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "track_quality_wrapper", + "camelCase": { + "unsafeName": "trackQualityWrapper", + "safeName": "trackQualityWrapper" + }, + "snakeCase": { + "unsafeName": "track_quality_wrapper", + "safeName": "track_quality_wrapper" + }, + "screamingSnakeCase": { + "unsafeName": "TRACK_QUALITY_WRAPPER", + "safeName": "TRACK_QUALITY_WRAPPER" + }, + "pascalCase": { + "unsafeName": "TrackQualityWrapper", + "safeName": "TrackQualityWrapper" + } + }, + "wireValue": "track_quality_wrapper" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Int32Value", + "camelCase": { + "unsafeName": "googleProtobufInt32Value", + "safeName": "googleProtobufInt32Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_int_32_value", + "safeName": "google_protobuf_int_32_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_INT_32_VALUE", + "safeName": "GOOGLE_PROTOBUF_INT_32_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufInt32Value", + "safeName": "GoogleProtobufInt32Value" + } + }, + "typeId": "google.protobuf.Int32Value", + "default": null, + "inline": false, + "displayName": "track_quality_wrapper" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Quality score, 0-15, nil if none" + }, + { + "name": { + "name": { + "originalName": "sensor_hits", + "camelCase": { + "unsafeName": "sensorHits", + "safeName": "sensorHits" + }, + "snakeCase": { + "unsafeName": "sensor_hits", + "safeName": "sensor_hits" + }, + "screamingSnakeCase": { + "unsafeName": "SENSOR_HITS", + "safeName": "SENSOR_HITS" + }, + "pascalCase": { + "unsafeName": "SensorHits", + "safeName": "SensorHits" + } + }, + "wireValue": "sensor_hits" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Int32Value", + "camelCase": { + "unsafeName": "googleProtobufInt32Value", + "safeName": "googleProtobufInt32Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_int_32_value", + "safeName": "google_protobuf_int_32_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_INT_32_VALUE", + "safeName": "GOOGLE_PROTOBUF_INT_32_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufInt32Value", + "safeName": "GoogleProtobufInt32Value" + } + }, + "typeId": "google.protobuf.Int32Value", + "default": null, + "inline": false, + "displayName": "sensor_hits" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Sensor hits aggregation on the tracked entity." + }, + { + "name": { + "name": { + "originalName": "number_of_objects", + "camelCase": { + "unsafeName": "numberOfObjects", + "safeName": "numberOfObjects" + }, + "snakeCase": { + "unsafeName": "number_of_objects", + "safeName": "number_of_objects" + }, + "screamingSnakeCase": { + "unsafeName": "NUMBER_OF_OBJECTS", + "safeName": "NUMBER_OF_OBJECTS" + }, + "pascalCase": { + "unsafeName": "NumberOfObjects", + "safeName": "NumberOfObjects" + } + }, + "wireValue": "number_of_objects" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.UInt32Range", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1UInt32Range", + "safeName": "andurilEntitymanagerV1UInt32Range" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_u_int_32_range", + "safeName": "anduril_entitymanager_v_1_u_int_32_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_U_INT_32_RANGE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_U_INT_32_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1UInt32Range", + "safeName": "AndurilEntitymanagerV1UInt32Range" + } + }, + "typeId": "anduril.entitymanager.v1.UInt32Range", + "default": null, + "inline": false, + "displayName": "number_of_objects" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Estimated number of objects or units that are represented by this entity. Known as Strength in certain contexts (Link16)\\n if UpperBound == LowerBound; (strength = LowerBound)\\n If both UpperBound and LowerBound are defined; strength is between LowerBound and UpperBound (represented as string \\"Strength: 4-5\\")\\n If UpperBound is defined only (LowerBound unset), Strength ≤ UpperBound\\n If LowerBound is defined only (UpperBound unset), LowerBound ≤ Strength\\n 0 indicates unset." + }, + { + "name": { + "name": { + "originalName": "radar_cross_section", + "camelCase": { + "unsafeName": "radarCrossSection", + "safeName": "radarCrossSection" + }, + "snakeCase": { + "unsafeName": "radar_cross_section", + "safeName": "radar_cross_section" + }, + "screamingSnakeCase": { + "unsafeName": "RADAR_CROSS_SECTION", + "safeName": "RADAR_CROSS_SECTION" + }, + "pascalCase": { + "unsafeName": "RadarCrossSection", + "safeName": "RadarCrossSection" + } + }, + "wireValue": "radar_cross_section" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "radar_cross_section" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The radar cross section (RCS) is a measure of how detectable an object is by radar. A large RCS indicates an object is more easily\\n detected. The unit is “decibels per square meter,” or dBsm" + }, + { + "name": { + "name": { + "originalName": "last_measurement_time", + "camelCase": { + "unsafeName": "lastMeasurementTime", + "safeName": "lastMeasurementTime" + }, + "snakeCase": { + "unsafeName": "last_measurement_time", + "safeName": "last_measurement_time" + }, + "screamingSnakeCase": { + "unsafeName": "LAST_MEASUREMENT_TIME", + "safeName": "LAST_MEASUREMENT_TIME" + }, + "pascalCase": { + "unsafeName": "LastMeasurementTime", + "safeName": "LastMeasurementTime" + } + }, + "wireValue": "last_measurement_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "last_measurement_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Timestamp of the latest tracking measurement for this entity." + }, + { + "name": { + "name": { + "originalName": "line_of_bearing", + "camelCase": { + "unsafeName": "lineOfBearing", + "safeName": "lineOfBearing" + }, + "snakeCase": { + "unsafeName": "line_of_bearing", + "safeName": "line_of_bearing" + }, + "screamingSnakeCase": { + "unsafeName": "LINE_OF_BEARING", + "safeName": "LINE_OF_BEARING" + }, + "pascalCase": { + "unsafeName": "LineOfBearing", + "safeName": "LineOfBearing" + } + }, + "wireValue": "line_of_bearing" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.LineOfBearing", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1LineOfBearing", + "safeName": "andurilEntitymanagerV1LineOfBearing" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_line_of_bearing", + "safeName": "anduril_entitymanager_v_1_line_of_bearing" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LINE_OF_BEARING" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1LineOfBearing", + "safeName": "AndurilEntitymanagerV1LineOfBearing" + } + }, + "typeId": "anduril.entitymanager.v1.LineOfBearing", + "default": null, + "inline": false, + "displayName": "line_of_bearing" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The relative position of a track with respect to the entity that is tracking it. Used for tracks that do not yet have a 3D position.\\n For this entity (A), being tracked by some entity (B), this LineOfBearing would express a ray from B to A." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Available for Entities that are tracked." + }, + "anduril.entitymanager.v1.Provenance": { + "name": { + "typeId": "anduril.entitymanager.v1.Provenance", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Provenance", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Provenance", + "safeName": "andurilEntitymanagerV1Provenance" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_provenance", + "safeName": "anduril_entitymanager_v_1_provenance" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Provenance", + "safeName": "AndurilEntitymanagerV1Provenance" + } + }, + "displayName": "Provenance" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "integration_name", + "camelCase": { + "unsafeName": "integrationName", + "safeName": "integrationName" + }, + "snakeCase": { + "unsafeName": "integration_name", + "safeName": "integration_name" + }, + "screamingSnakeCase": { + "unsafeName": "INTEGRATION_NAME", + "safeName": "INTEGRATION_NAME" + }, + "pascalCase": { + "unsafeName": "IntegrationName", + "safeName": "IntegrationName" + } + }, + "wireValue": "integration_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Name of the integration that produced this entity" + }, + { + "name": { + "name": { + "originalName": "data_type", + "camelCase": { + "unsafeName": "dataType", + "safeName": "dataType" + }, + "snakeCase": { + "unsafeName": "data_type", + "safeName": "data_type" + }, + "screamingSnakeCase": { + "unsafeName": "DATA_TYPE", + "safeName": "DATA_TYPE" + }, + "pascalCase": { + "unsafeName": "DataType", + "safeName": "DataType" + } + }, + "wireValue": "data_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Source data type of this entity. Examples: ADSB, Link16, etc." + }, + { + "name": { + "name": { + "originalName": "source_id", + "camelCase": { + "unsafeName": "sourceId", + "safeName": "sourceId" + }, + "snakeCase": { + "unsafeName": "source_id", + "safeName": "source_id" + }, + "screamingSnakeCase": { + "unsafeName": "SOURCE_ID", + "safeName": "SOURCE_ID" + }, + "pascalCase": { + "unsafeName": "SourceId", + "safeName": "SourceId" + } + }, + "wireValue": "source_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "An ID that allows an element from a source to be uniquely identified" + }, + { + "name": { + "name": { + "originalName": "source_update_time", + "camelCase": { + "unsafeName": "sourceUpdateTime", + "safeName": "sourceUpdateTime" + }, + "snakeCase": { + "unsafeName": "source_update_time", + "safeName": "source_update_time" + }, + "screamingSnakeCase": { + "unsafeName": "SOURCE_UPDATE_TIME", + "safeName": "SOURCE_UPDATE_TIME" + }, + "pascalCase": { + "unsafeName": "SourceUpdateTime", + "safeName": "SourceUpdateTime" + } + }, + "wireValue": "source_update_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "source_update_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The time, according to the source system, that the data in the entity was last modified. Generally, this should\\n be the time that the source-reported time of validity of the data in the entity. This field must be\\n updated with every change to the entity or else Entity Manager will discard the update." + }, + { + "name": { + "name": { + "originalName": "source_description", + "camelCase": { + "unsafeName": "sourceDescription", + "safeName": "sourceDescription" + }, + "snakeCase": { + "unsafeName": "source_description", + "safeName": "source_description" + }, + "screamingSnakeCase": { + "unsafeName": "SOURCE_DESCRIPTION", + "safeName": "SOURCE_DESCRIPTION" + }, + "pascalCase": { + "unsafeName": "SourceDescription", + "safeName": "SourceDescription" + } + }, + "wireValue": "source_description" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Description of the modification source. In the case of a user this is the email address." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Data provenance." + }, + "anduril.entitymanager.v1.Indicators": { + "name": { + "typeId": "anduril.entitymanager.v1.Indicators", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Indicators", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Indicators", + "safeName": "andurilEntitymanagerV1Indicators" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_indicators", + "safeName": "anduril_entitymanager_v_1_indicators" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INDICATORS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_INDICATORS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Indicators", + "safeName": "AndurilEntitymanagerV1Indicators" + } + }, + "displayName": "Indicators" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "simulated", + "camelCase": { + "unsafeName": "simulated", + "safeName": "simulated" + }, + "snakeCase": { + "unsafeName": "simulated", + "safeName": "simulated" + }, + "screamingSnakeCase": { + "unsafeName": "SIMULATED", + "safeName": "SIMULATED" + }, + "pascalCase": { + "unsafeName": "Simulated", + "safeName": "Simulated" + } + }, + "wireValue": "simulated" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.BoolValue", + "camelCase": { + "unsafeName": "googleProtobufBoolValue", + "safeName": "googleProtobufBoolValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_bool_value", + "safeName": "google_protobuf_bool_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", + "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufBoolValue", + "safeName": "GoogleProtobufBoolValue" + } + }, + "typeId": "google.protobuf.BoolValue", + "default": null, + "inline": false, + "displayName": "simulated" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "exercise", + "camelCase": { + "unsafeName": "exercise", + "safeName": "exercise" + }, + "snakeCase": { + "unsafeName": "exercise", + "safeName": "exercise" + }, + "screamingSnakeCase": { + "unsafeName": "EXERCISE", + "safeName": "EXERCISE" + }, + "pascalCase": { + "unsafeName": "Exercise", + "safeName": "Exercise" + } + }, + "wireValue": "exercise" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.BoolValue", + "camelCase": { + "unsafeName": "googleProtobufBoolValue", + "safeName": "googleProtobufBoolValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_bool_value", + "safeName": "google_protobuf_bool_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", + "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufBoolValue", + "safeName": "GoogleProtobufBoolValue" + } + }, + "typeId": "google.protobuf.BoolValue", + "default": null, + "inline": false, + "displayName": "exercise" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "emergency", + "camelCase": { + "unsafeName": "emergency", + "safeName": "emergency" + }, + "snakeCase": { + "unsafeName": "emergency", + "safeName": "emergency" + }, + "screamingSnakeCase": { + "unsafeName": "EMERGENCY", + "safeName": "EMERGENCY" + }, + "pascalCase": { + "unsafeName": "Emergency", + "safeName": "Emergency" + } + }, + "wireValue": "emergency" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.BoolValue", + "camelCase": { + "unsafeName": "googleProtobufBoolValue", + "safeName": "googleProtobufBoolValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_bool_value", + "safeName": "google_protobuf_bool_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", + "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufBoolValue", + "safeName": "GoogleProtobufBoolValue" + } + }, + "typeId": "google.protobuf.BoolValue", + "default": null, + "inline": false, + "displayName": "emergency" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "c2", + "camelCase": { + "unsafeName": "c2", + "safeName": "c2" + }, + "snakeCase": { + "unsafeName": "c_2", + "safeName": "c_2" + }, + "screamingSnakeCase": { + "unsafeName": "C_2", + "safeName": "C_2" + }, + "pascalCase": { + "unsafeName": "C2", + "safeName": "C2" + } + }, + "wireValue": "c2" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.BoolValue", + "camelCase": { + "unsafeName": "googleProtobufBoolValue", + "safeName": "googleProtobufBoolValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_bool_value", + "safeName": "google_protobuf_bool_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", + "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufBoolValue", + "safeName": "GoogleProtobufBoolValue" + } + }, + "typeId": "google.protobuf.BoolValue", + "default": null, + "inline": false, + "displayName": "c2" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "egressable", + "camelCase": { + "unsafeName": "egressable", + "safeName": "egressable" + }, + "snakeCase": { + "unsafeName": "egressable", + "safeName": "egressable" + }, + "screamingSnakeCase": { + "unsafeName": "EGRESSABLE", + "safeName": "EGRESSABLE" + }, + "pascalCase": { + "unsafeName": "Egressable", + "safeName": "Egressable" + } + }, + "wireValue": "egressable" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.BoolValue", + "camelCase": { + "unsafeName": "googleProtobufBoolValue", + "safeName": "googleProtobufBoolValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_bool_value", + "safeName": "google_protobuf_bool_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", + "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufBoolValue", + "safeName": "GoogleProtobufBoolValue" + } + }, + "typeId": "google.protobuf.BoolValue", + "default": null, + "inline": false, + "displayName": "egressable" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the Entity should be egressed to external sources.\\n Integrations choose how the egressing happens (e.g. if an Entity needs fuzzing)." + }, + { + "name": { + "name": { + "originalName": "starred", + "camelCase": { + "unsafeName": "starred", + "safeName": "starred" + }, + "snakeCase": { + "unsafeName": "starred", + "safeName": "starred" + }, + "screamingSnakeCase": { + "unsafeName": "STARRED", + "safeName": "STARRED" + }, + "pascalCase": { + "unsafeName": "Starred", + "safeName": "Starred" + } + }, + "wireValue": "starred" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.BoolValue", + "camelCase": { + "unsafeName": "googleProtobufBoolValue", + "safeName": "googleProtobufBoolValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_bool_value", + "safeName": "google_protobuf_bool_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_BOOL_VALUE", + "safeName": "GOOGLE_PROTOBUF_BOOL_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufBoolValue", + "safeName": "GoogleProtobufBoolValue" + } + }, + "typeId": "google.protobuf.BoolValue", + "default": null, + "inline": false, + "displayName": "starred" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A signal of arbitrary importance such that the entity should be globally marked for all users" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Indicators to describe entity to consumers." + }, + "anduril.entitymanager.v1.Overrides": { + "name": { + "typeId": "anduril.entitymanager.v1.Overrides", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Overrides", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Overrides", + "safeName": "andurilEntitymanagerV1Overrides" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_overrides", + "safeName": "anduril_entitymanager_v_1_overrides" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Overrides", + "safeName": "AndurilEntitymanagerV1Overrides" + } + }, + "displayName": "Overrides" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "override", + "camelCase": { + "unsafeName": "override", + "safeName": "override" + }, + "snakeCase": { + "unsafeName": "override", + "safeName": "override" + }, + "screamingSnakeCase": { + "unsafeName": "OVERRIDE", + "safeName": "OVERRIDE" + }, + "pascalCase": { + "unsafeName": "Override", + "safeName": "Override" + } + }, + "wireValue": "override" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Override", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Override", + "safeName": "andurilEntitymanagerV1Override" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override", + "safeName": "anduril_entitymanager_v_1_override" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Override", + "safeName": "AndurilEntitymanagerV1Override" + } + }, + "typeId": "anduril.entitymanager.v1.Override", + "default": null, + "inline": false, + "displayName": "override" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Metadata about entity overrides present." + }, + "anduril.entitymanager.v1.Override": { + "name": { + "typeId": "anduril.entitymanager.v1.Override", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Override", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Override", + "safeName": "andurilEntitymanagerV1Override" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override", + "safeName": "anduril_entitymanager_v_1_override" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Override", + "safeName": "AndurilEntitymanagerV1Override" + } + }, + "displayName": "Override" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "request_id", + "camelCase": { + "unsafeName": "requestId", + "safeName": "requestId" + }, + "snakeCase": { + "unsafeName": "request_id", + "safeName": "request_id" + }, + "screamingSnakeCase": { + "unsafeName": "REQUEST_ID", + "safeName": "REQUEST_ID" + }, + "pascalCase": { + "unsafeName": "RequestId", + "safeName": "RequestId" + } + }, + "wireValue": "request_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "override request id for an override request" + }, + { + "name": { + "name": { + "originalName": "field_path", + "camelCase": { + "unsafeName": "fieldPath", + "safeName": "fieldPath" + }, + "snakeCase": { + "unsafeName": "field_path", + "safeName": "field_path" + }, + "screamingSnakeCase": { + "unsafeName": "FIELD_PATH", + "safeName": "FIELD_PATH" + }, + "pascalCase": { + "unsafeName": "FieldPath", + "safeName": "FieldPath" + } + }, + "wireValue": "field_path" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "proto field path which is the string representation of a field.\\n example: correlated.primary_entity_id would be primary_entity_id in correlated component" + }, + { + "name": { + "name": { + "originalName": "masked_field_value", + "camelCase": { + "unsafeName": "maskedFieldValue", + "safeName": "maskedFieldValue" + }, + "snakeCase": { + "unsafeName": "masked_field_value", + "safeName": "masked_field_value" + }, + "screamingSnakeCase": { + "unsafeName": "MASKED_FIELD_VALUE", + "safeName": "MASKED_FIELD_VALUE" + }, + "pascalCase": { + "unsafeName": "MaskedFieldValue", + "safeName": "MaskedFieldValue" + } + }, + "wireValue": "masked_field_value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Entity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Entity", + "safeName": "andurilEntitymanagerV1Entity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_entity", + "safeName": "anduril_entitymanager_v_1_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Entity", + "safeName": "AndurilEntitymanagerV1Entity" + } + }, + "typeId": "anduril.entitymanager.v1.Entity", + "default": null, + "inline": false, + "displayName": "masked_field_value" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "new field value corresponding to field path. In the shape of an empty entity with only the changed value.\\n example: entity: { mil_view: { disposition: Disposition_DISPOSITION_HOSTILE } }" + }, + { + "name": { + "name": { + "originalName": "status", + "camelCase": { + "unsafeName": "status", + "safeName": "status" + }, + "snakeCase": { + "unsafeName": "status", + "safeName": "status" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS", + "safeName": "STATUS" + }, + "pascalCase": { + "unsafeName": "Status", + "safeName": "Status" + } + }, + "wireValue": "status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OverrideStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OverrideStatus", + "safeName": "andurilEntitymanagerV1OverrideStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override_status", + "safeName": "anduril_entitymanager_v_1_override_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OverrideStatus", + "safeName": "AndurilEntitymanagerV1OverrideStatus" + } + }, + "typeId": "anduril.entitymanager.v1.OverrideStatus", + "default": null, + "inline": false, + "displayName": "status" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "status of the override" + }, + { + "name": { + "name": { + "originalName": "provenance", + "camelCase": { + "unsafeName": "provenance", + "safeName": "provenance" + }, + "snakeCase": { + "unsafeName": "provenance", + "safeName": "provenance" + }, + "screamingSnakeCase": { + "unsafeName": "PROVENANCE", + "safeName": "PROVENANCE" + }, + "pascalCase": { + "unsafeName": "Provenance", + "safeName": "Provenance" + } + }, + "wireValue": "provenance" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Provenance", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Provenance", + "safeName": "andurilEntitymanagerV1Provenance" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_provenance", + "safeName": "anduril_entitymanager_v_1_provenance" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Provenance", + "safeName": "AndurilEntitymanagerV1Provenance" + } + }, + "typeId": "anduril.entitymanager.v1.Provenance", + "default": null, + "inline": false, + "displayName": "provenance" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "type", + "camelCase": { + "unsafeName": "type", + "safeName": "type" + }, + "snakeCase": { + "unsafeName": "type", + "safeName": "type" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE", + "safeName": "TYPE" + }, + "pascalCase": { + "unsafeName": "Type", + "safeName": "Type" + } + }, + "wireValue": "type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OverrideType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OverrideType", + "safeName": "andurilEntitymanagerV1OverrideType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override_type", + "safeName": "anduril_entitymanager_v_1_override_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OverrideType", + "safeName": "AndurilEntitymanagerV1OverrideType" + } + }, + "typeId": "anduril.entitymanager.v1.OverrideType", + "default": null, + "inline": false, + "displayName": "type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The type of the override, defined by the stage of the entity lifecycle that the entity was in when the override\\n was requested." + }, + { + "name": { + "name": { + "originalName": "request_timestamp", + "camelCase": { + "unsafeName": "requestTimestamp", + "safeName": "requestTimestamp" + }, + "snakeCase": { + "unsafeName": "request_timestamp", + "safeName": "request_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "REQUEST_TIMESTAMP", + "safeName": "REQUEST_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "RequestTimestamp", + "safeName": "RequestTimestamp" + } + }, + "wireValue": "request_timestamp" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "request_timestamp" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Timestamp of the override request. The timestamp is generated by the Entity Manager instance that receives the request." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Details about an override. Last write wins." + }, + "anduril.entitymanager.v1.AlternateId": { + "name": { + "typeId": "anduril.entitymanager.v1.AlternateId", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AlternateId", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AlternateId", + "safeName": "andurilEntitymanagerV1AlternateId" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_alternate_id", + "safeName": "anduril_entitymanager_v_1_alternate_id" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALTERNATE_ID", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALTERNATE_ID" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AlternateId", + "safeName": "AndurilEntitymanagerV1AlternateId" + } + }, + "displayName": "AlternateId" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "id", + "camelCase": { + "unsafeName": "id", + "safeName": "id" + }, + "snakeCase": { + "unsafeName": "id", + "safeName": "id" + }, + "screamingSnakeCase": { + "unsafeName": "ID", + "safeName": "ID" + }, + "pascalCase": { + "unsafeName": "Id", + "safeName": "Id" + } + }, + "wireValue": "id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "type", + "camelCase": { + "unsafeName": "type", + "safeName": "type" + }, + "snakeCase": { + "unsafeName": "type", + "safeName": "type" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE", + "safeName": "TYPE" + }, + "pascalCase": { + "unsafeName": "Type", + "safeName": "Type" + } + }, + "wireValue": "type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AltIdType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AltIdType", + "safeName": "andurilEntitymanagerV1AltIdType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_alt_id_type", + "safeName": "anduril_entitymanager_v_1_alt_id_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ALT_ID_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ALT_ID_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AltIdType", + "safeName": "AndurilEntitymanagerV1AltIdType" + } + }, + "typeId": "anduril.entitymanager.v1.AltIdType", + "default": null, + "inline": false, + "displayName": "type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "An alternate id for an Entity." + }, + "anduril.entitymanager.v1.VisualDetails": { + "name": { + "typeId": "anduril.entitymanager.v1.VisualDetails", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.VisualDetails", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1VisualDetails", + "safeName": "andurilEntitymanagerV1VisualDetails" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_visual_details", + "safeName": "anduril_entitymanager_v_1_visual_details" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VISUAL_DETAILS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_VISUAL_DETAILS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1VisualDetails", + "safeName": "AndurilEntitymanagerV1VisualDetails" + } + }, + "displayName": "VisualDetails" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "range_rings", + "camelCase": { + "unsafeName": "rangeRings", + "safeName": "rangeRings" + }, + "snakeCase": { + "unsafeName": "range_rings", + "safeName": "range_rings" + }, + "screamingSnakeCase": { + "unsafeName": "RANGE_RINGS", + "safeName": "RANGE_RINGS" + }, + "pascalCase": { + "unsafeName": "RangeRings", + "safeName": "RangeRings" + } + }, + "wireValue": "range_rings" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RangeRings", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RangeRings", + "safeName": "andurilEntitymanagerV1RangeRings" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_range_rings", + "safeName": "anduril_entitymanager_v_1_range_rings" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_RINGS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_RINGS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RangeRings", + "safeName": "AndurilEntitymanagerV1RangeRings" + } + }, + "typeId": "anduril.entitymanager.v1.RangeRings", + "default": null, + "inline": false, + "displayName": "range_rings" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The range rings to display around an entity." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Visual details associated with the display of an entity in the client." + }, + "anduril.entitymanager.v1.RangeRings": { + "name": { + "typeId": "anduril.entitymanager.v1.RangeRings", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RangeRings", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RangeRings", + "safeName": "andurilEntitymanagerV1RangeRings" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_range_rings", + "safeName": "anduril_entitymanager_v_1_range_rings" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_RINGS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_RINGS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RangeRings", + "safeName": "AndurilEntitymanagerV1RangeRings" + } + }, + "displayName": "RangeRings" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "min_distance_m", + "camelCase": { + "unsafeName": "minDistanceM", + "safeName": "minDistanceM" + }, + "snakeCase": { + "unsafeName": "min_distance_m", + "safeName": "min_distance_m" + }, + "screamingSnakeCase": { + "unsafeName": "MIN_DISTANCE_M", + "safeName": "MIN_DISTANCE_M" + }, + "pascalCase": { + "unsafeName": "MinDistanceM", + "safeName": "MinDistanceM" + } + }, + "wireValue": "min_distance_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "min_distance_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The minimum range ring distance, specified in meters." + }, + { + "name": { + "name": { + "originalName": "max_distance_m", + "camelCase": { + "unsafeName": "maxDistanceM", + "safeName": "maxDistanceM" + }, + "snakeCase": { + "unsafeName": "max_distance_m", + "safeName": "max_distance_m" + }, + "screamingSnakeCase": { + "unsafeName": "MAX_DISTANCE_M", + "safeName": "MAX_DISTANCE_M" + }, + "pascalCase": { + "unsafeName": "MaxDistanceM", + "safeName": "MaxDistanceM" + } + }, + "wireValue": "max_distance_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "max_distance_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The maximum range ring distance, specified in meters." + }, + { + "name": { + "name": { + "originalName": "ring_count", + "camelCase": { + "unsafeName": "ringCount", + "safeName": "ringCount" + }, + "snakeCase": { + "unsafeName": "ring_count", + "safeName": "ring_count" + }, + "screamingSnakeCase": { + "unsafeName": "RING_COUNT", + "safeName": "RING_COUNT" + }, + "pascalCase": { + "unsafeName": "RingCount", + "safeName": "RingCount" + } + }, + "wireValue": "ring_count" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The count of range rings." + }, + { + "name": { + "name": { + "originalName": "ring_line_color", + "camelCase": { + "unsafeName": "ringLineColor", + "safeName": "ringLineColor" + }, + "snakeCase": { + "unsafeName": "ring_line_color", + "safeName": "ring_line_color" + }, + "screamingSnakeCase": { + "unsafeName": "RING_LINE_COLOR", + "safeName": "RING_LINE_COLOR" + }, + "pascalCase": { + "unsafeName": "RingLineColor", + "safeName": "RingLineColor" + } + }, + "wireValue": "ring_line_color" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Color", + "camelCase": { + "unsafeName": "andurilTypeColor", + "safeName": "andurilTypeColor" + }, + "snakeCase": { + "unsafeName": "anduril_type_color", + "safeName": "anduril_type_color" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_COLOR", + "safeName": "ANDURIL_TYPE_COLOR" + }, + "pascalCase": { + "unsafeName": "AndurilTypeColor", + "safeName": "AndurilTypeColor" + } + }, + "typeId": "anduril.type.Color", + "default": null, + "inline": false, + "displayName": "ring_line_color" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The color of range rings, specified in hex string." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Range rings allow visual assessment of map distance at varying zoom levels." + }, + "anduril.entitymanager.v1.CorrelationCorrelation": { + "name": { + "typeId": "anduril.entitymanager.v1.CorrelationCorrelation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationCorrelation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationCorrelation", + "safeName": "andurilEntitymanagerV1CorrelationCorrelation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_correlation", + "safeName": "anduril_entitymanager_v_1_correlation_correlation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_CORRELATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_CORRELATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationCorrelation", + "safeName": "AndurilEntitymanagerV1CorrelationCorrelation" + } + }, + "displayName": "CorrelationCorrelation" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PrimaryCorrelation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PrimaryCorrelation", + "safeName": "andurilEntitymanagerV1PrimaryCorrelation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_primary_correlation", + "safeName": "anduril_entitymanager_v_1_primary_correlation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_CORRELATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_CORRELATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PrimaryCorrelation", + "safeName": "AndurilEntitymanagerV1PrimaryCorrelation" + } + }, + "typeId": "anduril.entitymanager.v1.PrimaryCorrelation", + "default": null, + "inline": false, + "displayName": "primary" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SecondaryCorrelation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SecondaryCorrelation", + "safeName": "andurilEntitymanagerV1SecondaryCorrelation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_secondary_correlation", + "safeName": "anduril_entitymanager_v_1_secondary_correlation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SECONDARY_CORRELATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SECONDARY_CORRELATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SecondaryCorrelation", + "safeName": "AndurilEntitymanagerV1SecondaryCorrelation" + } + }, + "typeId": "anduril.entitymanager.v1.SecondaryCorrelation", + "default": null, + "inline": false, + "displayName": "secondary" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Correlation": { + "name": { + "typeId": "anduril.entitymanager.v1.Correlation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Correlation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Correlation", + "safeName": "andurilEntitymanagerV1Correlation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation", + "safeName": "anduril_entitymanager_v_1_correlation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Correlation", + "safeName": "AndurilEntitymanagerV1Correlation" + } + }, + "displayName": "Correlation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "membership", + "camelCase": { + "unsafeName": "membership", + "safeName": "membership" + }, + "snakeCase": { + "unsafeName": "membership", + "safeName": "membership" + }, + "screamingSnakeCase": { + "unsafeName": "MEMBERSHIP", + "safeName": "MEMBERSHIP" + }, + "pascalCase": { + "unsafeName": "Membership", + "safeName": "Membership" + } + }, + "wireValue": "membership" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationMembership", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationMembership", + "safeName": "andurilEntitymanagerV1CorrelationMembership" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_membership", + "safeName": "anduril_entitymanager_v_1_correlation_membership" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationMembership", + "safeName": "AndurilEntitymanagerV1CorrelationMembership" + } + }, + "typeId": "anduril.entitymanager.v1.CorrelationMembership", + "default": null, + "inline": false, + "displayName": "membership" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If present, this entity is a part of a correlation set." + }, + { + "name": { + "name": { + "originalName": "decorrelation", + "camelCase": { + "unsafeName": "decorrelation", + "safeName": "decorrelation" + }, + "snakeCase": { + "unsafeName": "decorrelation", + "safeName": "decorrelation" + }, + "screamingSnakeCase": { + "unsafeName": "DECORRELATION", + "safeName": "DECORRELATION" + }, + "pascalCase": { + "unsafeName": "Decorrelation", + "safeName": "Decorrelation" + } + }, + "wireValue": "decorrelation" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Decorrelation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Decorrelation", + "safeName": "andurilEntitymanagerV1Decorrelation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_decorrelation", + "safeName": "anduril_entitymanager_v_1_decorrelation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Decorrelation", + "safeName": "AndurilEntitymanagerV1Decorrelation" + } + }, + "typeId": "anduril.entitymanager.v1.Decorrelation", + "default": null, + "inline": false, + "displayName": "decorrelation" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If present, this entity was explicitly decorrelated from one or more entities.\\n An entity can be both correlated and decorrelated as long as they are disjoint sets.\\n An example would be if a user in the UI decides that two tracks are not actually the\\n same despite an automatic correlator having correlated them. The user would then\\n decorrelate the two tracks and this decorrelation would be preserved preventing the\\n correlator from re-correlating them at a later time." + }, + { + "name": { + "name": { + "originalName": "correlation", + "camelCase": { + "unsafeName": "correlation", + "safeName": "correlation" + }, + "snakeCase": { + "unsafeName": "correlation", + "safeName": "correlation" + }, + "screamingSnakeCase": { + "unsafeName": "CORRELATION", + "safeName": "CORRELATION" + }, + "pascalCase": { + "unsafeName": "Correlation", + "safeName": "Correlation" + } + }, + "wireValue": "correlation" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationCorrelation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationCorrelation", + "safeName": "andurilEntitymanagerV1CorrelationCorrelation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_correlation", + "safeName": "anduril_entitymanager_v_1_correlation_correlation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_CORRELATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_CORRELATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationCorrelation", + "safeName": "AndurilEntitymanagerV1CorrelationCorrelation" + } + }, + "typeId": "anduril.entitymanager.v1.CorrelationCorrelation", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Available for Entities that are a correlated (N to 1) set of entities. This will be present on\\n each entity in the set." + }, + "anduril.entitymanager.v1.PrimaryCorrelation": { + "name": { + "typeId": "anduril.entitymanager.v1.PrimaryCorrelation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PrimaryCorrelation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PrimaryCorrelation", + "safeName": "andurilEntitymanagerV1PrimaryCorrelation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_primary_correlation", + "safeName": "anduril_entitymanager_v_1_primary_correlation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_CORRELATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_CORRELATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PrimaryCorrelation", + "safeName": "AndurilEntitymanagerV1PrimaryCorrelation" + } + }, + "displayName": "PrimaryCorrelation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "secondary_entity_ids", + "camelCase": { + "unsafeName": "secondaryEntityIds", + "safeName": "secondaryEntityIds" + }, + "snakeCase": { + "unsafeName": "secondary_entity_ids", + "safeName": "secondary_entity_ids" + }, + "screamingSnakeCase": { + "unsafeName": "SECONDARY_ENTITY_IDS", + "safeName": "SECONDARY_ENTITY_IDS" + }, + "pascalCase": { + "unsafeName": "SecondaryEntityIds", + "safeName": "SecondaryEntityIds" + } + }, + "wireValue": "secondary_entity_ids" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The secondary entity IDs part of this correlation." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.SecondaryCorrelation": { + "name": { + "typeId": "anduril.entitymanager.v1.SecondaryCorrelation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.SecondaryCorrelation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1SecondaryCorrelation", + "safeName": "andurilEntitymanagerV1SecondaryCorrelation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_secondary_correlation", + "safeName": "anduril_entitymanager_v_1_secondary_correlation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_SECONDARY_CORRELATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_SECONDARY_CORRELATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1SecondaryCorrelation", + "safeName": "AndurilEntitymanagerV1SecondaryCorrelation" + } + }, + "displayName": "SecondaryCorrelation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "primary_entity_id", + "camelCase": { + "unsafeName": "primaryEntityId", + "safeName": "primaryEntityId" + }, + "snakeCase": { + "unsafeName": "primary_entity_id", + "safeName": "primary_entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "PRIMARY_ENTITY_ID", + "safeName": "PRIMARY_ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "PrimaryEntityId", + "safeName": "PrimaryEntityId" + } + }, + "wireValue": "primary_entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The primary of this correlation." + }, + { + "name": { + "name": { + "originalName": "metadata", + "camelCase": { + "unsafeName": "metadata", + "safeName": "metadata" + }, + "snakeCase": { + "unsafeName": "metadata", + "safeName": "metadata" + }, + "screamingSnakeCase": { + "unsafeName": "METADATA", + "safeName": "METADATA" + }, + "pascalCase": { + "unsafeName": "Metadata", + "safeName": "Metadata" + } + }, + "wireValue": "metadata" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationMetadata", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationMetadata", + "safeName": "andurilEntitymanagerV1CorrelationMetadata" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_metadata", + "safeName": "anduril_entitymanager_v_1_correlation_metadata" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationMetadata", + "safeName": "AndurilEntitymanagerV1CorrelationMetadata" + } + }, + "typeId": "anduril.entitymanager.v1.CorrelationMetadata", + "default": null, + "inline": false, + "displayName": "metadata" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Metadata about the correlation." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.CorrelationMembershipMembership": { + "name": { + "typeId": "anduril.entitymanager.v1.CorrelationMembershipMembership", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationMembershipMembership", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationMembershipMembership", + "safeName": "andurilEntitymanagerV1CorrelationMembershipMembership" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_membership_membership", + "safeName": "anduril_entitymanager_v_1_correlation_membership_membership" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP_MEMBERSHIP", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP_MEMBERSHIP" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationMembershipMembership", + "safeName": "AndurilEntitymanagerV1CorrelationMembershipMembership" + } + }, + "displayName": "CorrelationMembershipMembership" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PrimaryMembership", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PrimaryMembership", + "safeName": "andurilEntitymanagerV1PrimaryMembership" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_primary_membership", + "safeName": "anduril_entitymanager_v_1_primary_membership" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_MEMBERSHIP", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_MEMBERSHIP" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PrimaryMembership", + "safeName": "AndurilEntitymanagerV1PrimaryMembership" + } + }, + "typeId": "anduril.entitymanager.v1.PrimaryMembership", + "default": null, + "inline": false, + "displayName": "primary" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NonPrimaryMembership", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NonPrimaryMembership", + "safeName": "andurilEntitymanagerV1NonPrimaryMembership" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_non_primary_membership", + "safeName": "anduril_entitymanager_v_1_non_primary_membership" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NON_PRIMARY_MEMBERSHIP", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NON_PRIMARY_MEMBERSHIP" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NonPrimaryMembership", + "safeName": "AndurilEntitymanagerV1NonPrimaryMembership" + } + }, + "typeId": "anduril.entitymanager.v1.NonPrimaryMembership", + "default": null, + "inline": false, + "displayName": "non_primary" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.CorrelationMembership": { + "name": { + "typeId": "anduril.entitymanager.v1.CorrelationMembership", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationMembership", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationMembership", + "safeName": "andurilEntitymanagerV1CorrelationMembership" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_membership", + "safeName": "anduril_entitymanager_v_1_correlation_membership" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationMembership", + "safeName": "AndurilEntitymanagerV1CorrelationMembership" + } + }, + "displayName": "CorrelationMembership" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "correlation_set_id", + "camelCase": { + "unsafeName": "correlationSetId", + "safeName": "correlationSetId" + }, + "snakeCase": { + "unsafeName": "correlation_set_id", + "safeName": "correlation_set_id" + }, + "screamingSnakeCase": { + "unsafeName": "CORRELATION_SET_ID", + "safeName": "CORRELATION_SET_ID" + }, + "pascalCase": { + "unsafeName": "CorrelationSetId", + "safeName": "CorrelationSetId" + } + }, + "wireValue": "correlation_set_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The ID of the correlation set this entity belongs to." + }, + { + "name": { + "name": { + "originalName": "metadata", + "camelCase": { + "unsafeName": "metadata", + "safeName": "metadata" + }, + "snakeCase": { + "unsafeName": "metadata", + "safeName": "metadata" + }, + "screamingSnakeCase": { + "unsafeName": "METADATA", + "safeName": "METADATA" + }, + "pascalCase": { + "unsafeName": "Metadata", + "safeName": "Metadata" + } + }, + "wireValue": "metadata" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationMetadata", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationMetadata", + "safeName": "andurilEntitymanagerV1CorrelationMetadata" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_metadata", + "safeName": "anduril_entitymanager_v_1_correlation_metadata" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationMetadata", + "safeName": "AndurilEntitymanagerV1CorrelationMetadata" + } + }, + "typeId": "anduril.entitymanager.v1.CorrelationMetadata", + "default": null, + "inline": false, + "displayName": "metadata" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Additional metadata on this correlation." + }, + { + "name": { + "name": { + "originalName": "membership", + "camelCase": { + "unsafeName": "membership", + "safeName": "membership" + }, + "snakeCase": { + "unsafeName": "membership", + "safeName": "membership" + }, + "screamingSnakeCase": { + "unsafeName": "MEMBERSHIP", + "safeName": "MEMBERSHIP" + }, + "pascalCase": { + "unsafeName": "Membership", + "safeName": "Membership" + } + }, + "wireValue": "membership" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationMembershipMembership", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationMembershipMembership", + "safeName": "andurilEntitymanagerV1CorrelationMembershipMembership" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_membership_membership", + "safeName": "anduril_entitymanager_v_1_correlation_membership_membership" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP_MEMBERSHIP", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_MEMBERSHIP_MEMBERSHIP" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationMembershipMembership", + "safeName": "AndurilEntitymanagerV1CorrelationMembershipMembership" + } + }, + "typeId": "anduril.entitymanager.v1.CorrelationMembershipMembership", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.PrimaryMembership": { + "name": { + "typeId": "anduril.entitymanager.v1.PrimaryMembership", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PrimaryMembership", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PrimaryMembership", + "safeName": "andurilEntitymanagerV1PrimaryMembership" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_primary_membership", + "safeName": "anduril_entitymanager_v_1_primary_membership" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_MEMBERSHIP", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PRIMARY_MEMBERSHIP" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PrimaryMembership", + "safeName": "AndurilEntitymanagerV1PrimaryMembership" + } + }, + "displayName": "PrimaryMembership" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.NonPrimaryMembership": { + "name": { + "typeId": "anduril.entitymanager.v1.NonPrimaryMembership", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NonPrimaryMembership", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NonPrimaryMembership", + "safeName": "andurilEntitymanagerV1NonPrimaryMembership" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_non_primary_membership", + "safeName": "anduril_entitymanager_v_1_non_primary_membership" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NON_PRIMARY_MEMBERSHIP", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NON_PRIMARY_MEMBERSHIP" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NonPrimaryMembership", + "safeName": "AndurilEntitymanagerV1NonPrimaryMembership" + } + }, + "displayName": "NonPrimaryMembership" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Decorrelation": { + "name": { + "typeId": "anduril.entitymanager.v1.Decorrelation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Decorrelation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Decorrelation", + "safeName": "andurilEntitymanagerV1Decorrelation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_decorrelation", + "safeName": "anduril_entitymanager_v_1_decorrelation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Decorrelation", + "safeName": "AndurilEntitymanagerV1Decorrelation" + } + }, + "displayName": "Decorrelation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "all", + "camelCase": { + "unsafeName": "all", + "safeName": "all" + }, + "snakeCase": { + "unsafeName": "all", + "safeName": "all" + }, + "screamingSnakeCase": { + "unsafeName": "ALL", + "safeName": "ALL" + }, + "pascalCase": { + "unsafeName": "All", + "safeName": "All" + } + }, + "wireValue": "all" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.DecorrelatedAll", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1DecorrelatedAll", + "safeName": "andurilEntitymanagerV1DecorrelatedAll" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_decorrelated_all", + "safeName": "anduril_entitymanager_v_1_decorrelated_all" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_ALL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_ALL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1DecorrelatedAll", + "safeName": "AndurilEntitymanagerV1DecorrelatedAll" + } + }, + "typeId": "anduril.entitymanager.v1.DecorrelatedAll", + "default": null, + "inline": false, + "displayName": "all" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "This will be specified if this entity was decorrelated against all other entities." + }, + { + "name": { + "name": { + "originalName": "decorrelated_entities", + "camelCase": { + "unsafeName": "decorrelatedEntities", + "safeName": "decorrelatedEntities" + }, + "snakeCase": { + "unsafeName": "decorrelated_entities", + "safeName": "decorrelated_entities" + }, + "screamingSnakeCase": { + "unsafeName": "DECORRELATED_ENTITIES", + "safeName": "DECORRELATED_ENTITIES" + }, + "pascalCase": { + "unsafeName": "DecorrelatedEntities", + "safeName": "DecorrelatedEntities" + } + }, + "wireValue": "decorrelated_entities" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.DecorrelatedSingle", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1DecorrelatedSingle", + "safeName": "andurilEntitymanagerV1DecorrelatedSingle" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_decorrelated_single", + "safeName": "anduril_entitymanager_v_1_decorrelated_single" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_SINGLE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_SINGLE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1DecorrelatedSingle", + "safeName": "AndurilEntitymanagerV1DecorrelatedSingle" + } + }, + "typeId": "anduril.entitymanager.v1.DecorrelatedSingle", + "default": null, + "inline": false, + "displayName": "decorrelated_entities" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A list of decorrelated entities that have been explicitly decorrelated against this entity\\n which prevents lower precedence correlations from overriding it in the future.\\n For example, if an operator in the UI decorrelated tracks A and B, any automated\\n correlators would be unable to correlate them since manual decorrelations have\\n higher precedence than automatic ones. Precedence is determined by both correlation\\n type and replication mode." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.DecorrelatedAll": { + "name": { + "typeId": "anduril.entitymanager.v1.DecorrelatedAll", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.DecorrelatedAll", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1DecorrelatedAll", + "safeName": "andurilEntitymanagerV1DecorrelatedAll" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_decorrelated_all", + "safeName": "anduril_entitymanager_v_1_decorrelated_all" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_ALL", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_ALL" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1DecorrelatedAll", + "safeName": "AndurilEntitymanagerV1DecorrelatedAll" + } + }, + "displayName": "DecorrelatedAll" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "metadata", + "camelCase": { + "unsafeName": "metadata", + "safeName": "metadata" + }, + "snakeCase": { + "unsafeName": "metadata", + "safeName": "metadata" + }, + "screamingSnakeCase": { + "unsafeName": "METADATA", + "safeName": "METADATA" + }, + "pascalCase": { + "unsafeName": "Metadata", + "safeName": "Metadata" + } + }, + "wireValue": "metadata" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationMetadata", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationMetadata", + "safeName": "andurilEntitymanagerV1CorrelationMetadata" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_metadata", + "safeName": "anduril_entitymanager_v_1_correlation_metadata" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationMetadata", + "safeName": "AndurilEntitymanagerV1CorrelationMetadata" + } + }, + "typeId": "anduril.entitymanager.v1.CorrelationMetadata", + "default": null, + "inline": false, + "displayName": "metadata" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Metadata about the decorrelation." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.DecorrelatedSingle": { + "name": { + "typeId": "anduril.entitymanager.v1.DecorrelatedSingle", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.DecorrelatedSingle", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1DecorrelatedSingle", + "safeName": "andurilEntitymanagerV1DecorrelatedSingle" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_decorrelated_single", + "safeName": "anduril_entitymanager_v_1_decorrelated_single" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_SINGLE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_DECORRELATED_SINGLE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1DecorrelatedSingle", + "safeName": "AndurilEntitymanagerV1DecorrelatedSingle" + } + }, + "displayName": "DecorrelatedSingle" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The entity that was decorrelated against." + }, + { + "name": { + "name": { + "originalName": "metadata", + "camelCase": { + "unsafeName": "metadata", + "safeName": "metadata" + }, + "snakeCase": { + "unsafeName": "metadata", + "safeName": "metadata" + }, + "screamingSnakeCase": { + "unsafeName": "METADATA", + "safeName": "METADATA" + }, + "pascalCase": { + "unsafeName": "Metadata", + "safeName": "Metadata" + } + }, + "wireValue": "metadata" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationMetadata", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationMetadata", + "safeName": "andurilEntitymanagerV1CorrelationMetadata" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_metadata", + "safeName": "anduril_entitymanager_v_1_correlation_metadata" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationMetadata", + "safeName": "AndurilEntitymanagerV1CorrelationMetadata" + } + }, + "typeId": "anduril.entitymanager.v1.CorrelationMetadata", + "default": null, + "inline": false, + "displayName": "metadata" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Metadata about the decorrelation." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.CorrelationMetadata": { + "name": { + "typeId": "anduril.entitymanager.v1.CorrelationMetadata", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationMetadata", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationMetadata", + "safeName": "andurilEntitymanagerV1CorrelationMetadata" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_metadata", + "safeName": "anduril_entitymanager_v_1_correlation_metadata" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_METADATA" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationMetadata", + "safeName": "AndurilEntitymanagerV1CorrelationMetadata" + } + }, + "displayName": "CorrelationMetadata" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "provenance", + "camelCase": { + "unsafeName": "provenance", + "safeName": "provenance" + }, + "snakeCase": { + "unsafeName": "provenance", + "safeName": "provenance" + }, + "screamingSnakeCase": { + "unsafeName": "PROVENANCE", + "safeName": "PROVENANCE" + }, + "pascalCase": { + "unsafeName": "Provenance", + "safeName": "Provenance" + } + }, + "wireValue": "provenance" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Provenance", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Provenance", + "safeName": "andurilEntitymanagerV1Provenance" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_provenance", + "safeName": "anduril_entitymanager_v_1_provenance" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Provenance", + "safeName": "AndurilEntitymanagerV1Provenance" + } + }, + "typeId": "anduril.entitymanager.v1.Provenance", + "default": null, + "inline": false, + "displayName": "provenance" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Who or what added this entity to the (de)correlation." + }, + { + "name": { + "name": { + "originalName": "replication_mode", + "camelCase": { + "unsafeName": "replicationMode", + "safeName": "replicationMode" + }, + "snakeCase": { + "unsafeName": "replication_mode", + "safeName": "replication_mode" + }, + "screamingSnakeCase": { + "unsafeName": "REPLICATION_MODE", + "safeName": "REPLICATION_MODE" + }, + "pascalCase": { + "unsafeName": "ReplicationMode", + "safeName": "ReplicationMode" + } + }, + "wireValue": "replication_mode" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationReplicationMode", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationReplicationMode", + "safeName": "andurilEntitymanagerV1CorrelationReplicationMode" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_replication_mode", + "safeName": "anduril_entitymanager_v_1_correlation_replication_mode" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_REPLICATION_MODE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_REPLICATION_MODE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationReplicationMode", + "safeName": "AndurilEntitymanagerV1CorrelationReplicationMode" + } + }, + "typeId": "anduril.entitymanager.v1.CorrelationReplicationMode", + "default": null, + "inline": false, + "displayName": "replication_mode" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates how the correlation will be distributed. Because a correlation is composed of\\n multiple secondaries, each of which may have been correlated with different replication\\n modes, the distribution of the correlation is composed of distributions of the individual\\n entities within the correlation set.\\n For example, if there are two secondary entities A and B correlated against a primary C,\\n with A having been correlated globally and B having been correlated locally, then the\\n correlation set that is distributed globally than what is known locally in the node." + }, + { + "name": { + "name": { + "originalName": "type", + "camelCase": { + "unsafeName": "type", + "safeName": "type" + }, + "snakeCase": { + "unsafeName": "type", + "safeName": "type" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE", + "safeName": "TYPE" + }, + "pascalCase": { + "unsafeName": "Type", + "safeName": "Type" + } + }, + "wireValue": "type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.CorrelationType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1CorrelationType", + "safeName": "andurilEntitymanagerV1CorrelationType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_correlation_type", + "safeName": "anduril_entitymanager_v_1_correlation_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_CORRELATION_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1CorrelationType", + "safeName": "AndurilEntitymanagerV1CorrelationType" + } + }, + "typeId": "anduril.entitymanager.v1.CorrelationType", + "default": null, + "inline": false, + "displayName": "type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "What type of (de)correlation was this entity added with." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Comparator": { + "name": { + "typeId": "anduril.entitymanager.v1.Comparator", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Comparator", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Comparator", + "safeName": "andurilEntitymanagerV1Comparator" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_comparator", + "safeName": "anduril_entitymanager_v_1_comparator" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPARATOR", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPARATOR" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Comparator", + "safeName": "AndurilEntitymanagerV1Comparator" + } + }, + "displayName": "Comparator" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "COMPARATOR_INVALID", + "camelCase": { + "unsafeName": "comparatorInvalid", + "safeName": "comparatorInvalid" + }, + "snakeCase": { + "unsafeName": "comparator_invalid", + "safeName": "comparator_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_INVALID", + "safeName": "COMPARATOR_INVALID" + }, + "pascalCase": { + "unsafeName": "ComparatorInvalid", + "safeName": "ComparatorInvalid" + } + }, + "wireValue": "COMPARATOR_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_MATCH_ALL", + "camelCase": { + "unsafeName": "comparatorMatchAll", + "safeName": "comparatorMatchAll" + }, + "snakeCase": { + "unsafeName": "comparator_match_all", + "safeName": "comparator_match_all" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_MATCH_ALL", + "safeName": "COMPARATOR_MATCH_ALL" + }, + "pascalCase": { + "unsafeName": "ComparatorMatchAll", + "safeName": "ComparatorMatchAll" + } + }, + "wireValue": "COMPARATOR_MATCH_ALL" + }, + "availability": null, + "docs": "Comparators for: boolean, numeric, string, enum, position, timestamp, positions, and bounded shapes." + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_EQUALITY", + "camelCase": { + "unsafeName": "comparatorEquality", + "safeName": "comparatorEquality" + }, + "snakeCase": { + "unsafeName": "comparator_equality", + "safeName": "comparator_equality" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_EQUALITY", + "safeName": "COMPARATOR_EQUALITY" + }, + "pascalCase": { + "unsafeName": "ComparatorEquality", + "safeName": "ComparatorEquality" + } + }, + "wireValue": "COMPARATOR_EQUALITY" + }, + "availability": null, + "docs": "Comparators for: boolean, numeric, string, enum, position, and timestamp." + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_IN", + "camelCase": { + "unsafeName": "comparatorIn", + "safeName": "comparatorIn" + }, + "snakeCase": { + "unsafeName": "comparator_in", + "safeName": "comparator_in" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_IN", + "safeName": "COMPARATOR_IN" + }, + "pascalCase": { + "unsafeName": "ComparatorIn", + "safeName": "ComparatorIn" + } + }, + "wireValue": "COMPARATOR_IN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_LESS_THAN", + "camelCase": { + "unsafeName": "comparatorLessThan", + "safeName": "comparatorLessThan" + }, + "snakeCase": { + "unsafeName": "comparator_less_than", + "safeName": "comparator_less_than" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_LESS_THAN", + "safeName": "COMPARATOR_LESS_THAN" + }, + "pascalCase": { + "unsafeName": "ComparatorLessThan", + "safeName": "ComparatorLessThan" + } + }, + "wireValue": "COMPARATOR_LESS_THAN" + }, + "availability": null, + "docs": "Comparators for: numeric, string, and timestamp." + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_GREATER_THAN", + "camelCase": { + "unsafeName": "comparatorGreaterThan", + "safeName": "comparatorGreaterThan" + }, + "snakeCase": { + "unsafeName": "comparator_greater_than", + "safeName": "comparator_greater_than" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_GREATER_THAN", + "safeName": "COMPARATOR_GREATER_THAN" + }, + "pascalCase": { + "unsafeName": "ComparatorGreaterThan", + "safeName": "ComparatorGreaterThan" + } + }, + "wireValue": "COMPARATOR_GREATER_THAN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_LESS_THAN_EQUAL_TO", + "camelCase": { + "unsafeName": "comparatorLessThanEqualTo", + "safeName": "comparatorLessThanEqualTo" + }, + "snakeCase": { + "unsafeName": "comparator_less_than_equal_to", + "safeName": "comparator_less_than_equal_to" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_LESS_THAN_EQUAL_TO", + "safeName": "COMPARATOR_LESS_THAN_EQUAL_TO" + }, + "pascalCase": { + "unsafeName": "ComparatorLessThanEqualTo", + "safeName": "ComparatorLessThanEqualTo" + } + }, + "wireValue": "COMPARATOR_LESS_THAN_EQUAL_TO" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_GREATER_THAN_EQUAL_TO", + "camelCase": { + "unsafeName": "comparatorGreaterThanEqualTo", + "safeName": "comparatorGreaterThanEqualTo" + }, + "snakeCase": { + "unsafeName": "comparator_greater_than_equal_to", + "safeName": "comparator_greater_than_equal_to" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_GREATER_THAN_EQUAL_TO", + "safeName": "COMPARATOR_GREATER_THAN_EQUAL_TO" + }, + "pascalCase": { + "unsafeName": "ComparatorGreaterThanEqualTo", + "safeName": "ComparatorGreaterThanEqualTo" + } + }, + "wireValue": "COMPARATOR_GREATER_THAN_EQUAL_TO" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_WITHIN", + "camelCase": { + "unsafeName": "comparatorWithin", + "safeName": "comparatorWithin" + }, + "snakeCase": { + "unsafeName": "comparator_within", + "safeName": "comparator_within" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_WITHIN", + "safeName": "COMPARATOR_WITHIN" + }, + "pascalCase": { + "unsafeName": "ComparatorWithin", + "safeName": "ComparatorWithin" + } + }, + "wireValue": "COMPARATOR_WITHIN" + }, + "availability": null, + "docs": "Comparators for: positions and bounded shapes." + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_EXISTS", + "camelCase": { + "unsafeName": "comparatorExists", + "safeName": "comparatorExists" + }, + "snakeCase": { + "unsafeName": "comparator_exists", + "safeName": "comparator_exists" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_EXISTS", + "safeName": "COMPARATOR_EXISTS" + }, + "pascalCase": { + "unsafeName": "ComparatorExists", + "safeName": "ComparatorExists" + } + }, + "wireValue": "COMPARATOR_EXISTS" + }, + "availability": null, + "docs": "Comparators for: existential checks.\\n TRUE if path to field exists (parent message is present), and either:\\n 1. the field is a primitive: all values including default pass check.\\n 2. the field is a message and set/present.\\n 3. the field is repeated or map with size > 0.\\n FALSE unless path exists and one of the above 3 conditions is met" + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY", + "camelCase": { + "unsafeName": "comparatorCaseInsensitiveEquality", + "safeName": "comparatorCaseInsensitiveEquality" + }, + "snakeCase": { + "unsafeName": "comparator_case_insensitive_equality", + "safeName": "comparator_case_insensitive_equality" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY", + "safeName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY" + }, + "pascalCase": { + "unsafeName": "ComparatorCaseInsensitiveEquality", + "safeName": "ComparatorCaseInsensitiveEquality" + } + }, + "wireValue": "COMPARATOR_CASE_INSENSITIVE_EQUALITY" + }, + "availability": null, + "docs": "Comparator for string type only." + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY_IN", + "camelCase": { + "unsafeName": "comparatorCaseInsensitiveEqualityIn", + "safeName": "comparatorCaseInsensitiveEqualityIn" + }, + "snakeCase": { + "unsafeName": "comparator_case_insensitive_equality_in", + "safeName": "comparator_case_insensitive_equality_in" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY_IN", + "safeName": "COMPARATOR_CASE_INSENSITIVE_EQUALITY_IN" + }, + "pascalCase": { + "unsafeName": "ComparatorCaseInsensitiveEqualityIn", + "safeName": "ComparatorCaseInsensitiveEqualityIn" + } + }, + "wireValue": "COMPARATOR_CASE_INSENSITIVE_EQUALITY_IN" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "COMPARATOR_RANGE_CLOSED", + "camelCase": { + "unsafeName": "comparatorRangeClosed", + "safeName": "comparatorRangeClosed" + }, + "snakeCase": { + "unsafeName": "comparator_range_closed", + "safeName": "comparator_range_closed" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR_RANGE_CLOSED", + "safeName": "COMPARATOR_RANGE_CLOSED" + }, + "pascalCase": { + "unsafeName": "ComparatorRangeClosed", + "safeName": "ComparatorRangeClosed" + } + }, + "wireValue": "COMPARATOR_RANGE_CLOSED" + }, + "availability": null, + "docs": "Comparators for range types only.\\n Closed (inclusive endpoints) [a, b]" + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The Comparator specifies the set of supported comparison operations. It also provides the\\n mapping information about which comparators are supported for which values. Services that wish\\n to implement entity filters must provide validation functionality to strictly enforce these\\n mappings." + }, + "anduril.entitymanager.v1.ListComparator": { + "name": { + "typeId": "anduril.entitymanager.v1.ListComparator", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ListComparator", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ListComparator", + "safeName": "andurilEntitymanagerV1ListComparator" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_list_comparator", + "safeName": "anduril_entitymanager_v_1_list_comparator" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_COMPARATOR", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_COMPARATOR" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ListComparator", + "safeName": "AndurilEntitymanagerV1ListComparator" + } + }, + "displayName": "ListComparator" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "LIST_COMPARATOR_INVALID", + "camelCase": { + "unsafeName": "listComparatorInvalid", + "safeName": "listComparatorInvalid" + }, + "snakeCase": { + "unsafeName": "list_comparator_invalid", + "safeName": "list_comparator_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "LIST_COMPARATOR_INVALID", + "safeName": "LIST_COMPARATOR_INVALID" + }, + "pascalCase": { + "unsafeName": "ListComparatorInvalid", + "safeName": "ListComparatorInvalid" + } + }, + "wireValue": "LIST_COMPARATOR_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "LIST_COMPARATOR_ANY_OF", + "camelCase": { + "unsafeName": "listComparatorAnyOf", + "safeName": "listComparatorAnyOf" + }, + "snakeCase": { + "unsafeName": "list_comparator_any_of", + "safeName": "list_comparator_any_of" + }, + "screamingSnakeCase": { + "unsafeName": "LIST_COMPARATOR_ANY_OF", + "safeName": "LIST_COMPARATOR_ANY_OF" + }, + "pascalCase": { + "unsafeName": "ListComparatorAnyOf", + "safeName": "ListComparatorAnyOf" + } + }, + "wireValue": "LIST_COMPARATOR_ANY_OF" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The ListComparator determines how to compose statement evaluations for members of a list. For\\n example, if ANY_OF is specified, the ListOperation in which the ListComparator is embedded\\n will return TRUE if any of the values in the list returns true for the ListOperation's child\\n statement." + }, + "anduril.entitymanager.v1.StatementOperation": { + "name": { + "typeId": "anduril.entitymanager.v1.StatementOperation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StatementOperation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StatementOperation", + "safeName": "andurilEntitymanagerV1StatementOperation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement_operation", + "safeName": "anduril_entitymanager_v_1_statement_operation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_OPERATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_OPERATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StatementOperation", + "safeName": "AndurilEntitymanagerV1StatementOperation" + } + }, + "displayName": "StatementOperation" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AndOperation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AndOperation", + "safeName": "andurilEntitymanagerV1AndOperation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_and_operation", + "safeName": "anduril_entitymanager_v_1_and_operation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AndOperation", + "safeName": "AndurilEntitymanagerV1AndOperation" + } + }, + "typeId": "anduril.entitymanager.v1.AndOperation", + "default": null, + "inline": false, + "displayName": "and" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OrOperation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OrOperation", + "safeName": "andurilEntitymanagerV1OrOperation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_or_operation", + "safeName": "anduril_entitymanager_v_1_or_operation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OrOperation", + "safeName": "AndurilEntitymanagerV1OrOperation" + } + }, + "typeId": "anduril.entitymanager.v1.OrOperation", + "default": null, + "inline": false, + "displayName": "or" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NotOperation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NotOperation", + "safeName": "andurilEntitymanagerV1NotOperation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_not_operation", + "safeName": "anduril_entitymanager_v_1_not_operation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NotOperation", + "safeName": "AndurilEntitymanagerV1NotOperation" + } + }, + "typeId": "anduril.entitymanager.v1.NotOperation", + "default": null, + "inline": false, + "displayName": "not" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ListOperation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ListOperation", + "safeName": "andurilEntitymanagerV1ListOperation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_list_operation", + "safeName": "anduril_entitymanager_v_1_list_operation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_OPERATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_OPERATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ListOperation", + "safeName": "AndurilEntitymanagerV1ListOperation" + } + }, + "typeId": "anduril.entitymanager.v1.ListOperation", + "default": null, + "inline": false, + "displayName": "list" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Predicate", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Predicate", + "safeName": "andurilEntitymanagerV1Predicate" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_predicate", + "safeName": "anduril_entitymanager_v_1_predicate" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Predicate", + "safeName": "AndurilEntitymanagerV1Predicate" + } + }, + "typeId": "anduril.entitymanager.v1.Predicate", + "default": null, + "inline": false, + "displayName": "predicate" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Statement": { + "name": { + "typeId": "anduril.entitymanager.v1.Statement", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Statement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Statement", + "safeName": "andurilEntitymanagerV1Statement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement", + "safeName": "anduril_entitymanager_v_1_statement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Statement", + "safeName": "AndurilEntitymanagerV1Statement" + } + }, + "displayName": "Statement" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "operation", + "camelCase": { + "unsafeName": "operation", + "safeName": "operation" + }, + "snakeCase": { + "unsafeName": "operation", + "safeName": "operation" + }, + "screamingSnakeCase": { + "unsafeName": "OPERATION", + "safeName": "OPERATION" + }, + "pascalCase": { + "unsafeName": "Operation", + "safeName": "Operation" + } + }, + "wireValue": "operation" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StatementOperation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StatementOperation", + "safeName": "andurilEntitymanagerV1StatementOperation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement_operation", + "safeName": "anduril_entitymanager_v_1_statement_operation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_OPERATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_OPERATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StatementOperation", + "safeName": "AndurilEntitymanagerV1StatementOperation" + } + }, + "typeId": "anduril.entitymanager.v1.StatementOperation", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A Statement is the building block of the entity filter. The outermost statement is conceptually\\n the root node of an \\"expression tree\\" which allows for the construction of complete boolean\\n logic statements. Statements are formed by grouping sets of children statement(s) or predicate(s)\\n according to the boolean operation which is to be applied.\\n\\n For example, the criteria \\"take an action if an entity is hostile and an air vehicle\\" can be\\n represented as: Statement1: { AndOperation: { Predicate1, Predicate2 } }. Where Statement1\\n is the root of the expression tree, with an AND operation that is applied to children\\n predicates. The predicates themselves encode \\"entity is hostile\\" and \\"entity is air vehicle.\\"" + }, + "anduril.entitymanager.v1.AndOperationChildren": { + "name": { + "typeId": "anduril.entitymanager.v1.AndOperationChildren", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AndOperationChildren", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AndOperationChildren", + "safeName": "andurilEntitymanagerV1AndOperationChildren" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_and_operation_children", + "safeName": "anduril_entitymanager_v_1_and_operation_children" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION_CHILDREN", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION_CHILDREN" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AndOperationChildren", + "safeName": "AndurilEntitymanagerV1AndOperationChildren" + } + }, + "displayName": "AndOperationChildren" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PredicateSet", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PredicateSet", + "safeName": "andurilEntitymanagerV1PredicateSet" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_predicate_set", + "safeName": "anduril_entitymanager_v_1_predicate_set" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PredicateSet", + "safeName": "AndurilEntitymanagerV1PredicateSet" + } + }, + "typeId": "anduril.entitymanager.v1.PredicateSet", + "default": null, + "inline": false, + "displayName": "predicate_set" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StatementSet", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StatementSet", + "safeName": "andurilEntitymanagerV1StatementSet" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement_set", + "safeName": "anduril_entitymanager_v_1_statement_set" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StatementSet", + "safeName": "AndurilEntitymanagerV1StatementSet" + } + }, + "typeId": "anduril.entitymanager.v1.StatementSet", + "default": null, + "inline": false, + "displayName": "statement_set" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.AndOperation": { + "name": { + "typeId": "anduril.entitymanager.v1.AndOperation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AndOperation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AndOperation", + "safeName": "andurilEntitymanagerV1AndOperation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_and_operation", + "safeName": "anduril_entitymanager_v_1_and_operation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AndOperation", + "safeName": "AndurilEntitymanagerV1AndOperation" + } + }, + "displayName": "AndOperation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "children", + "camelCase": { + "unsafeName": "children", + "safeName": "children" + }, + "snakeCase": { + "unsafeName": "children", + "safeName": "children" + }, + "screamingSnakeCase": { + "unsafeName": "CHILDREN", + "safeName": "CHILDREN" + }, + "pascalCase": { + "unsafeName": "Children", + "safeName": "Children" + } + }, + "wireValue": "children" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.AndOperationChildren", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1AndOperationChildren", + "safeName": "andurilEntitymanagerV1AndOperationChildren" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_and_operation_children", + "safeName": "anduril_entitymanager_v_1_and_operation_children" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION_CHILDREN", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_AND_OPERATION_CHILDREN" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1AndOperationChildren", + "safeName": "AndurilEntitymanagerV1AndOperationChildren" + } + }, + "typeId": "anduril.entitymanager.v1.AndOperationChildren", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The AndOperation represents the boolean AND operation, which is to be applied to the list of\\n children statement(s) or predicate(s)." + }, + "anduril.entitymanager.v1.OrOperationChildren": { + "name": { + "typeId": "anduril.entitymanager.v1.OrOperationChildren", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OrOperationChildren", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OrOperationChildren", + "safeName": "andurilEntitymanagerV1OrOperationChildren" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_or_operation_children", + "safeName": "anduril_entitymanager_v_1_or_operation_children" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION_CHILDREN", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION_CHILDREN" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OrOperationChildren", + "safeName": "AndurilEntitymanagerV1OrOperationChildren" + } + }, + "displayName": "OrOperationChildren" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PredicateSet", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PredicateSet", + "safeName": "andurilEntitymanagerV1PredicateSet" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_predicate_set", + "safeName": "anduril_entitymanager_v_1_predicate_set" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PredicateSet", + "safeName": "AndurilEntitymanagerV1PredicateSet" + } + }, + "typeId": "anduril.entitymanager.v1.PredicateSet", + "default": null, + "inline": false, + "displayName": "predicate_set" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StatementSet", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StatementSet", + "safeName": "andurilEntitymanagerV1StatementSet" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement_set", + "safeName": "anduril_entitymanager_v_1_statement_set" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StatementSet", + "safeName": "AndurilEntitymanagerV1StatementSet" + } + }, + "typeId": "anduril.entitymanager.v1.StatementSet", + "default": null, + "inline": false, + "displayName": "statement_set" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.OrOperation": { + "name": { + "typeId": "anduril.entitymanager.v1.OrOperation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OrOperation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OrOperation", + "safeName": "andurilEntitymanagerV1OrOperation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_or_operation", + "safeName": "anduril_entitymanager_v_1_or_operation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OrOperation", + "safeName": "AndurilEntitymanagerV1OrOperation" + } + }, + "displayName": "OrOperation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "children", + "camelCase": { + "unsafeName": "children", + "safeName": "children" + }, + "snakeCase": { + "unsafeName": "children", + "safeName": "children" + }, + "screamingSnakeCase": { + "unsafeName": "CHILDREN", + "safeName": "CHILDREN" + }, + "pascalCase": { + "unsafeName": "Children", + "safeName": "Children" + } + }, + "wireValue": "children" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OrOperationChildren", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OrOperationChildren", + "safeName": "andurilEntitymanagerV1OrOperationChildren" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_or_operation_children", + "safeName": "anduril_entitymanager_v_1_or_operation_children" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION_CHILDREN", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OR_OPERATION_CHILDREN" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OrOperationChildren", + "safeName": "AndurilEntitymanagerV1OrOperationChildren" + } + }, + "typeId": "anduril.entitymanager.v1.OrOperationChildren", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The OrOperation represents the boolean OR operation, which is to be applied to the list of\\n children statement(s) or predicate(s)." + }, + "anduril.entitymanager.v1.NotOperationChild": { + "name": { + "typeId": "anduril.entitymanager.v1.NotOperationChild", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NotOperationChild", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NotOperationChild", + "safeName": "andurilEntitymanagerV1NotOperationChild" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_not_operation_child", + "safeName": "anduril_entitymanager_v_1_not_operation_child" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION_CHILD", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION_CHILD" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NotOperationChild", + "safeName": "AndurilEntitymanagerV1NotOperationChild" + } + }, + "displayName": "NotOperationChild" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Predicate", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Predicate", + "safeName": "andurilEntitymanagerV1Predicate" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_predicate", + "safeName": "anduril_entitymanager_v_1_predicate" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Predicate", + "safeName": "AndurilEntitymanagerV1Predicate" + } + }, + "typeId": "anduril.entitymanager.v1.Predicate", + "default": null, + "inline": false, + "displayName": "predicate" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Statement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Statement", + "safeName": "andurilEntitymanagerV1Statement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement", + "safeName": "anduril_entitymanager_v_1_statement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Statement", + "safeName": "AndurilEntitymanagerV1Statement" + } + }, + "typeId": "anduril.entitymanager.v1.Statement", + "default": null, + "inline": false, + "displayName": "statement" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.NotOperation": { + "name": { + "typeId": "anduril.entitymanager.v1.NotOperation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NotOperation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NotOperation", + "safeName": "andurilEntitymanagerV1NotOperation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_not_operation", + "safeName": "anduril_entitymanager_v_1_not_operation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NotOperation", + "safeName": "AndurilEntitymanagerV1NotOperation" + } + }, + "displayName": "NotOperation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "child", + "camelCase": { + "unsafeName": "child", + "safeName": "child" + }, + "snakeCase": { + "unsafeName": "child", + "safeName": "child" + }, + "screamingSnakeCase": { + "unsafeName": "CHILD", + "safeName": "CHILD" + }, + "pascalCase": { + "unsafeName": "Child", + "safeName": "Child" + } + }, + "wireValue": "child" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NotOperationChild", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NotOperationChild", + "safeName": "andurilEntitymanagerV1NotOperationChild" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_not_operation_child", + "safeName": "anduril_entitymanager_v_1_not_operation_child" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION_CHILD", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NOT_OPERATION_CHILD" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NotOperationChild", + "safeName": "AndurilEntitymanagerV1NotOperationChild" + } + }, + "typeId": "anduril.entitymanager.v1.NotOperationChild", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The NotOperation represents the boolean NOT operation, which can only be applied to a single\\n child predicate or statement." + }, + "anduril.entitymanager.v1.ListOperation": { + "name": { + "typeId": "anduril.entitymanager.v1.ListOperation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ListOperation", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ListOperation", + "safeName": "andurilEntitymanagerV1ListOperation" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_list_operation", + "safeName": "anduril_entitymanager_v_1_list_operation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_OPERATION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_OPERATION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ListOperation", + "safeName": "AndurilEntitymanagerV1ListOperation" + } + }, + "displayName": "ListOperation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "list_path", + "camelCase": { + "unsafeName": "listPath", + "safeName": "listPath" + }, + "snakeCase": { + "unsafeName": "list_path", + "safeName": "list_path" + }, + "screamingSnakeCase": { + "unsafeName": "LIST_PATH", + "safeName": "LIST_PATH" + }, + "pascalCase": { + "unsafeName": "ListPath", + "safeName": "ListPath" + } + }, + "wireValue": "list_path" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The list_path specifies the repeated field on an entity to which this operation applies." + }, + { + "name": { + "name": { + "originalName": "list_comparator", + "camelCase": { + "unsafeName": "listComparator", + "safeName": "listComparator" + }, + "snakeCase": { + "unsafeName": "list_comparator", + "safeName": "list_comparator" + }, + "screamingSnakeCase": { + "unsafeName": "LIST_COMPARATOR", + "safeName": "LIST_COMPARATOR" + }, + "pascalCase": { + "unsafeName": "ListComparator", + "safeName": "ListComparator" + } + }, + "wireValue": "list_comparator" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ListComparator", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ListComparator", + "safeName": "andurilEntitymanagerV1ListComparator" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_list_comparator", + "safeName": "anduril_entitymanager_v_1_list_comparator" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_COMPARATOR", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_COMPARATOR" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ListComparator", + "safeName": "AndurilEntitymanagerV1ListComparator" + } + }, + "typeId": "anduril.entitymanager.v1.ListComparator", + "default": null, + "inline": false, + "displayName": "list_comparator" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The list_comparator specifies how to compose the boolean results from the child statement\\n for each member of the specified list." + }, + { + "name": { + "name": { + "originalName": "statement", + "camelCase": { + "unsafeName": "statement", + "safeName": "statement" + }, + "snakeCase": { + "unsafeName": "statement", + "safeName": "statement" + }, + "screamingSnakeCase": { + "unsafeName": "STATEMENT", + "safeName": "STATEMENT" + }, + "pascalCase": { + "unsafeName": "Statement", + "safeName": "Statement" + } + }, + "wireValue": "statement" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Statement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Statement", + "safeName": "andurilEntitymanagerV1Statement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement", + "safeName": "anduril_entitymanager_v_1_statement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Statement", + "safeName": "AndurilEntitymanagerV1Statement" + } + }, + "typeId": "anduril.entitymanager.v1.Statement", + "default": null, + "inline": false, + "displayName": "statement" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The statement is a new expression tree conceptually rooted at type of the list. It determines\\n how each member of the list is evaluated." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The ListOperation represents an operation against a proto list. If the list is of primitive proto\\n type (e.g. int32), paths in all child predicates should be left empty. If the list is of message\\n proto type (e.g. Sensor), paths in all child predicates should be relative to the list path.\\n\\n For example, the criteria \\"take an action if an entity has any sensor with sensor_id='sensor' and\\n OperationalState=STATE_OFF\\" would be modeled as:\\n Predicate1: { path: \\"sensor_id\\", comparator: EQUAL_TO, value: \\"sensor\\" }\\n Predicate2: { path: \\"operational_state\\", comparator: EQUAL_TO, value: STATE_OFF }\\n\\n Statement2: { AndOperation: PredicateSet: { , } }\\n ListOperation: { list_path: \\"sensors.sensors\\", list_comparator: ANY, statement: }\\n Statement1: { ListOperation: }\\n\\n Note that in the above, the child predicates of the list operation have paths relative to the\\n list_path because the list is comprised of message not primitive types." + }, + "anduril.entitymanager.v1.PredicateSet": { + "name": { + "typeId": "anduril.entitymanager.v1.PredicateSet", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PredicateSet", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PredicateSet", + "safeName": "andurilEntitymanagerV1PredicateSet" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_predicate_set", + "safeName": "anduril_entitymanager_v_1_predicate_set" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE_SET" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PredicateSet", + "safeName": "AndurilEntitymanagerV1PredicateSet" + } + }, + "displayName": "PredicateSet" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "predicates", + "camelCase": { + "unsafeName": "predicates", + "safeName": "predicates" + }, + "snakeCase": { + "unsafeName": "predicates", + "safeName": "predicates" + }, + "screamingSnakeCase": { + "unsafeName": "PREDICATES", + "safeName": "PREDICATES" + }, + "pascalCase": { + "unsafeName": "Predicates", + "safeName": "Predicates" + } + }, + "wireValue": "predicates" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Predicate", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Predicate", + "safeName": "andurilEntitymanagerV1Predicate" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_predicate", + "safeName": "anduril_entitymanager_v_1_predicate" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Predicate", + "safeName": "AndurilEntitymanagerV1Predicate" + } + }, + "typeId": "anduril.entitymanager.v1.Predicate", + "default": null, + "inline": false, + "displayName": "predicates" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The PredicateSet represents a list of predicates or \\"leaf nodes\\" in the expression tree, which\\n can be directly evaluated to a boolean TRUE/FALSE result." + }, + "anduril.entitymanager.v1.StatementSet": { + "name": { + "typeId": "anduril.entitymanager.v1.StatementSet", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StatementSet", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StatementSet", + "safeName": "andurilEntitymanagerV1StatementSet" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement_set", + "safeName": "anduril_entitymanager_v_1_statement_set" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT_SET" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StatementSet", + "safeName": "AndurilEntitymanagerV1StatementSet" + } + }, + "displayName": "StatementSet" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "statements", + "camelCase": { + "unsafeName": "statements", + "safeName": "statements" + }, + "snakeCase": { + "unsafeName": "statements", + "safeName": "statements" + }, + "screamingSnakeCase": { + "unsafeName": "STATEMENTS", + "safeName": "STATEMENTS" + }, + "pascalCase": { + "unsafeName": "Statements", + "safeName": "Statements" + } + }, + "wireValue": "statements" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Statement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Statement", + "safeName": "andurilEntitymanagerV1Statement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement", + "safeName": "anduril_entitymanager_v_1_statement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Statement", + "safeName": "AndurilEntitymanagerV1Statement" + } + }, + "typeId": "anduril.entitymanager.v1.Statement", + "default": null, + "inline": false, + "displayName": "statements" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The StatementSet represents a list of statements or \\"tree nodes,\\" each of which follow the same\\n behavior as the Statement proto message." + }, + "anduril.entitymanager.v1.Predicate": { + "name": { + "typeId": "anduril.entitymanager.v1.Predicate", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Predicate", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Predicate", + "safeName": "andurilEntitymanagerV1Predicate" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_predicate", + "safeName": "anduril_entitymanager_v_1_predicate" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PREDICATE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Predicate", + "safeName": "AndurilEntitymanagerV1Predicate" + } + }, + "displayName": "Predicate" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "field_path", + "camelCase": { + "unsafeName": "fieldPath", + "safeName": "fieldPath" + }, + "snakeCase": { + "unsafeName": "field_path", + "safeName": "field_path" + }, + "screamingSnakeCase": { + "unsafeName": "FIELD_PATH", + "safeName": "FIELD_PATH" + }, + "pascalCase": { + "unsafeName": "FieldPath", + "safeName": "FieldPath" + } + }, + "wireValue": "field_path" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The field_path determines which field on an entity is being referenced in this predicate. For\\n example: correlated.primary_entity_id would be primary_entity_id in correlated component." + }, + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Value", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Value", + "safeName": "andurilEntitymanagerV1Value" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_value", + "safeName": "anduril_entitymanager_v_1_value" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Value", + "safeName": "AndurilEntitymanagerV1Value" + } + }, + "typeId": "anduril.entitymanager.v1.Value", + "default": null, + "inline": false, + "displayName": "value" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The value determines the fixed value against which the entity field is to be compared.\\n In the case of COMPARATOR_MATCH_ALL, the value contents do not matter as long as the Value is a supported\\n type." + }, + { + "name": { + "name": { + "originalName": "comparator", + "camelCase": { + "unsafeName": "comparator", + "safeName": "comparator" + }, + "snakeCase": { + "unsafeName": "comparator", + "safeName": "comparator" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR", + "safeName": "COMPARATOR" + }, + "pascalCase": { + "unsafeName": "Comparator", + "safeName": "Comparator" + } + }, + "wireValue": "comparator" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Comparator", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Comparator", + "safeName": "andurilEntitymanagerV1Comparator" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_comparator", + "safeName": "anduril_entitymanager_v_1_comparator" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_COMPARATOR", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_COMPARATOR" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Comparator", + "safeName": "AndurilEntitymanagerV1Comparator" + } + }, + "typeId": "anduril.entitymanager.v1.Comparator", + "default": null, + "inline": false, + "displayName": "comparator" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The comparator determines the manner in which the entity field and static value are compared.\\n Comparators may only be applied to certain values. For example, the WITHIN comparator cannot\\n be used for a boolean value comparison." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The Predicate fully encodes the information required to make an evaluation of an entity field\\n against a given static value, resulting in a boolean TRUE/FALSE result. The structure of a\\n predicate will always follow: \\"{entity-value} {comparator} {fixed-value}\\" where the entity value\\n is determined by the field path.\\n\\n For example, a predicate would read as: \\"{entity.location.velocity_enu} {LESS_THAN} {500kph}\\"" + }, + "anduril.entitymanager.v1.ValueType": { + "name": { + "typeId": "anduril.entitymanager.v1.ValueType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ValueType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ValueType", + "safeName": "andurilEntitymanagerV1ValueType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_value_type", + "safeName": "anduril_entitymanager_v_1_value_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ValueType", + "safeName": "AndurilEntitymanagerV1ValueType" + } + }, + "displayName": "ValueType" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.BooleanType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1BooleanType", + "safeName": "andurilEntitymanagerV1BooleanType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_boolean_type", + "safeName": "anduril_entitymanager_v_1_boolean_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOOLEAN_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOOLEAN_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1BooleanType", + "safeName": "AndurilEntitymanagerV1BooleanType" + } + }, + "typeId": "anduril.entitymanager.v1.BooleanType", + "default": null, + "inline": false, + "displayName": "boolean_type" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NumericType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NumericType", + "safeName": "andurilEntitymanagerV1NumericType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_numeric_type", + "safeName": "anduril_entitymanager_v_1_numeric_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NumericType", + "safeName": "AndurilEntitymanagerV1NumericType" + } + }, + "typeId": "anduril.entitymanager.v1.NumericType", + "default": null, + "inline": false, + "displayName": "numeric_type" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StringType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StringType", + "safeName": "andurilEntitymanagerV1StringType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_string_type", + "safeName": "anduril_entitymanager_v_1_string_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STRING_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STRING_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StringType", + "safeName": "AndurilEntitymanagerV1StringType" + } + }, + "typeId": "anduril.entitymanager.v1.StringType", + "default": null, + "inline": false, + "displayName": "string_type" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.EnumType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1EnumType", + "safeName": "andurilEntitymanagerV1EnumType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_enum_type", + "safeName": "anduril_entitymanager_v_1_enum_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENUM_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENUM_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1EnumType", + "safeName": "AndurilEntitymanagerV1EnumType" + } + }, + "typeId": "anduril.entitymanager.v1.EnumType", + "default": null, + "inline": false, + "displayName": "enum_type" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TimestampType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TimestampType", + "safeName": "andurilEntitymanagerV1TimestampType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_timestamp_type", + "safeName": "anduril_entitymanager_v_1_timestamp_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TIMESTAMP_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TIMESTAMP_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TimestampType", + "safeName": "AndurilEntitymanagerV1TimestampType" + } + }, + "typeId": "anduril.entitymanager.v1.TimestampType", + "default": null, + "inline": false, + "displayName": "timestamp_type" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.BoundedShapeType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1BoundedShapeType", + "safeName": "andurilEntitymanagerV1BoundedShapeType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_bounded_shape_type", + "safeName": "anduril_entitymanager_v_1_bounded_shape_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1BoundedShapeType", + "safeName": "AndurilEntitymanagerV1BoundedShapeType" + } + }, + "typeId": "anduril.entitymanager.v1.BoundedShapeType", + "default": null, + "inline": false, + "displayName": "bounded_shape_type" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PositionType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PositionType", + "safeName": "andurilEntitymanagerV1PositionType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position_type", + "safeName": "anduril_entitymanager_v_1_position_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PositionType", + "safeName": "AndurilEntitymanagerV1PositionType" + } + }, + "typeId": "anduril.entitymanager.v1.PositionType", + "default": null, + "inline": false, + "displayName": "position_type" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.HeadingType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1HeadingType", + "safeName": "andurilEntitymanagerV1HeadingType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_heading_type", + "safeName": "anduril_entitymanager_v_1_heading_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEADING_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEADING_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1HeadingType", + "safeName": "AndurilEntitymanagerV1HeadingType" + } + }, + "typeId": "anduril.entitymanager.v1.HeadingType", + "default": null, + "inline": false, + "displayName": "heading_type" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ListType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ListType", + "safeName": "andurilEntitymanagerV1ListType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_list_type", + "safeName": "anduril_entitymanager_v_1_list_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ListType", + "safeName": "AndurilEntitymanagerV1ListType" + } + }, + "typeId": "anduril.entitymanager.v1.ListType", + "default": null, + "inline": false, + "displayName": "list_type" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RangeType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RangeType", + "safeName": "andurilEntitymanagerV1RangeType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_range_type", + "safeName": "anduril_entitymanager_v_1_range_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RangeType", + "safeName": "AndurilEntitymanagerV1RangeType" + } + }, + "typeId": "anduril.entitymanager.v1.RangeType", + "default": null, + "inline": false, + "displayName": "range_type" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.Value": { + "name": { + "typeId": "anduril.entitymanager.v1.Value", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Value", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Value", + "safeName": "andurilEntitymanagerV1Value" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_value", + "safeName": "anduril_entitymanager_v_1_value" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Value", + "safeName": "AndurilEntitymanagerV1Value" + } + }, + "displayName": "Value" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "type", + "camelCase": { + "unsafeName": "type", + "safeName": "type" + }, + "snakeCase": { + "unsafeName": "type", + "safeName": "type" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE", + "safeName": "TYPE" + }, + "pascalCase": { + "unsafeName": "Type", + "safeName": "Type" + } + }, + "wireValue": "type" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ValueType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ValueType", + "safeName": "andurilEntitymanagerV1ValueType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_value_type", + "safeName": "anduril_entitymanager_v_1_value_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ValueType", + "safeName": "AndurilEntitymanagerV1ValueType" + } + }, + "typeId": "anduril.entitymanager.v1.ValueType", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The Value represents the information against which an entity field is evaluated. It is one of\\n a fixed set of types, each of which correspond to specific comparators. See \\"ComparatorType\\"\\n for the full list of Value <-> Comparator mappings." + }, + "anduril.entitymanager.v1.BooleanType": { + "name": { + "typeId": "anduril.entitymanager.v1.BooleanType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.BooleanType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1BooleanType", + "safeName": "andurilEntitymanagerV1BooleanType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_boolean_type", + "safeName": "anduril_entitymanager_v_1_boolean_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOOLEAN_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOOLEAN_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1BooleanType", + "safeName": "AndurilEntitymanagerV1BooleanType" + } + }, + "displayName": "BooleanType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The BooleanType represents a static boolean value." + }, + "anduril.entitymanager.v1.NumericTypeValue": { + "name": { + "typeId": "anduril.entitymanager.v1.NumericTypeValue", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NumericTypeValue", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NumericTypeValue", + "safeName": "andurilEntitymanagerV1NumericTypeValue" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_numeric_type_value", + "safeName": "anduril_entitymanager_v_1_numeric_type_value" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE_VALUE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE_VALUE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NumericTypeValue", + "safeName": "AndurilEntitymanagerV1NumericTypeValue" + } + }, + "displayName": "NumericTypeValue" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + }, + "docs": null + }, + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + }, + "docs": null + }, + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + }, + "docs": null + }, + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "LONG", + "v2": { + "type": "long", + "default": null + } + } + }, + "docs": null + }, + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + }, + "docs": null + }, + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "UINT_64", + "v2": { + "type": "uint64" + } + } + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.NumericType": { + "name": { + "typeId": "anduril.entitymanager.v1.NumericType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NumericType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NumericType", + "safeName": "andurilEntitymanagerV1NumericType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_numeric_type", + "safeName": "anduril_entitymanager_v_1_numeric_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NumericType", + "safeName": "AndurilEntitymanagerV1NumericType" + } + }, + "displayName": "NumericType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NumericTypeValue", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NumericTypeValue", + "safeName": "andurilEntitymanagerV1NumericTypeValue" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_numeric_type_value", + "safeName": "anduril_entitymanager_v_1_numeric_type_value" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE_VALUE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE_VALUE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NumericTypeValue", + "safeName": "AndurilEntitymanagerV1NumericTypeValue" + } + }, + "typeId": "anduril.entitymanager.v1.NumericTypeValue", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The NumericType represents static numeric values. It supports all numeric primitives supported\\n by the proto3 language specification." + }, + "anduril.entitymanager.v1.StringType": { + "name": { + "typeId": "anduril.entitymanager.v1.StringType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StringType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StringType", + "safeName": "andurilEntitymanagerV1StringType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_string_type", + "safeName": "anduril_entitymanager_v_1_string_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STRING_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STRING_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StringType", + "safeName": "AndurilEntitymanagerV1StringType" + } + }, + "displayName": "StringType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The StringType represents static string values." + }, + "anduril.entitymanager.v1.EnumType": { + "name": { + "typeId": "anduril.entitymanager.v1.EnumType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.EnumType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1EnumType", + "safeName": "andurilEntitymanagerV1EnumType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_enum_type", + "safeName": "anduril_entitymanager_v_1_enum_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENUM_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENUM_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1EnumType", + "safeName": "AndurilEntitymanagerV1EnumType" + } + }, + "displayName": "EnumType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The EnumType represents members of well-known anduril ontologies, such as \\"disposition.\\" When\\n such a value is specified, the evaluation library expects the integer representation of the enum\\n value. For example, a disposition derived from ontology.v1 such as \\"DISPOSITION_HOSTILE\\" should be\\n represented with the integer value 2." + }, + "anduril.entitymanager.v1.ListType": { + "name": { + "typeId": "anduril.entitymanager.v1.ListType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.ListType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1ListType", + "safeName": "andurilEntitymanagerV1ListType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_list_type", + "safeName": "anduril_entitymanager_v_1_list_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_LIST_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1ListType", + "safeName": "AndurilEntitymanagerV1ListType" + } + }, + "displayName": "ListType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "values", + "camelCase": { + "unsafeName": "values", + "safeName": "values" + }, + "snakeCase": { + "unsafeName": "values", + "safeName": "values" + }, + "screamingSnakeCase": { + "unsafeName": "VALUES", + "safeName": "VALUES" + }, + "pascalCase": { + "unsafeName": "Values", + "safeName": "Values" + } + }, + "wireValue": "values" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Value", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Value", + "safeName": "andurilEntitymanagerV1Value" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_value", + "safeName": "anduril_entitymanager_v_1_value" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_VALUE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Value", + "safeName": "AndurilEntitymanagerV1Value" + } + }, + "typeId": "anduril.entitymanager.v1.Value", + "default": null, + "inline": false, + "displayName": "values" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A List of Values for use with the IN comparator." + }, + "anduril.entitymanager.v1.TimestampType": { + "name": { + "typeId": "anduril.entitymanager.v1.TimestampType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.TimestampType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1TimestampType", + "safeName": "andurilEntitymanagerV1TimestampType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_timestamp_type", + "safeName": "anduril_entitymanager_v_1_timestamp_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_TIMESTAMP_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_TIMESTAMP_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1TimestampType", + "safeName": "AndurilEntitymanagerV1TimestampType" + } + }, + "displayName": "TimestampType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "value" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The TimestampType represents a static timestamp value." + }, + "anduril.entitymanager.v1.PositionType": { + "name": { + "typeId": "anduril.entitymanager.v1.PositionType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PositionType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PositionType", + "safeName": "andurilEntitymanagerV1PositionType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position_type", + "safeName": "anduril_entitymanager_v_1_position_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PositionType", + "safeName": "AndurilEntitymanagerV1PositionType" + } + }, + "displayName": "PositionType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Position", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Position", + "safeName": "andurilEntitymanagerV1Position" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_position", + "safeName": "anduril_entitymanager_v_1_position" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_POSITION" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Position", + "safeName": "AndurilEntitymanagerV1Position" + } + }, + "typeId": "anduril.entitymanager.v1.Position", + "default": null, + "inline": false, + "displayName": "value" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The PositionType represents any fixed LLA point in space." + }, + "anduril.entitymanager.v1.BoundedShapeTypeValue": { + "name": { + "typeId": "anduril.entitymanager.v1.BoundedShapeTypeValue", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.BoundedShapeTypeValue", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1BoundedShapeTypeValue", + "safeName": "andurilEntitymanagerV1BoundedShapeTypeValue" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_bounded_shape_type_value", + "safeName": "anduril_entitymanager_v_1_bounded_shape_type_value" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE_VALUE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE_VALUE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1BoundedShapeTypeValue", + "safeName": "AndurilEntitymanagerV1BoundedShapeTypeValue" + } + }, + "displayName": "BoundedShapeTypeValue" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GeoPolygon", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GeoPolygon", + "safeName": "andurilEntitymanagerV1GeoPolygon" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_geo_polygon", + "safeName": "anduril_entitymanager_v_1_geo_polygon" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GEO_POLYGON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GeoPolygon", + "safeName": "AndurilEntitymanagerV1GeoPolygon" + } + }, + "typeId": "anduril.entitymanager.v1.GeoPolygon", + "default": null, + "inline": false, + "displayName": "polygon_value" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.BoundedShapeType": { + "name": { + "typeId": "anduril.entitymanager.v1.BoundedShapeType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.BoundedShapeType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1BoundedShapeType", + "safeName": "andurilEntitymanagerV1BoundedShapeType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_bounded_shape_type", + "safeName": "anduril_entitymanager_v_1_bounded_shape_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1BoundedShapeType", + "safeName": "AndurilEntitymanagerV1BoundedShapeType" + } + }, + "displayName": "BoundedShapeType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.BoundedShapeTypeValue", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1BoundedShapeTypeValue", + "safeName": "andurilEntitymanagerV1BoundedShapeTypeValue" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_bounded_shape_type_value", + "safeName": "anduril_entitymanager_v_1_bounded_shape_type_value" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE_VALUE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_BOUNDED_SHAPE_TYPE_VALUE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1BoundedShapeTypeValue", + "safeName": "AndurilEntitymanagerV1BoundedShapeTypeValue" + } + }, + "typeId": "anduril.entitymanager.v1.BoundedShapeTypeValue", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The BoundedShapeType represents any static fully-enclosed shape." + }, + "anduril.entitymanager.v1.HeadingType": { + "name": { + "typeId": "anduril.entitymanager.v1.HeadingType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.HeadingType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1HeadingType", + "safeName": "andurilEntitymanagerV1HeadingType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_heading_type", + "safeName": "anduril_entitymanager_v_1_heading_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEADING_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEADING_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1HeadingType", + "safeName": "AndurilEntitymanagerV1HeadingType" + } + }, + "displayName": "HeadingType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The HeadingType represents the heading in degrees for an entity's\\n attitudeEnu quaternion to be compared against. Defaults between a range of 0 to 360" + }, + "anduril.entitymanager.v1.RangeType": { + "name": { + "typeId": "anduril.entitymanager.v1.RangeType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RangeType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RangeType", + "safeName": "andurilEntitymanagerV1RangeType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_range_type", + "safeName": "anduril_entitymanager_v_1_range_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RANGE_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RangeType", + "safeName": "AndurilEntitymanagerV1RangeType" + } + }, + "displayName": "RangeType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "start", + "camelCase": { + "unsafeName": "start", + "safeName": "start" + }, + "snakeCase": { + "unsafeName": "start", + "safeName": "start" + }, + "screamingSnakeCase": { + "unsafeName": "START", + "safeName": "START" + }, + "pascalCase": { + "unsafeName": "Start", + "safeName": "Start" + } + }, + "wireValue": "start" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NumericType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NumericType", + "safeName": "andurilEntitymanagerV1NumericType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_numeric_type", + "safeName": "anduril_entitymanager_v_1_numeric_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NumericType", + "safeName": "AndurilEntitymanagerV1NumericType" + } + }, + "typeId": "anduril.entitymanager.v1.NumericType", + "default": null, + "inline": false, + "displayName": "start" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "end", + "camelCase": { + "unsafeName": "end", + "safeName": "end" + }, + "snakeCase": { + "unsafeName": "end", + "safeName": "end" + }, + "screamingSnakeCase": { + "unsafeName": "END", + "safeName": "END" + }, + "pascalCase": { + "unsafeName": "End", + "safeName": "End" + } + }, + "wireValue": "end" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.NumericType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1NumericType", + "safeName": "andurilEntitymanagerV1NumericType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_numeric_type", + "safeName": "anduril_entitymanager_v_1_numeric_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_NUMERIC_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1NumericType", + "safeName": "AndurilEntitymanagerV1NumericType" + } + }, + "typeId": "anduril.entitymanager.v1.NumericType", + "default": null, + "inline": false, + "displayName": "end" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The RangeType represents a numeric range.\\n Whether endpoints are included are based on the comparator used.\\n Both endpoints must be of the same numeric type." + }, + "anduril.entitymanager.v1.RateLimit": { + "name": { + "typeId": "anduril.entitymanager.v1.RateLimit", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RateLimit", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RateLimit", + "safeName": "andurilEntitymanagerV1RateLimit" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_rate_limit", + "safeName": "anduril_entitymanager_v_1_rate_limit" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RATE_LIMIT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RATE_LIMIT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RateLimit", + "safeName": "AndurilEntitymanagerV1RateLimit" + } + }, + "displayName": "RateLimit" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "update_per_entity_limit_ms", + "camelCase": { + "unsafeName": "updatePerEntityLimitMs", + "safeName": "updatePerEntityLimitMs" + }, + "snakeCase": { + "unsafeName": "update_per_entity_limit_ms", + "safeName": "update_per_entity_limit_ms" + }, + "screamingSnakeCase": { + "unsafeName": "UPDATE_PER_ENTITY_LIMIT_MS", + "safeName": "UPDATE_PER_ENTITY_LIMIT_MS" + }, + "pascalCase": { + "unsafeName": "UpdatePerEntityLimitMs", + "safeName": "UpdatePerEntityLimitMs" + } + }, + "wireValue": "update_per_entity_limit_ms" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Specifies a minimum duration in milliseconds after an update for a given entity before another one\\n will be sent for the same entity.\\n A value of 0 is treated as unset. If set, value must be >= 500.\\n Example: if set to 1000, and 4 events occur (ms since start) at T0, T500, T900, T2100, then\\n event from T0 will be sent at T0, T500 will be dropped, T900 will be sent at minimum of T1000,\\n and T2100 will be sent on time (2100)\\n This will only limit updates, other events will be sent immediately, with a delete clearing anything held" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "rate-limiting / down-sampling parameters." + }, + "anduril.entitymanager.v1.EventType": { + "name": { + "typeId": "anduril.entitymanager.v1.EventType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.EventType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1EventType", + "safeName": "andurilEntitymanagerV1EventType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_event_type", + "safeName": "anduril_entitymanager_v_1_event_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_EVENT_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_EVENT_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1EventType", + "safeName": "AndurilEntitymanagerV1EventType" + } + }, + "displayName": "EventType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "EVENT_TYPE_INVALID", + "camelCase": { + "unsafeName": "eventTypeInvalid", + "safeName": "eventTypeInvalid" + }, + "snakeCase": { + "unsafeName": "event_type_invalid", + "safeName": "event_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE_INVALID", + "safeName": "EVENT_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "EventTypeInvalid", + "safeName": "EventTypeInvalid" + } + }, + "wireValue": "EVENT_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EVENT_TYPE_CREATED", + "camelCase": { + "unsafeName": "eventTypeCreated", + "safeName": "eventTypeCreated" + }, + "snakeCase": { + "unsafeName": "event_type_created", + "safeName": "event_type_created" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE_CREATED", + "safeName": "EVENT_TYPE_CREATED" + }, + "pascalCase": { + "unsafeName": "EventTypeCreated", + "safeName": "EventTypeCreated" + } + }, + "wireValue": "EVENT_TYPE_CREATED" + }, + "availability": null, + "docs": "entity was created." + }, + { + "name": { + "name": { + "originalName": "EVENT_TYPE_UPDATE", + "camelCase": { + "unsafeName": "eventTypeUpdate", + "safeName": "eventTypeUpdate" + }, + "snakeCase": { + "unsafeName": "event_type_update", + "safeName": "event_type_update" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE_UPDATE", + "safeName": "EVENT_TYPE_UPDATE" + }, + "pascalCase": { + "unsafeName": "EventTypeUpdate", + "safeName": "EventTypeUpdate" + } + }, + "wireValue": "EVENT_TYPE_UPDATE" + }, + "availability": null, + "docs": "entity was updated." + }, + { + "name": { + "name": { + "originalName": "EVENT_TYPE_DELETED", + "camelCase": { + "unsafeName": "eventTypeDeleted", + "safeName": "eventTypeDeleted" + }, + "snakeCase": { + "unsafeName": "event_type_deleted", + "safeName": "event_type_deleted" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE_DELETED", + "safeName": "EVENT_TYPE_DELETED" + }, + "pascalCase": { + "unsafeName": "EventTypeDeleted", + "safeName": "EventTypeDeleted" + } + }, + "wireValue": "EVENT_TYPE_DELETED" + }, + "availability": null, + "docs": "entity was deleted." + }, + { + "name": { + "name": { + "originalName": "EVENT_TYPE_PREEXISTING", + "camelCase": { + "unsafeName": "eventTypePreexisting", + "safeName": "eventTypePreexisting" + }, + "snakeCase": { + "unsafeName": "event_type_preexisting", + "safeName": "event_type_preexisting" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE_PREEXISTING", + "safeName": "EVENT_TYPE_PREEXISTING" + }, + "pascalCase": { + "unsafeName": "EventTypePreexisting", + "safeName": "EventTypePreexisting" + } + }, + "wireValue": "EVENT_TYPE_PREEXISTING" + }, + "availability": null, + "docs": "entity already existed, but sent on a new stream connection." + }, + { + "name": { + "name": { + "originalName": "EVENT_TYPE_POST_EXPIRY_OVERRIDE", + "camelCase": { + "unsafeName": "eventTypePostExpiryOverride", + "safeName": "eventTypePostExpiryOverride" + }, + "snakeCase": { + "unsafeName": "event_type_post_expiry_override", + "safeName": "event_type_post_expiry_override" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE_POST_EXPIRY_OVERRIDE", + "safeName": "EVENT_TYPE_POST_EXPIRY_OVERRIDE" + }, + "pascalCase": { + "unsafeName": "EventTypePostExpiryOverride", + "safeName": "EventTypePostExpiryOverride" + } + }, + "wireValue": "EVENT_TYPE_POST_EXPIRY_OVERRIDE" + }, + "availability": null, + "docs": "entity override was set after the entity expiration." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The type of entity event." + }, + "anduril.entitymanager.v1.PublishEntityRequest": { + "name": { + "typeId": "anduril.entitymanager.v1.PublishEntityRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PublishEntityRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PublishEntityRequest", + "safeName": "andurilEntitymanagerV1PublishEntityRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_publish_entity_request", + "safeName": "anduril_entitymanager_v_1_publish_entity_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PublishEntityRequest", + "safeName": "AndurilEntitymanagerV1PublishEntityRequest" + } + }, + "displayName": "PublishEntityRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity", + "camelCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "snakeCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY", + "safeName": "ENTITY" + }, + "pascalCase": { + "unsafeName": "Entity", + "safeName": "Entity" + } + }, + "wireValue": "entity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Entity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Entity", + "safeName": "andurilEntitymanagerV1Entity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_entity", + "safeName": "anduril_entitymanager_v_1_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Entity", + "safeName": "AndurilEntitymanagerV1Entity" + } + }, + "typeId": "anduril.entitymanager.v1.Entity", + "default": null, + "inline": false, + "displayName": "entity" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Create or update an entity.\\n Required fields:\\n * entity_id: Unique string identifier. Can be a Globally Unique Identifier (GUID).\\n * expiry_time: Expiration time that must be greater than the current time and less than 30 days in the future. The Entities API will reject any entity update with an expiry_time in the past. When the expiry_time has passed, the Entities API will delete the entity from the COP and send a DELETE event.\\n * is_live: Boolean that when true, creates or updates the entity. If false and the entity is still live, triggers a DELETE event.\\n * provenance.integration_name: String that uniquely identifies the integration responsible for publishing the entity.\\n * provenance.data_type.\\n * provenance.source_update_time. This can be earlier than the RPC call if the data entered is older.\\n * aliases.name: Human-readable string that represents the name of an entity.\\n * ontology.template\\n For additional required fields that are determined by template, see com.anduril.entitymanager.v1.Template.\\n if an entity_id is provided, Entity Manager updates the entity. If no entity_id is provided, it creates an entity." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.PublishEntityResponse": { + "name": { + "typeId": "anduril.entitymanager.v1.PublishEntityResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PublishEntityResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PublishEntityResponse", + "safeName": "andurilEntitymanagerV1PublishEntityResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_publish_entity_response", + "safeName": "anduril_entitymanager_v_1_publish_entity_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PublishEntityResponse", + "safeName": "AndurilEntitymanagerV1PublishEntityResponse" + } + }, + "displayName": "PublishEntityResponse" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.PublishEntitiesRequest": { + "name": { + "typeId": "anduril.entitymanager.v1.PublishEntitiesRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PublishEntitiesRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PublishEntitiesRequest", + "safeName": "andurilEntitymanagerV1PublishEntitiesRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_publish_entities_request", + "safeName": "anduril_entitymanager_v_1_publish_entities_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PublishEntitiesRequest", + "safeName": "AndurilEntitymanagerV1PublishEntitiesRequest" + } + }, + "displayName": "PublishEntitiesRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity", + "camelCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "snakeCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY", + "safeName": "ENTITY" + }, + "pascalCase": { + "unsafeName": "Entity", + "safeName": "Entity" + } + }, + "wireValue": "entity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Entity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Entity", + "safeName": "andurilEntitymanagerV1Entity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_entity", + "safeName": "anduril_entitymanager_v_1_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Entity", + "safeName": "AndurilEntitymanagerV1Entity" + } + }, + "typeId": "anduril.entitymanager.v1.Entity", + "default": null, + "inline": false, + "displayName": "entity" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Sends a stream of entity objects to create or update.\\n Each entity requires the following fields:\\n * entity_id: Unique string identifier. Can be a Globally Unique Identifier (GUID).\\n * expiry_time: Expiration time that must be greater than the current time and less than 30 days in the future. The Entities API will reject any entity update with an expiry_time in the past. When the expiry_time has passed, the Entities API will delete the entity from the COP and send a DELETE event.\\n * is_live: Boolean that when true, creates or updates the entity. If false and the entity is still live, triggers a DELETE event.\\n * provenance.integration_name: String that uniquely identifies the integration responsible for publishing the entity.\\n * provenance.data_type.\\n * provenance.source_update_time. This can be earlier than the RPC call if the data entered is older.\\n * aliases.name: Human-readable string that represents the name of an entity.\\n * ontology.template\\n For additional required fields that are determined by template, see com.anduril.entitymanager.v1.Template.\\n If an entity_id is provided, the entity updates. If no entity_id is provided, the entity is created." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.PublishEntitiesResponse": { + "name": { + "typeId": "anduril.entitymanager.v1.PublishEntitiesResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PublishEntitiesResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PublishEntitiesResponse", + "safeName": "andurilEntitymanagerV1PublishEntitiesResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_publish_entities_response", + "safeName": "anduril_entitymanager_v_1_publish_entities_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PublishEntitiesResponse", + "safeName": "AndurilEntitymanagerV1PublishEntitiesResponse" + } + }, + "displayName": "PublishEntitiesResponse" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "After the stream closes, the server returns an empty message indicating success. The server will silently\\n drop invalid entities from the client stream. The client must reopen the stream if it's canceled due to\\n an End of File (EOF) or timeout." + }, + "anduril.entitymanager.v1.GetEntityRequest": { + "name": { + "typeId": "anduril.entitymanager.v1.GetEntityRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GetEntityRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GetEntityRequest", + "safeName": "andurilEntitymanagerV1GetEntityRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_get_entity_request", + "safeName": "anduril_entitymanager_v_1_get_entity_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GetEntityRequest", + "safeName": "AndurilEntitymanagerV1GetEntityRequest" + } + }, + "displayName": "GetEntityRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The GUID of this entity to query." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.GetEntityResponse": { + "name": { + "typeId": "anduril.entitymanager.v1.GetEntityResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GetEntityResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GetEntityResponse", + "safeName": "andurilEntitymanagerV1GetEntityResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_get_entity_response", + "safeName": "anduril_entitymanager_v_1_get_entity_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GetEntityResponse", + "safeName": "AndurilEntitymanagerV1GetEntityResponse" + } + }, + "displayName": "GetEntityResponse" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity", + "camelCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "snakeCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY", + "safeName": "ENTITY" + }, + "pascalCase": { + "unsafeName": "Entity", + "safeName": "Entity" + } + }, + "wireValue": "entity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Entity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Entity", + "safeName": "andurilEntitymanagerV1Entity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_entity", + "safeName": "anduril_entitymanager_v_1_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Entity", + "safeName": "AndurilEntitymanagerV1Entity" + } + }, + "typeId": "anduril.entitymanager.v1.Entity", + "default": null, + "inline": false, + "displayName": "entity" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "An Entity object that corresponds with the requested entityId." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.OverrideEntityRequest": { + "name": { + "typeId": "anduril.entitymanager.v1.OverrideEntityRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OverrideEntityRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OverrideEntityRequest", + "safeName": "andurilEntitymanagerV1OverrideEntityRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override_entity_request", + "safeName": "anduril_entitymanager_v_1_override_entity_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OverrideEntityRequest", + "safeName": "AndurilEntitymanagerV1OverrideEntityRequest" + } + }, + "displayName": "OverrideEntityRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity", + "camelCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "snakeCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY", + "safeName": "ENTITY" + }, + "pascalCase": { + "unsafeName": "Entity", + "safeName": "Entity" + } + }, + "wireValue": "entity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Entity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Entity", + "safeName": "andurilEntitymanagerV1Entity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_entity", + "safeName": "anduril_entitymanager_v_1_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Entity", + "safeName": "AndurilEntitymanagerV1Entity" + } + }, + "typeId": "anduril.entitymanager.v1.Entity", + "default": null, + "inline": false, + "displayName": "entity" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The entity containing the overridden fields. The service will extract the overridable fields from the entity\\n object and ignore any other fields." + }, + { + "name": { + "name": { + "originalName": "field_path", + "camelCase": { + "unsafeName": "fieldPath", + "safeName": "fieldPath" + }, + "snakeCase": { + "unsafeName": "field_path", + "safeName": "field_path" + }, + "screamingSnakeCase": { + "unsafeName": "FIELD_PATH", + "safeName": "FIELD_PATH" + }, + "pascalCase": { + "unsafeName": "FieldPath", + "safeName": "FieldPath" + } + }, + "wireValue": "field_path" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The field paths that will be extracted from the Entity and saved as an override. Only fields marked overridable can\\n be overridden." + }, + { + "name": { + "name": { + "originalName": "provenance", + "camelCase": { + "unsafeName": "provenance", + "safeName": "provenance" + }, + "snakeCase": { + "unsafeName": "provenance", + "safeName": "provenance" + }, + "screamingSnakeCase": { + "unsafeName": "PROVENANCE", + "safeName": "PROVENANCE" + }, + "pascalCase": { + "unsafeName": "Provenance", + "safeName": "Provenance" + } + }, + "wireValue": "provenance" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Provenance", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Provenance", + "safeName": "andurilEntitymanagerV1Provenance" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_provenance", + "safeName": "anduril_entitymanager_v_1_provenance" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PROVENANCE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Provenance", + "safeName": "AndurilEntitymanagerV1Provenance" + } + }, + "typeId": "anduril.entitymanager.v1.Provenance", + "default": null, + "inline": false, + "displayName": "provenance" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Additional information about the source of the override." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.OverrideEntityResponse": { + "name": { + "typeId": "anduril.entitymanager.v1.OverrideEntityResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OverrideEntityResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OverrideEntityResponse", + "safeName": "andurilEntitymanagerV1OverrideEntityResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override_entity_response", + "safeName": "anduril_entitymanager_v_1_override_entity_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OverrideEntityResponse", + "safeName": "AndurilEntitymanagerV1OverrideEntityResponse" + } + }, + "displayName": "OverrideEntityResponse" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "status", + "camelCase": { + "unsafeName": "status", + "safeName": "status" + }, + "snakeCase": { + "unsafeName": "status", + "safeName": "status" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS", + "safeName": "STATUS" + }, + "pascalCase": { + "unsafeName": "Status", + "safeName": "Status" + } + }, + "wireValue": "status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OverrideStatus", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OverrideStatus", + "safeName": "andurilEntitymanagerV1OverrideStatus" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override_status", + "safeName": "anduril_entitymanager_v_1_override_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OverrideStatus", + "safeName": "AndurilEntitymanagerV1OverrideStatus" + } + }, + "typeId": "anduril.entitymanager.v1.OverrideStatus", + "default": null, + "inline": false, + "displayName": "status" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The status of the override request." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.RemoveEntityOverrideRequest": { + "name": { + "typeId": "anduril.entitymanager.v1.RemoveEntityOverrideRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RemoveEntityOverrideRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RemoveEntityOverrideRequest", + "safeName": "andurilEntitymanagerV1RemoveEntityOverrideRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_remove_entity_override_request", + "safeName": "anduril_entitymanager_v_1_remove_entity_override_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RemoveEntityOverrideRequest", + "safeName": "AndurilEntitymanagerV1RemoveEntityOverrideRequest" + } + }, + "displayName": "RemoveEntityOverrideRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The entity ID that the override will be removed from." + }, + { + "name": { + "name": { + "originalName": "field_path", + "camelCase": { + "unsafeName": "fieldPath", + "safeName": "fieldPath" + }, + "snakeCase": { + "unsafeName": "field_path", + "safeName": "field_path" + }, + "screamingSnakeCase": { + "unsafeName": "FIELD_PATH", + "safeName": "FIELD_PATH" + }, + "pascalCase": { + "unsafeName": "FieldPath", + "safeName": "FieldPath" + } + }, + "wireValue": "field_path" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The field paths to remove from the override store for the provided entityId." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.RemoveEntityOverrideResponse": { + "name": { + "typeId": "anduril.entitymanager.v1.RemoveEntityOverrideResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RemoveEntityOverrideResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RemoveEntityOverrideResponse", + "safeName": "andurilEntitymanagerV1RemoveEntityOverrideResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_remove_entity_override_response", + "safeName": "anduril_entitymanager_v_1_remove_entity_override_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RemoveEntityOverrideResponse", + "safeName": "AndurilEntitymanagerV1RemoveEntityOverrideResponse" + } + }, + "displayName": "RemoveEntityOverrideResponse" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "void response but with placeholder for future optional fields." + }, + "anduril.entitymanager.v1.StreamEntityComponentsRequest": { + "name": { + "typeId": "anduril.entitymanager.v1.StreamEntityComponentsRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StreamEntityComponentsRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StreamEntityComponentsRequest", + "safeName": "andurilEntitymanagerV1StreamEntityComponentsRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_stream_entity_components_request", + "safeName": "anduril_entitymanager_v_1_stream_entity_components_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StreamEntityComponentsRequest", + "safeName": "AndurilEntitymanagerV1StreamEntityComponentsRequest" + } + }, + "displayName": "StreamEntityComponentsRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "components_to_include", + "camelCase": { + "unsafeName": "componentsToInclude", + "safeName": "componentsToInclude" + }, + "snakeCase": { + "unsafeName": "components_to_include", + "safeName": "components_to_include" + }, + "screamingSnakeCase": { + "unsafeName": "COMPONENTS_TO_INCLUDE", + "safeName": "COMPONENTS_TO_INCLUDE" + }, + "pascalCase": { + "unsafeName": "ComponentsToInclude", + "safeName": "ComponentsToInclude" + } + }, + "wireValue": "components_to_include" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "lower_snake_case component names to include in response events, e.g. location. Only included components will\\n populate." + }, + { + "name": { + "name": { + "originalName": "include_all_components", + "camelCase": { + "unsafeName": "includeAllComponents", + "safeName": "includeAllComponents" + }, + "snakeCase": { + "unsafeName": "include_all_components", + "safeName": "include_all_components" + }, + "screamingSnakeCase": { + "unsafeName": "INCLUDE_ALL_COMPONENTS", + "safeName": "INCLUDE_ALL_COMPONENTS" + }, + "pascalCase": { + "unsafeName": "IncludeAllComponents", + "safeName": "IncludeAllComponents" + } + }, + "wireValue": "include_all_components" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Subscribe to all components. This should only be used in cases where you want all components.\\n Setting both components_to_include and include_all_components is invalid and will be rejected." + }, + { + "name": { + "name": { + "originalName": "filter", + "camelCase": { + "unsafeName": "filter", + "safeName": "filter" + }, + "snakeCase": { + "unsafeName": "filter", + "safeName": "filter" + }, + "screamingSnakeCase": { + "unsafeName": "FILTER", + "safeName": "FILTER" + }, + "pascalCase": { + "unsafeName": "Filter", + "safeName": "Filter" + } + }, + "wireValue": "filter" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Statement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Statement", + "safeName": "andurilEntitymanagerV1Statement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement", + "safeName": "anduril_entitymanager_v_1_statement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Statement", + "safeName": "AndurilEntitymanagerV1Statement" + } + }, + "typeId": "anduril.entitymanager.v1.Statement", + "default": null, + "inline": false, + "displayName": "filter" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The root node of a statement filter \\"tree\\".\\n If provided, only entities matching the filter criteria will be streamed. The filter is applied dynamically so if a\\n new entity matches, it will be included, and if an entity updates to no longer match, it will be excluded." + }, + { + "name": { + "name": { + "originalName": "rate_limit", + "camelCase": { + "unsafeName": "rateLimit", + "safeName": "rateLimit" + }, + "snakeCase": { + "unsafeName": "rate_limit", + "safeName": "rate_limit" + }, + "screamingSnakeCase": { + "unsafeName": "RATE_LIMIT", + "safeName": "RATE_LIMIT" + }, + "pascalCase": { + "unsafeName": "RateLimit", + "safeName": "RateLimit" + } + }, + "wireValue": "rate_limit" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RateLimit", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RateLimit", + "safeName": "andurilEntitymanagerV1RateLimit" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_rate_limit", + "safeName": "anduril_entitymanager_v_1_rate_limit" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_RATE_LIMIT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_RATE_LIMIT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RateLimit", + "safeName": "AndurilEntitymanagerV1RateLimit" + } + }, + "typeId": "anduril.entitymanager.v1.RateLimit", + "default": null, + "inline": false, + "displayName": "rate_limit" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional rate-limiting / down-sampling parameters, see RateLimit message for details." + }, + { + "name": { + "name": { + "originalName": "heartbeat_period_millis", + "camelCase": { + "unsafeName": "heartbeatPeriodMillis", + "safeName": "heartbeatPeriodMillis" + }, + "snakeCase": { + "unsafeName": "heartbeat_period_millis", + "safeName": "heartbeat_period_millis" + }, + "screamingSnakeCase": { + "unsafeName": "HEARTBEAT_PERIOD_MILLIS", + "safeName": "HEARTBEAT_PERIOD_MILLIS" + }, + "pascalCase": { + "unsafeName": "HeartbeatPeriodMillis", + "safeName": "HeartbeatPeriodMillis" + } + }, + "wireValue": "heartbeat_period_millis" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The period (in milliseconds) at which a Heartbeat message will be sent on the\\n message stream. If this field is set to 0 then no Heartbeat messages are sent." + }, + { + "name": { + "name": { + "originalName": "preexisting_only", + "camelCase": { + "unsafeName": "preexistingOnly", + "safeName": "preexistingOnly" + }, + "snakeCase": { + "unsafeName": "preexisting_only", + "safeName": "preexisting_only" + }, + "screamingSnakeCase": { + "unsafeName": "PREEXISTING_ONLY", + "safeName": "PREEXISTING_ONLY" + }, + "pascalCase": { + "unsafeName": "PreexistingOnly", + "safeName": "PreexistingOnly" + } + }, + "wireValue": "preexisting_only" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Subscribe to a finite stream of preexisting events which closes when there are no additional pre-existing events to\\n process. Respects the filter specified on the StreamEntityComponentsRequest." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.StreamEntityComponentsResponse": { + "name": { + "typeId": "anduril.entitymanager.v1.StreamEntityComponentsResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StreamEntityComponentsResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StreamEntityComponentsResponse", + "safeName": "andurilEntitymanagerV1StreamEntityComponentsResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_stream_entity_components_response", + "safeName": "anduril_entitymanager_v_1_stream_entity_components_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StreamEntityComponentsResponse", + "safeName": "AndurilEntitymanagerV1StreamEntityComponentsResponse" + } + }, + "displayName": "StreamEntityComponentsResponse" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_event", + "camelCase": { + "unsafeName": "entityEvent", + "safeName": "entityEvent" + }, + "snakeCase": { + "unsafeName": "entity_event", + "safeName": "entity_event" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_EVENT", + "safeName": "ENTITY_EVENT" + }, + "pascalCase": { + "unsafeName": "EntityEvent", + "safeName": "EntityEvent" + } + }, + "wireValue": "entity_event" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.EntityEvent", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1EntityEvent", + "safeName": "andurilEntitymanagerV1EntityEvent" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_entity_event", + "safeName": "anduril_entitymanager_v_1_entity_event" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY_EVENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY_EVENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1EntityEvent", + "safeName": "AndurilEntitymanagerV1EntityEvent" + } + }, + "typeId": "anduril.entitymanager.v1.EntityEvent", + "default": null, + "inline": false, + "displayName": "entity_event" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "heartbeat", + "camelCase": { + "unsafeName": "heartbeat", + "safeName": "heartbeat" + }, + "snakeCase": { + "unsafeName": "heartbeat", + "safeName": "heartbeat" + }, + "screamingSnakeCase": { + "unsafeName": "HEARTBEAT", + "safeName": "HEARTBEAT" + }, + "pascalCase": { + "unsafeName": "Heartbeat", + "safeName": "Heartbeat" + } + }, + "wireValue": "heartbeat" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Heartbeat", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Heartbeat", + "safeName": "andurilEntitymanagerV1Heartbeat" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_heartbeat", + "safeName": "anduril_entitymanager_v_1_heartbeat" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEARTBEAT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEARTBEAT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Heartbeat", + "safeName": "AndurilEntitymanagerV1Heartbeat" + } + }, + "typeId": "anduril.entitymanager.v1.Heartbeat", + "default": null, + "inline": false, + "displayName": "heartbeat" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "response stream will be fed all matching pre-existing live entities as CREATED, plus any new events ongoing." + }, + "anduril.entitymanager.v1.EntityEvent": { + "name": { + "typeId": "anduril.entitymanager.v1.EntityEvent", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.EntityEvent", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1EntityEvent", + "safeName": "andurilEntitymanagerV1EntityEvent" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_entity_event", + "safeName": "anduril_entitymanager_v_1_entity_event" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY_EVENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY_EVENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1EntityEvent", + "safeName": "AndurilEntitymanagerV1EntityEvent" + } + }, + "displayName": "EntityEvent" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "event_type", + "camelCase": { + "unsafeName": "eventType", + "safeName": "eventType" + }, + "snakeCase": { + "unsafeName": "event_type", + "safeName": "event_type" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE", + "safeName": "EVENT_TYPE" + }, + "pascalCase": { + "unsafeName": "EventType", + "safeName": "EventType" + } + }, + "wireValue": "event_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.EventType", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1EventType", + "safeName": "andurilEntitymanagerV1EventType" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_event_type", + "safeName": "anduril_entitymanager_v_1_event_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_EVENT_TYPE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_EVENT_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1EventType", + "safeName": "AndurilEntitymanagerV1EventType" + } + }, + "typeId": "anduril.entitymanager.v1.EventType", + "default": null, + "inline": false, + "displayName": "event_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "time", + "camelCase": { + "unsafeName": "time", + "safeName": "time" + }, + "snakeCase": { + "unsafeName": "time", + "safeName": "time" + }, + "screamingSnakeCase": { + "unsafeName": "TIME", + "safeName": "TIME" + }, + "pascalCase": { + "unsafeName": "Time", + "safeName": "Time" + } + }, + "wireValue": "time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "entity", + "camelCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "snakeCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY", + "safeName": "ENTITY" + }, + "pascalCase": { + "unsafeName": "Entity", + "safeName": "Entity" + } + }, + "wireValue": "entity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Entity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Entity", + "safeName": "andurilEntitymanagerV1Entity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_entity", + "safeName": "anduril_entitymanager_v_1_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Entity", + "safeName": "AndurilEntitymanagerV1Entity" + } + }, + "typeId": "anduril.entitymanager.v1.Entity", + "default": null, + "inline": false, + "displayName": "entity" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Event representing some type of entity change." + }, + "anduril.entitymanager.v1.Heartbeat": { + "name": { + "typeId": "anduril.entitymanager.v1.Heartbeat", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Heartbeat", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Heartbeat", + "safeName": "andurilEntitymanagerV1Heartbeat" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_heartbeat", + "safeName": "anduril_entitymanager_v_1_heartbeat" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_HEARTBEAT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_HEARTBEAT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Heartbeat", + "safeName": "AndurilEntitymanagerV1Heartbeat" + } + }, + "displayName": "Heartbeat" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "timestamp", + "camelCase": { + "unsafeName": "timestamp", + "safeName": "timestamp" + }, + "snakeCase": { + "unsafeName": "timestamp", + "safeName": "timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "TIMESTAMP", + "safeName": "TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "Timestamp", + "safeName": "Timestamp" + } + }, + "wireValue": "timestamp" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "timestamp" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The timestamp at which the heartbeat message was sent." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A message that is periodically sent on the stream for keep-alive behaviour." + }, + "anduril.entitymanager.v1.DynamicStatement": { + "name": { + "typeId": "anduril.entitymanager.v1.DynamicStatement", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.DynamicStatement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1DynamicStatement", + "safeName": "andurilEntitymanagerV1DynamicStatement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_dynamic_statement", + "safeName": "anduril_entitymanager_v_1_dynamic_statement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_DYNAMIC_STATEMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_DYNAMIC_STATEMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1DynamicStatement", + "safeName": "AndurilEntitymanagerV1DynamicStatement" + } + }, + "displayName": "DynamicStatement" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "filter", + "camelCase": { + "unsafeName": "filter", + "safeName": "filter" + }, + "snakeCase": { + "unsafeName": "filter", + "safeName": "filter" + }, + "screamingSnakeCase": { + "unsafeName": "FILTER", + "safeName": "FILTER" + }, + "pascalCase": { + "unsafeName": "Filter", + "safeName": "Filter" + } + }, + "wireValue": "filter" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Statement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Statement", + "safeName": "andurilEntitymanagerV1Statement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement", + "safeName": "anduril_entitymanager_v_1_statement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Statement", + "safeName": "AndurilEntitymanagerV1Statement" + } + }, + "typeId": "anduril.entitymanager.v1.Statement", + "default": null, + "inline": false, + "displayName": "filter" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The filter statement is used to determine which entities can be compared to the dynamic series\\n of entities aggregated by the selector statement." + }, + { + "name": { + "name": { + "originalName": "selector", + "camelCase": { + "unsafeName": "selector", + "safeName": "selector" + }, + "snakeCase": { + "unsafeName": "selector", + "safeName": "selector" + }, + "screamingSnakeCase": { + "unsafeName": "SELECTOR", + "safeName": "SELECTOR" + }, + "pascalCase": { + "unsafeName": "Selector", + "safeName": "Selector" + } + }, + "wireValue": "selector" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Statement", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Statement", + "safeName": "andurilEntitymanagerV1Statement" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_statement", + "safeName": "anduril_entitymanager_v_1_statement" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STATEMENT" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Statement", + "safeName": "AndurilEntitymanagerV1Statement" + } + }, + "typeId": "anduril.entitymanager.v1.Statement", + "default": null, + "inline": false, + "displayName": "selector" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The selector statement is used to determine which entities should be a part of dynamically\\n changing set. The selector should be reevaluated as entites are created or deleted." + }, + { + "name": { + "name": { + "originalName": "comparator", + "camelCase": { + "unsafeName": "comparator", + "safeName": "comparator" + }, + "snakeCase": { + "unsafeName": "comparator", + "safeName": "comparator" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARATOR", + "safeName": "COMPARATOR" + }, + "pascalCase": { + "unsafeName": "Comparator", + "safeName": "Comparator" + } + }, + "wireValue": "comparator" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.IntersectionComparator", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1IntersectionComparator", + "safeName": "andurilEntitymanagerV1IntersectionComparator" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_intersection_comparator", + "safeName": "anduril_entitymanager_v_1_intersection_comparator" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1IntersectionComparator", + "safeName": "AndurilEntitymanagerV1IntersectionComparator" + } + }, + "typeId": "anduril.entitymanager.v1.IntersectionComparator", + "default": null, + "inline": false, + "displayName": "comparator" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The comparator specifies how the set intersection operation will be performed." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A DynamicStatement is the building block of a \\"runtime aware\\" entity filter - that is, any filter\\n which needs to perform operations against a series of entities that will need to be evaluated against\\n on demand. The DynamicStatement allows you to perform a set intersection operation across a static\\n set of entities dictated by a filter, and a dynamic set of entities dictated by a selector statement.\\n\\n For example, the expression \\"find me all hostile entities that reside within any assumed\\n friendly geoentity\\" would be represented as the following dynamic statement:\\n\\n DynamicStatement\\n filter\\n predicate\\n field_path: mil_view.disposition\\n comparator: EQUALITY\\n value: 2 // Hostile\\n selector\\n andOperation\\n predicate1\\n field_path: mil_view.disposition\\n comparator: EQUALITY\\n value: 4 // Assumed Friendly\\n predicate2\\n field_path: ontology.template\\n comparator: EQUALITY\\n value: 4 // Template Geo\\n comparator\\n IntersectionComparator\\n WithinComparison" + }, + "anduril.entitymanager.v1.IntersectionComparatorComparison": { + "name": { + "typeId": "anduril.entitymanager.v1.IntersectionComparatorComparison", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.IntersectionComparatorComparison", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1IntersectionComparatorComparison", + "safeName": "andurilEntitymanagerV1IntersectionComparatorComparison" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_intersection_comparator_comparison", + "safeName": "anduril_entitymanager_v_1_intersection_comparator_comparison" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR_COMPARISON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR_COMPARISON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1IntersectionComparatorComparison", + "safeName": "AndurilEntitymanagerV1IntersectionComparatorComparison" + } + }, + "displayName": "IntersectionComparatorComparison" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.WithinComparison", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1WithinComparison", + "safeName": "andurilEntitymanagerV1WithinComparison" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_within_comparison", + "safeName": "anduril_entitymanager_v_1_within_comparison" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_WITHIN_COMPARISON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_WITHIN_COMPARISON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1WithinComparison", + "safeName": "AndurilEntitymanagerV1WithinComparison" + } + }, + "typeId": "anduril.entitymanager.v1.WithinComparison", + "default": null, + "inline": false, + "displayName": "within_comparison" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.entitymanager.v1.IntersectionComparator": { + "name": { + "typeId": "anduril.entitymanager.v1.IntersectionComparator", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.IntersectionComparator", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1IntersectionComparator", + "safeName": "andurilEntitymanagerV1IntersectionComparator" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_intersection_comparator", + "safeName": "anduril_entitymanager_v_1_intersection_comparator" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1IntersectionComparator", + "safeName": "AndurilEntitymanagerV1IntersectionComparator" + } + }, + "displayName": "IntersectionComparator" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "comparison", + "camelCase": { + "unsafeName": "comparison", + "safeName": "comparison" + }, + "snakeCase": { + "unsafeName": "comparison", + "safeName": "comparison" + }, + "screamingSnakeCase": { + "unsafeName": "COMPARISON", + "safeName": "COMPARISON" + }, + "pascalCase": { + "unsafeName": "Comparison", + "safeName": "Comparison" + } + }, + "wireValue": "comparison" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.IntersectionComparatorComparison", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1IntersectionComparatorComparison", + "safeName": "andurilEntitymanagerV1IntersectionComparatorComparison" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_intersection_comparator_comparison", + "safeName": "anduril_entitymanager_v_1_intersection_comparator_comparison" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR_COMPARISON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_INTERSECTION_COMPARATOR_COMPARISON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1IntersectionComparatorComparison", + "safeName": "AndurilEntitymanagerV1IntersectionComparatorComparison" + } + }, + "typeId": "anduril.entitymanager.v1.IntersectionComparatorComparison", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The IntersectionComparator determines what entities and what fields to respect within a set during\\n a set intersection operation." + }, + "anduril.entitymanager.v1.WithinComparison": { + "name": { + "typeId": "anduril.entitymanager.v1.WithinComparison", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.WithinComparison", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1WithinComparison", + "safeName": "andurilEntitymanagerV1WithinComparison" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_within_comparison", + "safeName": "anduril_entitymanager_v_1_within_comparison" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_WITHIN_COMPARISON", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_WITHIN_COMPARISON" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1WithinComparison", + "safeName": "AndurilEntitymanagerV1WithinComparison" + } + }, + "displayName": "WithinComparison" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "The WithinComparison implicitly will understand how to determine which entitites reside\\n within other geo-shaped entities. This comparison is being left empty, but as a proto, to\\n support future expansions of the within comparison (eg; within range of a static distance)." + }, + "google.protobuf.Any": { + "name": { + "typeId": "google.protobuf.Any", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Any", + "camelCase": { + "unsafeName": "googleProtobufAny", + "safeName": "googleProtobufAny" + }, + "snakeCase": { + "unsafeName": "google_protobuf_any", + "safeName": "google_protobuf_any" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ANY", + "safeName": "GOOGLE_PROTOBUF_ANY" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufAny", + "safeName": "GoogleProtobufAny" + } + }, + "displayName": "Any" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "type_url", + "camelCase": { + "unsafeName": "typeUrl", + "safeName": "typeUrl" + }, + "snakeCase": { + "unsafeName": "type_url", + "safeName": "type_url" + }, + "screamingSnakeCase": { + "unsafeName": "TYPE_URL", + "safeName": "TYPE_URL" + }, + "pascalCase": { + "unsafeName": "TypeUrl", + "safeName": "TypeUrl" + } + }, + "wireValue": "type_url" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "value", + "camelCase": { + "unsafeName": "value", + "safeName": "value" + }, + "snakeCase": { + "unsafeName": "value", + "safeName": "value" + }, + "screamingSnakeCase": { + "unsafeName": "VALUE", + "safeName": "VALUE" + }, + "pascalCase": { + "unsafeName": "Value", + "safeName": "Value" + } + }, + "wireValue": "value" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "unknown" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.taskmanager.v1.Status": { + "name": { + "typeId": "anduril.taskmanager.v1.Status", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Status", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Status", + "safeName": "andurilTaskmanagerV1Status" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_status", + "safeName": "anduril_taskmanager_v_1_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS", + "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Status", + "safeName": "AndurilTaskmanagerV1Status" + } + }, + "displayName": "Status" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "STATUS_INVALID", + "camelCase": { + "unsafeName": "statusInvalid", + "safeName": "statusInvalid" + }, + "snakeCase": { + "unsafeName": "status_invalid", + "safeName": "status_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_INVALID", + "safeName": "STATUS_INVALID" + }, + "pascalCase": { + "unsafeName": "StatusInvalid", + "safeName": "StatusInvalid" + } + }, + "wireValue": "STATUS_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "STATUS_CREATED", + "camelCase": { + "unsafeName": "statusCreated", + "safeName": "statusCreated" + }, + "snakeCase": { + "unsafeName": "status_created", + "safeName": "status_created" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_CREATED", + "safeName": "STATUS_CREATED" + }, + "pascalCase": { + "unsafeName": "StatusCreated", + "safeName": "StatusCreated" + } + }, + "wireValue": "STATUS_CREATED" + }, + "availability": null, + "docs": "Initial creation Status." + }, + { + "name": { + "name": { + "originalName": "STATUS_SCHEDULED_IN_MANAGER", + "camelCase": { + "unsafeName": "statusScheduledInManager", + "safeName": "statusScheduledInManager" + }, + "snakeCase": { + "unsafeName": "status_scheduled_in_manager", + "safeName": "status_scheduled_in_manager" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_SCHEDULED_IN_MANAGER", + "safeName": "STATUS_SCHEDULED_IN_MANAGER" + }, + "pascalCase": { + "unsafeName": "StatusScheduledInManager", + "safeName": "StatusScheduledInManager" + } + }, + "wireValue": "STATUS_SCHEDULED_IN_MANAGER" + }, + "availability": null, + "docs": "Scheduled within Task Manager to be sent at a future time." + }, + { + "name": { + "name": { + "originalName": "STATUS_SENT", + "camelCase": { + "unsafeName": "statusSent", + "safeName": "statusSent" + }, + "snakeCase": { + "unsafeName": "status_sent", + "safeName": "status_sent" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_SENT", + "safeName": "STATUS_SENT" + }, + "pascalCase": { + "unsafeName": "StatusSent", + "safeName": "StatusSent" + } + }, + "wireValue": "STATUS_SENT" + }, + "availability": null, + "docs": "Sent to another system (Asset), no receipt yet." + }, + { + "name": { + "name": { + "originalName": "STATUS_MACHINE_RECEIPT", + "camelCase": { + "unsafeName": "statusMachineReceipt", + "safeName": "statusMachineReceipt" + }, + "snakeCase": { + "unsafeName": "status_machine_receipt", + "safeName": "status_machine_receipt" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_MACHINE_RECEIPT", + "safeName": "STATUS_MACHINE_RECEIPT" + }, + "pascalCase": { + "unsafeName": "StatusMachineReceipt", + "safeName": "StatusMachineReceipt" + } + }, + "wireValue": "STATUS_MACHINE_RECEIPT" + }, + "availability": null, + "docs": "Task was sent to Assignee, and some system was reachable and responded.\\n However, the system responsible for execution on the Assignee has not yet acknowledged the Task." + }, + { + "name": { + "name": { + "originalName": "STATUS_ACK", + "camelCase": { + "unsafeName": "statusAck", + "safeName": "statusAck" + }, + "snakeCase": { + "unsafeName": "status_ack", + "safeName": "status_ack" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_ACK", + "safeName": "STATUS_ACK" + }, + "pascalCase": { + "unsafeName": "StatusAck", + "safeName": "StatusAck" + } + }, + "wireValue": "STATUS_ACK" + }, + "availability": null, + "docs": "System responsible for execution on the Assignee has acknowledged the Task." + }, + { + "name": { + "name": { + "originalName": "STATUS_WILCO", + "camelCase": { + "unsafeName": "statusWilco", + "safeName": "statusWilco" + }, + "snakeCase": { + "unsafeName": "status_wilco", + "safeName": "status_wilco" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_WILCO", + "safeName": "STATUS_WILCO" + }, + "pascalCase": { + "unsafeName": "StatusWilco", + "safeName": "StatusWilco" + } + }, + "wireValue": "STATUS_WILCO" + }, + "availability": null, + "docs": "Assignee confirmed they \\"will comply\\" / intend to execute Task." + }, + { + "name": { + "name": { + "originalName": "STATUS_EXECUTING", + "camelCase": { + "unsafeName": "statusExecuting", + "safeName": "statusExecuting" + }, + "snakeCase": { + "unsafeName": "status_executing", + "safeName": "status_executing" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_EXECUTING", + "safeName": "STATUS_EXECUTING" + }, + "pascalCase": { + "unsafeName": "StatusExecuting", + "safeName": "StatusExecuting" + } + }, + "wireValue": "STATUS_EXECUTING" + }, + "availability": null, + "docs": "Task was started and is actively executing." + }, + { + "name": { + "name": { + "originalName": "STATUS_WAITING_FOR_UPDATE", + "camelCase": { + "unsafeName": "statusWaitingForUpdate", + "safeName": "statusWaitingForUpdate" + }, + "snakeCase": { + "unsafeName": "status_waiting_for_update", + "safeName": "status_waiting_for_update" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_WAITING_FOR_UPDATE", + "safeName": "STATUS_WAITING_FOR_UPDATE" + }, + "pascalCase": { + "unsafeName": "StatusWaitingForUpdate", + "safeName": "StatusWaitingForUpdate" + } + }, + "wireValue": "STATUS_WAITING_FOR_UPDATE" + }, + "availability": null, + "docs": "Task is on hold, waiting for additional updates/information before proceeding." + }, + { + "name": { + "name": { + "originalName": "STATUS_DONE_OK", + "camelCase": { + "unsafeName": "statusDoneOk", + "safeName": "statusDoneOk" + }, + "snakeCase": { + "unsafeName": "status_done_ok", + "safeName": "status_done_ok" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_DONE_OK", + "safeName": "STATUS_DONE_OK" + }, + "pascalCase": { + "unsafeName": "StatusDoneOk", + "safeName": "StatusDoneOk" + } + }, + "wireValue": "STATUS_DONE_OK" + }, + "availability": null, + "docs": "Task was completed successfully." + }, + { + "name": { + "name": { + "originalName": "STATUS_DONE_NOT_OK", + "camelCase": { + "unsafeName": "statusDoneNotOk", + "safeName": "statusDoneNotOk" + }, + "snakeCase": { + "unsafeName": "status_done_not_ok", + "safeName": "status_done_not_ok" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_DONE_NOT_OK", + "safeName": "STATUS_DONE_NOT_OK" + }, + "pascalCase": { + "unsafeName": "StatusDoneNotOk", + "safeName": "StatusDoneNotOk" + } + }, + "wireValue": "STATUS_DONE_NOT_OK" + }, + "availability": null, + "docs": "Task has reached a terminal state but did not complete successfully, see error code/message." + }, + { + "name": { + "name": { + "originalName": "STATUS_REPLACED", + "camelCase": { + "unsafeName": "statusReplaced", + "safeName": "statusReplaced" + }, + "snakeCase": { + "unsafeName": "status_replaced", + "safeName": "status_replaced" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_REPLACED", + "safeName": "STATUS_REPLACED" + }, + "pascalCase": { + "unsafeName": "StatusReplaced", + "safeName": "StatusReplaced" + } + }, + "wireValue": "STATUS_REPLACED" + }, + "availability": null, + "docs": "This definition version was replaced." + }, + { + "name": { + "name": { + "originalName": "STATUS_CANCEL_REQUESTED", + "camelCase": { + "unsafeName": "statusCancelRequested", + "safeName": "statusCancelRequested" + }, + "snakeCase": { + "unsafeName": "status_cancel_requested", + "safeName": "status_cancel_requested" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_CANCEL_REQUESTED", + "safeName": "STATUS_CANCEL_REQUESTED" + }, + "pascalCase": { + "unsafeName": "StatusCancelRequested", + "safeName": "StatusCancelRequested" + } + }, + "wireValue": "STATUS_CANCEL_REQUESTED" + }, + "availability": null, + "docs": "A Task was requested to be cancelled but not yet confirmed, will eventually move to DONE_NOT_OK." + }, + { + "name": { + "name": { + "originalName": "STATUS_COMPLETE_REQUESTED", + "camelCase": { + "unsafeName": "statusCompleteRequested", + "safeName": "statusCompleteRequested" + }, + "snakeCase": { + "unsafeName": "status_complete_requested", + "safeName": "status_complete_requested" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_COMPLETE_REQUESTED", + "safeName": "STATUS_COMPLETE_REQUESTED" + }, + "pascalCase": { + "unsafeName": "StatusCompleteRequested", + "safeName": "StatusCompleteRequested" + } + }, + "wireValue": "STATUS_COMPLETE_REQUESTED" + }, + "availability": null, + "docs": "A Task was requested to be completed successfully but not yet confirmed, will eventually move to DONE_NOT_OK / DONE_OK." + }, + { + "name": { + "name": { + "originalName": "STATUS_VERSION_REJECTED", + "camelCase": { + "unsafeName": "statusVersionRejected", + "safeName": "statusVersionRejected" + }, + "snakeCase": { + "unsafeName": "status_version_rejected", + "safeName": "status_version_rejected" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_VERSION_REJECTED", + "safeName": "STATUS_VERSION_REJECTED" + }, + "pascalCase": { + "unsafeName": "StatusVersionRejected", + "safeName": "StatusVersionRejected" + } + }, + "wireValue": "STATUS_VERSION_REJECTED" + }, + "availability": null, + "docs": "This definition version was rejected, intended to be used when an Agent does not accept a new version of a task\\n and continues using previous version" + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The Status of a Task definition through its lifecycle. Each Definition Version can have its own Status.\\n For example, Definition v1 could go CREATED -> SENT -> WILCO -> REPLACED, with v2 then potentially in sent Status." + }, + "anduril.taskmanager.v1.ErrorCode": { + "name": { + "typeId": "anduril.taskmanager.v1.ErrorCode", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ErrorCode", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ErrorCode", + "safeName": "andurilTaskmanagerV1ErrorCode" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_error_code", + "safeName": "anduril_taskmanager_v_1_error_code" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_ERROR_CODE", + "safeName": "ANDURIL_TASKMANAGER_V_1_ERROR_CODE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ErrorCode", + "safeName": "AndurilTaskmanagerV1ErrorCode" + } + }, + "displayName": "ErrorCode" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "ERROR_CODE_INVALID", + "camelCase": { + "unsafeName": "errorCodeInvalid", + "safeName": "errorCodeInvalid" + }, + "snakeCase": { + "unsafeName": "error_code_invalid", + "safeName": "error_code_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "ERROR_CODE_INVALID", + "safeName": "ERROR_CODE_INVALID" + }, + "pascalCase": { + "unsafeName": "ErrorCodeInvalid", + "safeName": "ErrorCodeInvalid" + } + }, + "wireValue": "ERROR_CODE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ERROR_CODE_CANCELLED", + "camelCase": { + "unsafeName": "errorCodeCancelled", + "safeName": "errorCodeCancelled" + }, + "snakeCase": { + "unsafeName": "error_code_cancelled", + "safeName": "error_code_cancelled" + }, + "screamingSnakeCase": { + "unsafeName": "ERROR_CODE_CANCELLED", + "safeName": "ERROR_CODE_CANCELLED" + }, + "pascalCase": { + "unsafeName": "ErrorCodeCancelled", + "safeName": "ErrorCodeCancelled" + } + }, + "wireValue": "ERROR_CODE_CANCELLED" + }, + "availability": null, + "docs": "Task was cancelled by requester." + }, + { + "name": { + "name": { + "originalName": "ERROR_CODE_REJECTED", + "camelCase": { + "unsafeName": "errorCodeRejected", + "safeName": "errorCodeRejected" + }, + "snakeCase": { + "unsafeName": "error_code_rejected", + "safeName": "error_code_rejected" + }, + "screamingSnakeCase": { + "unsafeName": "ERROR_CODE_REJECTED", + "safeName": "ERROR_CODE_REJECTED" + }, + "pascalCase": { + "unsafeName": "ErrorCodeRejected", + "safeName": "ErrorCodeRejected" + } + }, + "wireValue": "ERROR_CODE_REJECTED" + }, + "availability": null, + "docs": "Task was rejected by assignee, see message for details." + }, + { + "name": { + "name": { + "originalName": "ERROR_CODE_TIMEOUT", + "camelCase": { + "unsafeName": "errorCodeTimeout", + "safeName": "errorCodeTimeout" + }, + "snakeCase": { + "unsafeName": "error_code_timeout", + "safeName": "error_code_timeout" + }, + "screamingSnakeCase": { + "unsafeName": "ERROR_CODE_TIMEOUT", + "safeName": "ERROR_CODE_TIMEOUT" + }, + "pascalCase": { + "unsafeName": "ErrorCodeTimeout", + "safeName": "ErrorCodeTimeout" + } + }, + "wireValue": "ERROR_CODE_TIMEOUT" + }, + "availability": null, + "docs": "Task Manager gave up waiting for a receipt/ack from assignee." + }, + { + "name": { + "name": { + "originalName": "ERROR_CODE_FAILED", + "camelCase": { + "unsafeName": "errorCodeFailed", + "safeName": "errorCodeFailed" + }, + "snakeCase": { + "unsafeName": "error_code_failed", + "safeName": "error_code_failed" + }, + "screamingSnakeCase": { + "unsafeName": "ERROR_CODE_FAILED", + "safeName": "ERROR_CODE_FAILED" + }, + "pascalCase": { + "unsafeName": "ErrorCodeFailed", + "safeName": "ErrorCodeFailed" + } + }, + "wireValue": "ERROR_CODE_FAILED" + }, + "availability": null, + "docs": "Task attempted to execute, but failed." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Error code associated with a Task error." + }, + "anduril.taskmanager.v1.EventType": { + "name": { + "typeId": "anduril.taskmanager.v1.EventType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.EventType", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1EventType", + "safeName": "andurilTaskmanagerV1EventType" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_event_type", + "safeName": "anduril_taskmanager_v_1_event_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_EVENT_TYPE", + "safeName": "ANDURIL_TASKMANAGER_V_1_EVENT_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1EventType", + "safeName": "AndurilTaskmanagerV1EventType" + } + }, + "displayName": "EventType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "EVENT_TYPE_INVALID", + "camelCase": { + "unsafeName": "eventTypeInvalid", + "safeName": "eventTypeInvalid" + }, + "snakeCase": { + "unsafeName": "event_type_invalid", + "safeName": "event_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE_INVALID", + "safeName": "EVENT_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "EventTypeInvalid", + "safeName": "EventTypeInvalid" + } + }, + "wireValue": "EVENT_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EVENT_TYPE_CREATED", + "camelCase": { + "unsafeName": "eventTypeCreated", + "safeName": "eventTypeCreated" + }, + "snakeCase": { + "unsafeName": "event_type_created", + "safeName": "event_type_created" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE_CREATED", + "safeName": "EVENT_TYPE_CREATED" + }, + "pascalCase": { + "unsafeName": "EventTypeCreated", + "safeName": "EventTypeCreated" + } + }, + "wireValue": "EVENT_TYPE_CREATED" + }, + "availability": null, + "docs": "Task was created." + }, + { + "name": { + "name": { + "originalName": "EVENT_TYPE_UPDATE", + "camelCase": { + "unsafeName": "eventTypeUpdate", + "safeName": "eventTypeUpdate" + }, + "snakeCase": { + "unsafeName": "event_type_update", + "safeName": "event_type_update" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE_UPDATE", + "safeName": "EVENT_TYPE_UPDATE" + }, + "pascalCase": { + "unsafeName": "EventTypeUpdate", + "safeName": "EventTypeUpdate" + } + }, + "wireValue": "EVENT_TYPE_UPDATE" + }, + "availability": null, + "docs": "Task was updated." + }, + { + "name": { + "name": { + "originalName": "EVENT_TYPE_PREEXISTING", + "camelCase": { + "unsafeName": "eventTypePreexisting", + "safeName": "eventTypePreexisting" + }, + "snakeCase": { + "unsafeName": "event_type_preexisting", + "safeName": "event_type_preexisting" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE_PREEXISTING", + "safeName": "EVENT_TYPE_PREEXISTING" + }, + "pascalCase": { + "unsafeName": "EventTypePreexisting", + "safeName": "EventTypePreexisting" + } + }, + "wireValue": "EVENT_TYPE_PREEXISTING" + }, + "availability": null, + "docs": "Task already existed, but sent on a new stream connection." + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The type of Task event." + }, + "anduril.taskmanager.v1.TaskView": { + "name": { + "typeId": "anduril.taskmanager.v1.TaskView", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskView", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskView", + "safeName": "andurilTaskmanagerV1TaskView" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_view", + "safeName": "anduril_taskmanager_v_1_task_view" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskView", + "safeName": "AndurilTaskmanagerV1TaskView" + } + }, + "displayName": "TaskView" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "TASK_VIEW_INVALID", + "camelCase": { + "unsafeName": "taskViewInvalid", + "safeName": "taskViewInvalid" + }, + "snakeCase": { + "unsafeName": "task_view_invalid", + "safeName": "task_view_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_VIEW_INVALID", + "safeName": "TASK_VIEW_INVALID" + }, + "pascalCase": { + "unsafeName": "TaskViewInvalid", + "safeName": "TaskViewInvalid" + } + }, + "wireValue": "TASK_VIEW_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TASK_VIEW_MANAGER", + "camelCase": { + "unsafeName": "taskViewManager", + "safeName": "taskViewManager" + }, + "snakeCase": { + "unsafeName": "task_view_manager", + "safeName": "task_view_manager" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_VIEW_MANAGER", + "safeName": "TASK_VIEW_MANAGER" + }, + "pascalCase": { + "unsafeName": "TaskViewManager", + "safeName": "TaskViewManager" + } + }, + "wireValue": "TASK_VIEW_MANAGER" + }, + "availability": null, + "docs": "Represents the most recent version of the Task known to Task Manager" + }, + { + "name": { + "name": { + "originalName": "TASK_VIEW_AGENT", + "camelCase": { + "unsafeName": "taskViewAgent", + "safeName": "taskViewAgent" + }, + "snakeCase": { + "unsafeName": "task_view_agent", + "safeName": "task_view_agent" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_VIEW_AGENT", + "safeName": "TASK_VIEW_AGENT" + }, + "pascalCase": { + "unsafeName": "TaskViewAgent", + "safeName": "TaskViewAgent" + } + }, + "wireValue": "TASK_VIEW_AGENT" + }, + "availability": null, + "docs": "Represents the most recent version of the Task acknowledged or updated by an Agent" + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "View of a Task through its lifecycle.\\n For example, a definition v1 of a task may be running on an agent, indicated by TASK_VIEW_AGENT,\\n while the definition v2 may not have been received yet, indicated by TASK_VIEW_MANAGER." + }, + "anduril.taskmanager.v1.Task": { + "name": { + "typeId": "anduril.taskmanager.v1.Task", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Task", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Task", + "safeName": "andurilTaskmanagerV1Task" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task", + "safeName": "anduril_taskmanager_v_1_task" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Task", + "safeName": "AndurilTaskmanagerV1Task" + } + }, + "displayName": "Task" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "version", + "camelCase": { + "unsafeName": "version", + "safeName": "version" + }, + "snakeCase": { + "unsafeName": "version", + "safeName": "version" + }, + "screamingSnakeCase": { + "unsafeName": "VERSION", + "safeName": "VERSION" + }, + "pascalCase": { + "unsafeName": "Version", + "safeName": "Version" + } + }, + "wireValue": "version" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskVersion", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskVersion", + "safeName": "andurilTaskmanagerV1TaskVersion" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_version", + "safeName": "anduril_taskmanager_v_1_task_version" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskVersion", + "safeName": "AndurilTaskmanagerV1TaskVersion" + } + }, + "typeId": "anduril.taskmanager.v1.TaskVersion", + "default": null, + "inline": false, + "displayName": "version" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Version of this Task." + }, + { + "name": { + "name": { + "originalName": "display_name", + "camelCase": { + "unsafeName": "displayName", + "safeName": "displayName" + }, + "snakeCase": { + "unsafeName": "display_name", + "safeName": "display_name" + }, + "screamingSnakeCase": { + "unsafeName": "DISPLAY_NAME", + "safeName": "DISPLAY_NAME" + }, + "pascalCase": { + "unsafeName": "DisplayName", + "safeName": "DisplayName" + } + }, + "wireValue": "display_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": { + "status": "DEPRECATED", + "message": "DEPRECATED" + }, + "docs": "DEPRECATED: Human readable display name for this Task, should be short (<100 chars)." + }, + { + "name": { + "name": { + "originalName": "specification", + "camelCase": { + "unsafeName": "specification", + "safeName": "specification" + }, + "snakeCase": { + "unsafeName": "specification", + "safeName": "specification" + }, + "screamingSnakeCase": { + "unsafeName": "SPECIFICATION", + "safeName": "SPECIFICATION" + }, + "pascalCase": { + "unsafeName": "Specification", + "safeName": "Specification" + } + }, + "wireValue": "specification" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Any", + "camelCase": { + "unsafeName": "googleProtobufAny", + "safeName": "googleProtobufAny" + }, + "snakeCase": { + "unsafeName": "google_protobuf_any", + "safeName": "google_protobuf_any" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ANY", + "safeName": "GOOGLE_PROTOBUF_ANY" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufAny", + "safeName": "GoogleProtobufAny" + } + }, + "typeId": "google.protobuf.Any", + "default": null, + "inline": false, + "displayName": "specification" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Full Task parameterization, must be a message under anduril/tasks/v*/" + }, + { + "name": { + "name": { + "originalName": "created_by", + "camelCase": { + "unsafeName": "createdBy", + "safeName": "createdBy" + }, + "snakeCase": { + "unsafeName": "created_by", + "safeName": "created_by" + }, + "screamingSnakeCase": { + "unsafeName": "CREATED_BY", + "safeName": "CREATED_BY" + }, + "pascalCase": { + "unsafeName": "CreatedBy", + "safeName": "CreatedBy" + } + }, + "wireValue": "created_by" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Principal", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Principal", + "safeName": "andurilTaskmanagerV1Principal" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_principal", + "safeName": "anduril_taskmanager_v_1_principal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", + "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Principal", + "safeName": "AndurilTaskmanagerV1Principal" + } + }, + "typeId": "anduril.taskmanager.v1.Principal", + "default": null, + "inline": false, + "displayName": "created_by" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Records who created this Task. This field will not change after the Task has been created." + }, + { + "name": { + "name": { + "originalName": "last_updated_by", + "camelCase": { + "unsafeName": "lastUpdatedBy", + "safeName": "lastUpdatedBy" + }, + "snakeCase": { + "unsafeName": "last_updated_by", + "safeName": "last_updated_by" + }, + "screamingSnakeCase": { + "unsafeName": "LAST_UPDATED_BY", + "safeName": "LAST_UPDATED_BY" + }, + "pascalCase": { + "unsafeName": "LastUpdatedBy", + "safeName": "LastUpdatedBy" + } + }, + "wireValue": "last_updated_by" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Principal", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Principal", + "safeName": "andurilTaskmanagerV1Principal" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_principal", + "safeName": "anduril_taskmanager_v_1_principal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", + "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Principal", + "safeName": "AndurilTaskmanagerV1Principal" + } + }, + "typeId": "anduril.taskmanager.v1.Principal", + "default": null, + "inline": false, + "displayName": "last_updated_by" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Records who updated this Task last." + }, + { + "name": { + "name": { + "originalName": "last_update_time", + "camelCase": { + "unsafeName": "lastUpdateTime", + "safeName": "lastUpdateTime" + }, + "snakeCase": { + "unsafeName": "last_update_time", + "safeName": "last_update_time" + }, + "screamingSnakeCase": { + "unsafeName": "LAST_UPDATE_TIME", + "safeName": "LAST_UPDATE_TIME" + }, + "pascalCase": { + "unsafeName": "LastUpdateTime", + "safeName": "LastUpdateTime" + } + }, + "wireValue": "last_update_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "last_update_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Records the time of last update." + }, + { + "name": { + "name": { + "originalName": "status", + "camelCase": { + "unsafeName": "status", + "safeName": "status" + }, + "snakeCase": { + "unsafeName": "status", + "safeName": "status" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS", + "safeName": "STATUS" + }, + "pascalCase": { + "unsafeName": "Status", + "safeName": "Status" + } + }, + "wireValue": "status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskStatus", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskStatus", + "safeName": "andurilTaskmanagerV1TaskStatus" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_status", + "safeName": "anduril_taskmanager_v_1_task_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskStatus", + "safeName": "AndurilTaskmanagerV1TaskStatus" + } + }, + "typeId": "anduril.taskmanager.v1.TaskStatus", + "default": null, + "inline": false, + "displayName": "status" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The status of this Task." + }, + { + "name": { + "name": { + "originalName": "scheduled_time", + "camelCase": { + "unsafeName": "scheduledTime", + "safeName": "scheduledTime" + }, + "snakeCase": { + "unsafeName": "scheduled_time", + "safeName": "scheduled_time" + }, + "screamingSnakeCase": { + "unsafeName": "SCHEDULED_TIME", + "safeName": "SCHEDULED_TIME" + }, + "pascalCase": { + "unsafeName": "ScheduledTime", + "safeName": "ScheduledTime" + } + }, + "wireValue": "scheduled_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "scheduled_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If the Task has been scheduled to execute, what time it should execute at." + }, + { + "name": { + "name": { + "originalName": "relations", + "camelCase": { + "unsafeName": "relations", + "safeName": "relations" + }, + "snakeCase": { + "unsafeName": "relations", + "safeName": "relations" + }, + "screamingSnakeCase": { + "unsafeName": "RELATIONS", + "safeName": "RELATIONS" + }, + "pascalCase": { + "unsafeName": "Relations", + "safeName": "Relations" + } + }, + "wireValue": "relations" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Relations", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Relations", + "safeName": "andurilTaskmanagerV1Relations" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_relations", + "safeName": "anduril_taskmanager_v_1_relations" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS", + "safeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Relations", + "safeName": "AndurilTaskmanagerV1Relations" + } + }, + "typeId": "anduril.taskmanager.v1.Relations", + "default": null, + "inline": false, + "displayName": "relations" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Any related Tasks associated with this, typically includes an assignee for this Task and/or a parent." + }, + { + "name": { + "name": { + "originalName": "description", + "camelCase": { + "unsafeName": "description", + "safeName": "description" + }, + "snakeCase": { + "unsafeName": "description", + "safeName": "description" + }, + "screamingSnakeCase": { + "unsafeName": "DESCRIPTION", + "safeName": "DESCRIPTION" + }, + "pascalCase": { + "unsafeName": "Description", + "safeName": "Description" + } + }, + "wireValue": "description" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Longer, free form human readable description of this Task" + }, + { + "name": { + "name": { + "originalName": "is_executed_elsewhere", + "camelCase": { + "unsafeName": "isExecutedElsewhere", + "safeName": "isExecutedElsewhere" + }, + "snakeCase": { + "unsafeName": "is_executed_elsewhere", + "safeName": "is_executed_elsewhere" + }, + "screamingSnakeCase": { + "unsafeName": "IS_EXECUTED_ELSEWHERE", + "safeName": "IS_EXECUTED_ELSEWHERE" + }, + "pascalCase": { + "unsafeName": "IsExecutedElsewhere", + "safeName": "IsExecutedElsewhere" + } + }, + "wireValue": "is_executed_elsewhere" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If set, execution of this Task is managed elsewhere, not by Task Manager.\\n In other words, Task manager will not attempt to update the assigned agent with execution instructions." + }, + { + "name": { + "name": { + "originalName": "create_time", + "camelCase": { + "unsafeName": "createTime", + "safeName": "createTime" + }, + "snakeCase": { + "unsafeName": "create_time", + "safeName": "create_time" + }, + "screamingSnakeCase": { + "unsafeName": "CREATE_TIME", + "safeName": "CREATE_TIME" + }, + "pascalCase": { + "unsafeName": "CreateTime", + "safeName": "CreateTime" + } + }, + "wireValue": "create_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "create_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Time of Task creation." + }, + { + "name": { + "name": { + "originalName": "replication", + "camelCase": { + "unsafeName": "replication", + "safeName": "replication" + }, + "snakeCase": { + "unsafeName": "replication", + "safeName": "replication" + }, + "screamingSnakeCase": { + "unsafeName": "REPLICATION", + "safeName": "REPLICATION" + }, + "pascalCase": { + "unsafeName": "Replication", + "safeName": "Replication" + } + }, + "wireValue": "replication" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Replication", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Replication", + "safeName": "andurilTaskmanagerV1Replication" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_replication", + "safeName": "anduril_taskmanager_v_1_replication" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_REPLICATION", + "safeName": "ANDURIL_TASKMANAGER_V_1_REPLICATION" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Replication", + "safeName": "AndurilTaskmanagerV1Replication" + } + }, + "typeId": "anduril.taskmanager.v1.Replication", + "default": null, + "inline": false, + "displayName": "replication" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If populated, designates this to be a replicated Task." + }, + { + "name": { + "name": { + "originalName": "initial_entities", + "camelCase": { + "unsafeName": "initialEntities", + "safeName": "initialEntities" + }, + "snakeCase": { + "unsafeName": "initial_entities", + "safeName": "initial_entities" + }, + "screamingSnakeCase": { + "unsafeName": "INITIAL_ENTITIES", + "safeName": "INITIAL_ENTITIES" + }, + "pascalCase": { + "unsafeName": "InitialEntities", + "safeName": "InitialEntities" + } + }, + "wireValue": "initial_entities" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskEntity", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskEntity", + "safeName": "andurilTaskmanagerV1TaskEntity" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_entity", + "safeName": "anduril_taskmanager_v_1_task_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskEntity", + "safeName": "AndurilTaskmanagerV1TaskEntity" + } + }, + "typeId": "anduril.taskmanager.v1.TaskEntity", + "default": null, + "inline": false, + "displayName": "initial_entities" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If populated, indicates an initial set of entities that can be used to execute an entity aware task\\n For example, an entity Objective, an entity Keep In Zone, etc.\\n These will not be updated during execution. If a taskable agent needs continuous updates on the entities from the\\n COP, can call entity-manager, or use an AlternateId escape hatch." + }, + { + "name": { + "name": { + "originalName": "owner", + "camelCase": { + "unsafeName": "owner", + "safeName": "owner" + }, + "snakeCase": { + "unsafeName": "owner", + "safeName": "owner" + }, + "screamingSnakeCase": { + "unsafeName": "OWNER", + "safeName": "OWNER" + }, + "pascalCase": { + "unsafeName": "Owner", + "safeName": "Owner" + } + }, + "wireValue": "owner" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Owner", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Owner", + "safeName": "andurilTaskmanagerV1Owner" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_owner", + "safeName": "anduril_taskmanager_v_1_owner" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_OWNER", + "safeName": "ANDURIL_TASKMANAGER_V_1_OWNER" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Owner", + "safeName": "AndurilTaskmanagerV1Owner" + } + }, + "typeId": "anduril.taskmanager.v1.Owner", + "default": null, + "inline": false, + "displayName": "owner" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The networked owner of this Task. It is used to ensure that linear writes occur on the node responsible\\n for replication of task data to other nodes running Task Manager." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A Task is something an agent can be asked to do." + }, + "anduril.taskmanager.v1.TaskStatus": { + "name": { + "typeId": "anduril.taskmanager.v1.TaskStatus", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskStatus", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskStatus", + "safeName": "andurilTaskmanagerV1TaskStatus" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_status", + "safeName": "anduril_taskmanager_v_1_task_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskStatus", + "safeName": "AndurilTaskmanagerV1TaskStatus" + } + }, + "displayName": "TaskStatus" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "status", + "camelCase": { + "unsafeName": "status", + "safeName": "status" + }, + "snakeCase": { + "unsafeName": "status", + "safeName": "status" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS", + "safeName": "STATUS" + }, + "pascalCase": { + "unsafeName": "Status", + "safeName": "Status" + } + }, + "wireValue": "status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Status", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Status", + "safeName": "andurilTaskmanagerV1Status" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_status", + "safeName": "anduril_taskmanager_v_1_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS", + "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Status", + "safeName": "AndurilTaskmanagerV1Status" + } + }, + "typeId": "anduril.taskmanager.v1.Status", + "default": null, + "inline": false, + "displayName": "status" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Status of the Task." + }, + { + "name": { + "name": { + "originalName": "task_error", + "camelCase": { + "unsafeName": "taskError", + "safeName": "taskError" + }, + "snakeCase": { + "unsafeName": "task_error", + "safeName": "task_error" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_ERROR", + "safeName": "TASK_ERROR" + }, + "pascalCase": { + "unsafeName": "TaskError", + "safeName": "TaskError" + } + }, + "wireValue": "task_error" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskError", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskError", + "safeName": "andurilTaskmanagerV1TaskError" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_error", + "safeName": "anduril_taskmanager_v_1_task_error" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_ERROR", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_ERROR" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskError", + "safeName": "AndurilTaskmanagerV1TaskError" + } + }, + "typeId": "anduril.taskmanager.v1.TaskError", + "default": null, + "inline": false, + "displayName": "task_error" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Any errors associated with the Task." + }, + { + "name": { + "name": { + "originalName": "progress", + "camelCase": { + "unsafeName": "progress", + "safeName": "progress" + }, + "snakeCase": { + "unsafeName": "progress", + "safeName": "progress" + }, + "screamingSnakeCase": { + "unsafeName": "PROGRESS", + "safeName": "PROGRESS" + }, + "pascalCase": { + "unsafeName": "Progress", + "safeName": "Progress" + } + }, + "wireValue": "progress" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Any", + "camelCase": { + "unsafeName": "googleProtobufAny", + "safeName": "googleProtobufAny" + }, + "snakeCase": { + "unsafeName": "google_protobuf_any", + "safeName": "google_protobuf_any" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ANY", + "safeName": "GOOGLE_PROTOBUF_ANY" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufAny", + "safeName": "GoogleProtobufAny" + } + }, + "typeId": "google.protobuf.Any", + "default": null, + "inline": false, + "displayName": "progress" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Any incremental progress on the Task, should be from the tasks/v*/progress folder." + }, + { + "name": { + "name": { + "originalName": "result", + "camelCase": { + "unsafeName": "result", + "safeName": "result" + }, + "snakeCase": { + "unsafeName": "result", + "safeName": "result" + }, + "screamingSnakeCase": { + "unsafeName": "RESULT", + "safeName": "RESULT" + }, + "pascalCase": { + "unsafeName": "Result", + "safeName": "Result" + } + }, + "wireValue": "result" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Any", + "camelCase": { + "unsafeName": "googleProtobufAny", + "safeName": "googleProtobufAny" + }, + "snakeCase": { + "unsafeName": "google_protobuf_any", + "safeName": "google_protobuf_any" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ANY", + "safeName": "GOOGLE_PROTOBUF_ANY" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufAny", + "safeName": "GoogleProtobufAny" + } + }, + "typeId": "google.protobuf.Any", + "default": null, + "inline": false, + "displayName": "result" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Any final result of the Task, should be from tasks/v*/result folder." + }, + { + "name": { + "name": { + "originalName": "start_time", + "camelCase": { + "unsafeName": "startTime", + "safeName": "startTime" + }, + "snakeCase": { + "unsafeName": "start_time", + "safeName": "start_time" + }, + "screamingSnakeCase": { + "unsafeName": "START_TIME", + "safeName": "START_TIME" + }, + "pascalCase": { + "unsafeName": "StartTime", + "safeName": "StartTime" + } + }, + "wireValue": "start_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "start_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Time the Task began execution, may not be known even for executing Tasks." + }, + { + "name": { + "name": { + "originalName": "estimate", + "camelCase": { + "unsafeName": "estimate", + "safeName": "estimate" + }, + "snakeCase": { + "unsafeName": "estimate", + "safeName": "estimate" + }, + "screamingSnakeCase": { + "unsafeName": "ESTIMATE", + "safeName": "ESTIMATE" + }, + "pascalCase": { + "unsafeName": "Estimate", + "safeName": "Estimate" + } + }, + "wireValue": "estimate" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Any", + "camelCase": { + "unsafeName": "googleProtobufAny", + "safeName": "googleProtobufAny" + }, + "snakeCase": { + "unsafeName": "google_protobuf_any", + "safeName": "google_protobuf_any" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ANY", + "safeName": "GOOGLE_PROTOBUF_ANY" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufAny", + "safeName": "GoogleProtobufAny" + } + }, + "typeId": "google.protobuf.Any", + "default": null, + "inline": false, + "displayName": "estimate" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Any estimate for how the Task will progress, should be from tasks/v*/estimates folder." + }, + { + "name": { + "name": { + "originalName": "allocation", + "camelCase": { + "unsafeName": "allocation", + "safeName": "allocation" + }, + "snakeCase": { + "unsafeName": "allocation", + "safeName": "allocation" + }, + "screamingSnakeCase": { + "unsafeName": "ALLOCATION", + "safeName": "ALLOCATION" + }, + "pascalCase": { + "unsafeName": "Allocation", + "safeName": "Allocation" + } + }, + "wireValue": "allocation" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Allocation", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Allocation", + "safeName": "andurilTaskmanagerV1Allocation" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_allocation", + "safeName": "anduril_taskmanager_v_1_allocation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_ALLOCATION", + "safeName": "ANDURIL_TASKMANAGER_V_1_ALLOCATION" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Allocation", + "safeName": "AndurilTaskmanagerV1Allocation" + } + }, + "typeId": "anduril.taskmanager.v1.Allocation", + "default": null, + "inline": false, + "displayName": "allocation" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Any allocated agents of the Task." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "TaskStatus is contains information regarding the status of a Task at any given time. Can include related information\\n such as any progress towards Task completion, or any associated results if Task completed." + }, + "anduril.taskmanager.v1.TaskError": { + "name": { + "typeId": "anduril.taskmanager.v1.TaskError", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskError", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskError", + "safeName": "andurilTaskmanagerV1TaskError" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_error", + "safeName": "anduril_taskmanager_v_1_task_error" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_ERROR", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_ERROR" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskError", + "safeName": "AndurilTaskmanagerV1TaskError" + } + }, + "displayName": "TaskError" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "code", + "camelCase": { + "unsafeName": "code", + "safeName": "code" + }, + "snakeCase": { + "unsafeName": "code", + "safeName": "code" + }, + "screamingSnakeCase": { + "unsafeName": "CODE", + "safeName": "CODE" + }, + "pascalCase": { + "unsafeName": "Code", + "safeName": "Code" + } + }, + "wireValue": "code" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ErrorCode", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ErrorCode", + "safeName": "andurilTaskmanagerV1ErrorCode" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_error_code", + "safeName": "anduril_taskmanager_v_1_error_code" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_ERROR_CODE", + "safeName": "ANDURIL_TASKMANAGER_V_1_ERROR_CODE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ErrorCode", + "safeName": "AndurilTaskmanagerV1ErrorCode" + } + }, + "typeId": "anduril.taskmanager.v1.ErrorCode", + "default": null, + "inline": false, + "displayName": "code" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Error code for Task error." + }, + { + "name": { + "name": { + "originalName": "message", + "camelCase": { + "unsafeName": "message", + "safeName": "message" + }, + "snakeCase": { + "unsafeName": "message", + "safeName": "message" + }, + "screamingSnakeCase": { + "unsafeName": "MESSAGE", + "safeName": "MESSAGE" + }, + "pascalCase": { + "unsafeName": "Message", + "safeName": "Message" + } + }, + "wireValue": "message" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Descriptive human-readable string regarding this error." + }, + { + "name": { + "name": { + "originalName": "error_details", + "camelCase": { + "unsafeName": "errorDetails", + "safeName": "errorDetails" + }, + "snakeCase": { + "unsafeName": "error_details", + "safeName": "error_details" + }, + "screamingSnakeCase": { + "unsafeName": "ERROR_DETAILS", + "safeName": "ERROR_DETAILS" + }, + "pascalCase": { + "unsafeName": "ErrorDetails", + "safeName": "ErrorDetails" + } + }, + "wireValue": "error_details" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Any", + "camelCase": { + "unsafeName": "googleProtobufAny", + "safeName": "googleProtobufAny" + }, + "snakeCase": { + "unsafeName": "google_protobuf_any", + "safeName": "google_protobuf_any" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ANY", + "safeName": "GOOGLE_PROTOBUF_ANY" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufAny", + "safeName": "GoogleProtobufAny" + } + }, + "typeId": "google.protobuf.Any", + "default": null, + "inline": false, + "displayName": "error_details" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Any additional details regarding this error." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "TaskError contains an error code and message typically associated to a Task." + }, + "anduril.taskmanager.v1.PrincipalAgent": { + "name": { + "typeId": "anduril.taskmanager.v1.PrincipalAgent", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.PrincipalAgent", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1PrincipalAgent", + "safeName": "andurilTaskmanagerV1PrincipalAgent" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_principal_agent", + "safeName": "anduril_taskmanager_v_1_principal_agent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL_AGENT", + "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL_AGENT" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1PrincipalAgent", + "safeName": "AndurilTaskmanagerV1PrincipalAgent" + } + }, + "displayName": "PrincipalAgent" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.System", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1System", + "safeName": "andurilTaskmanagerV1System" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_system", + "safeName": "anduril_taskmanager_v_1_system" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_SYSTEM", + "safeName": "ANDURIL_TASKMANAGER_V_1_SYSTEM" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1System", + "safeName": "AndurilTaskmanagerV1System" + } + }, + "typeId": "anduril.taskmanager.v1.System", + "default": null, + "inline": false, + "displayName": "system" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.User", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1User", + "safeName": "andurilTaskmanagerV1User" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_user", + "safeName": "anduril_taskmanager_v_1_user" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_USER", + "safeName": "ANDURIL_TASKMANAGER_V_1_USER" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1User", + "safeName": "AndurilTaskmanagerV1User" + } + }, + "typeId": "anduril.taskmanager.v1.User", + "default": null, + "inline": false, + "displayName": "user" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Team", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Team", + "safeName": "andurilTaskmanagerV1Team" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_team", + "safeName": "anduril_taskmanager_v_1_team" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TEAM", + "safeName": "ANDURIL_TASKMANAGER_V_1_TEAM" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Team", + "safeName": "AndurilTaskmanagerV1Team" + } + }, + "typeId": "anduril.taskmanager.v1.Team", + "default": null, + "inline": false, + "displayName": "team" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.taskmanager.v1.Principal": { + "name": { + "typeId": "anduril.taskmanager.v1.Principal", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Principal", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Principal", + "safeName": "andurilTaskmanagerV1Principal" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_principal", + "safeName": "anduril_taskmanager_v_1_principal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", + "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Principal", + "safeName": "AndurilTaskmanagerV1Principal" + } + }, + "displayName": "Principal" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "on_behalf_of", + "camelCase": { + "unsafeName": "onBehalfOf", + "safeName": "onBehalfOf" + }, + "snakeCase": { + "unsafeName": "on_behalf_of", + "safeName": "on_behalf_of" + }, + "screamingSnakeCase": { + "unsafeName": "ON_BEHALF_OF", + "safeName": "ON_BEHALF_OF" + }, + "pascalCase": { + "unsafeName": "OnBehalfOf", + "safeName": "OnBehalfOf" + } + }, + "wireValue": "on_behalf_of" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Principal", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Principal", + "safeName": "andurilTaskmanagerV1Principal" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_principal", + "safeName": "anduril_taskmanager_v_1_principal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", + "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Principal", + "safeName": "AndurilTaskmanagerV1Principal" + } + }, + "typeId": "anduril.taskmanager.v1.Principal", + "default": null, + "inline": false, + "displayName": "on_behalf_of" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Principal _this_ Principal is acting on behalf of.\\n\\n Likely only populated once in the nesting (i.e. the \\"on_behalf_of\\" Principal would not have another \\"on_behalf_of\\" in most cases)." + }, + { + "name": { + "name": { + "originalName": "agent", + "camelCase": { + "unsafeName": "agent", + "safeName": "agent" + }, + "snakeCase": { + "unsafeName": "agent", + "safeName": "agent" + }, + "screamingSnakeCase": { + "unsafeName": "AGENT", + "safeName": "AGENT" + }, + "pascalCase": { + "unsafeName": "Agent", + "safeName": "Agent" + } + }, + "wireValue": "agent" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.PrincipalAgent", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1PrincipalAgent", + "safeName": "andurilTaskmanagerV1PrincipalAgent" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_principal_agent", + "safeName": "anduril_taskmanager_v_1_principal_agent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL_AGENT", + "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL_AGENT" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1PrincipalAgent", + "safeName": "AndurilTaskmanagerV1PrincipalAgent" + } + }, + "typeId": "anduril.taskmanager.v1.PrincipalAgent", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A Principal is an entity that has authority over this Task." + }, + "anduril.taskmanager.v1.System": { + "name": { + "typeId": "anduril.taskmanager.v1.System", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.System", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1System", + "safeName": "andurilTaskmanagerV1System" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_system", + "safeName": "anduril_taskmanager_v_1_system" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_SYSTEM", + "safeName": "ANDURIL_TASKMANAGER_V_1_SYSTEM" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1System", + "safeName": "AndurilTaskmanagerV1System" + } + }, + "displayName": "System" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "service_name", + "camelCase": { + "unsafeName": "serviceName", + "safeName": "serviceName" + }, + "snakeCase": { + "unsafeName": "service_name", + "safeName": "service_name" + }, + "screamingSnakeCase": { + "unsafeName": "SERVICE_NAME", + "safeName": "SERVICE_NAME" + }, + "pascalCase": { + "unsafeName": "ServiceName", + "safeName": "ServiceName" + } + }, + "wireValue": "service_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Name of the service associated with this System." + }, + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The Entity ID of the System." + }, + { + "name": { + "name": { + "originalName": "manages_own_scheduling", + "camelCase": { + "unsafeName": "managesOwnScheduling", + "safeName": "managesOwnScheduling" + }, + "snakeCase": { + "unsafeName": "manages_own_scheduling", + "safeName": "manages_own_scheduling" + }, + "screamingSnakeCase": { + "unsafeName": "MANAGES_OWN_SCHEDULING", + "safeName": "MANAGES_OWN_SCHEDULING" + }, + "pascalCase": { + "unsafeName": "ManagesOwnScheduling", + "safeName": "ManagesOwnScheduling" + } + }, + "wireValue": "manages_own_scheduling" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Whether the System Principal (for example, an Asset) can own scheduling.\\n This means we bypass manager-owned scheduling and defer to the system\\n Principal to handle scheduling and give us status updates for the Task.\\n Regardless of the value defined by the client, the Task Manager will\\n determine and set this value appropriately." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "System Principal representing some autonomous system." + }, + "anduril.taskmanager.v1.User": { + "name": { + "typeId": "anduril.taskmanager.v1.User", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.User", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1User", + "safeName": "andurilTaskmanagerV1User" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_user", + "safeName": "anduril_taskmanager_v_1_user" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_USER", + "safeName": "ANDURIL_TASKMANAGER_V_1_USER" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1User", + "safeName": "AndurilTaskmanagerV1User" + } + }, + "displayName": "User" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "user_id", + "camelCase": { + "unsafeName": "userId", + "safeName": "userId" + }, + "snakeCase": { + "unsafeName": "user_id", + "safeName": "user_id" + }, + "screamingSnakeCase": { + "unsafeName": "USER_ID", + "safeName": "USER_ID" + }, + "pascalCase": { + "unsafeName": "UserId", + "safeName": "UserId" + } + }, + "wireValue": "user_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The User ID associated with this User." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A User Principal representing a human." + }, + "anduril.taskmanager.v1.Relations": { + "name": { + "typeId": "anduril.taskmanager.v1.Relations", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Relations", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Relations", + "safeName": "andurilTaskmanagerV1Relations" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_relations", + "safeName": "anduril_taskmanager_v_1_relations" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS", + "safeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Relations", + "safeName": "AndurilTaskmanagerV1Relations" + } + }, + "displayName": "Relations" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "assignee", + "camelCase": { + "unsafeName": "assignee", + "safeName": "assignee" + }, + "snakeCase": { + "unsafeName": "assignee", + "safeName": "assignee" + }, + "screamingSnakeCase": { + "unsafeName": "ASSIGNEE", + "safeName": "ASSIGNEE" + }, + "pascalCase": { + "unsafeName": "Assignee", + "safeName": "Assignee" + } + }, + "wireValue": "assignee" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Principal", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Principal", + "safeName": "andurilTaskmanagerV1Principal" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_principal", + "safeName": "anduril_taskmanager_v_1_principal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", + "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Principal", + "safeName": "AndurilTaskmanagerV1Principal" + } + }, + "typeId": "anduril.taskmanager.v1.Principal", + "default": null, + "inline": false, + "displayName": "assignee" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Who or what, if anyone, this Task is currently assigned to." + }, + { + "name": { + "name": { + "originalName": "parent_task_id", + "camelCase": { + "unsafeName": "parentTaskId", + "safeName": "parentTaskId" + }, + "snakeCase": { + "unsafeName": "parent_task_id", + "safeName": "parent_task_id" + }, + "screamingSnakeCase": { + "unsafeName": "PARENT_TASK_ID", + "safeName": "PARENT_TASK_ID" + }, + "pascalCase": { + "unsafeName": "ParentTaskId", + "safeName": "ParentTaskId" + } + }, + "wireValue": "parent_task_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If this Task is a \\"sub-Task\\", what is its parent, none if empty." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Relations describes the relationships of this Task, such as assignment, or if the Task has any parents." + }, + "anduril.taskmanager.v1.TaskEvent": { + "name": { + "typeId": "anduril.taskmanager.v1.TaskEvent", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskEvent", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskEvent", + "safeName": "andurilTaskmanagerV1TaskEvent" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_event", + "safeName": "anduril_taskmanager_v_1_task_event" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_EVENT", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_EVENT" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskEvent", + "safeName": "AndurilTaskmanagerV1TaskEvent" + } + }, + "displayName": "TaskEvent" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "event_type", + "camelCase": { + "unsafeName": "eventType", + "safeName": "eventType" + }, + "snakeCase": { + "unsafeName": "event_type", + "safeName": "event_type" + }, + "screamingSnakeCase": { + "unsafeName": "EVENT_TYPE", + "safeName": "EVENT_TYPE" + }, + "pascalCase": { + "unsafeName": "EventType", + "safeName": "EventType" + } + }, + "wireValue": "event_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.EventType", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1EventType", + "safeName": "andurilTaskmanagerV1EventType" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_event_type", + "safeName": "anduril_taskmanager_v_1_event_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_EVENT_TYPE", + "safeName": "ANDURIL_TASKMANAGER_V_1_EVENT_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1EventType", + "safeName": "AndurilTaskmanagerV1EventType" + } + }, + "typeId": "anduril.taskmanager.v1.EventType", + "default": null, + "inline": false, + "displayName": "event_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Type of Event." + }, + { + "name": { + "name": { + "originalName": "task", + "camelCase": { + "unsafeName": "task", + "safeName": "task" + }, + "snakeCase": { + "unsafeName": "task", + "safeName": "task" + }, + "screamingSnakeCase": { + "unsafeName": "TASK", + "safeName": "TASK" + }, + "pascalCase": { + "unsafeName": "Task", + "safeName": "Task" + } + }, + "wireValue": "task" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Task", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Task", + "safeName": "andurilTaskmanagerV1Task" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task", + "safeName": "anduril_taskmanager_v_1_task" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Task", + "safeName": "AndurilTaskmanagerV1Task" + } + }, + "typeId": "anduril.taskmanager.v1.Task", + "default": null, + "inline": false, + "displayName": "task" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Task associated with this TaskEvent." + }, + { + "name": { + "name": { + "originalName": "task_view", + "camelCase": { + "unsafeName": "taskView", + "safeName": "taskView" + }, + "snakeCase": { + "unsafeName": "task_view", + "safeName": "task_view" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_VIEW", + "safeName": "TASK_VIEW" + }, + "pascalCase": { + "unsafeName": "TaskView", + "safeName": "TaskView" + } + }, + "wireValue": "task_view" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskView", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskView", + "safeName": "andurilTaskmanagerV1TaskView" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_view", + "safeName": "anduril_taskmanager_v_1_task_view" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskView", + "safeName": "AndurilTaskmanagerV1TaskView" + } + }, + "typeId": "anduril.taskmanager.v1.TaskView", + "default": null, + "inline": false, + "displayName": "task_view" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "View associated with this task." + }, + { + "name": { + "name": { + "originalName": "time", + "camelCase": { + "unsafeName": "time", + "safeName": "time" + }, + "snakeCase": { + "unsafeName": "time", + "safeName": "time" + }, + "screamingSnakeCase": { + "unsafeName": "TIME", + "safeName": "TIME" + }, + "pascalCase": { + "unsafeName": "Time", + "safeName": "Time" + } + }, + "wireValue": "time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "===== Time Series Updates =====\\n\\n Timestamp for time-series to index." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Holds Tasks and its associated Events, e.g. CREATED." + }, + "anduril.taskmanager.v1.TaskVersion": { + "name": { + "typeId": "anduril.taskmanager.v1.TaskVersion", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskVersion", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskVersion", + "safeName": "andurilTaskmanagerV1TaskVersion" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_version", + "safeName": "anduril_taskmanager_v_1_task_version" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskVersion", + "safeName": "AndurilTaskmanagerV1TaskVersion" + } + }, + "displayName": "TaskVersion" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task_id", + "camelCase": { + "unsafeName": "taskId", + "safeName": "taskId" + }, + "snakeCase": { + "unsafeName": "task_id", + "safeName": "task_id" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_ID", + "safeName": "TASK_ID" + }, + "pascalCase": { + "unsafeName": "TaskId", + "safeName": "TaskId" + } + }, + "wireValue": "task_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The unique ID for this Task." + }, + { + "name": { + "name": { + "originalName": "definition_version", + "camelCase": { + "unsafeName": "definitionVersion", + "safeName": "definitionVersion" + }, + "snakeCase": { + "unsafeName": "definition_version", + "safeName": "definition_version" + }, + "screamingSnakeCase": { + "unsafeName": "DEFINITION_VERSION", + "safeName": "DEFINITION_VERSION" + }, + "pascalCase": { + "unsafeName": "DefinitionVersion", + "safeName": "DefinitionVersion" + } + }, + "wireValue": "definition_version" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Increments on definition (i.e. not TaskStatus) change. 0 is unset, starts at 1 on creation." + }, + { + "name": { + "name": { + "originalName": "status_version", + "camelCase": { + "unsafeName": "statusVersion", + "safeName": "statusVersion" + }, + "snakeCase": { + "unsafeName": "status_version", + "safeName": "status_version" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_VERSION", + "safeName": "STATUS_VERSION" + }, + "pascalCase": { + "unsafeName": "StatusVersion", + "safeName": "StatusVersion" + } + }, + "wireValue": "status_version" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Increments on changes to TaskStatus. 0 is unset, starts at 1 on creation." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Version of a Task." + }, + "anduril.taskmanager.v1.StatusUpdate": { + "name": { + "typeId": "anduril.taskmanager.v1.StatusUpdate", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.StatusUpdate", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1StatusUpdate", + "safeName": "andurilTaskmanagerV1StatusUpdate" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_status_update", + "safeName": "anduril_taskmanager_v_1_status_update" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS_UPDATE", + "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS_UPDATE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1StatusUpdate", + "safeName": "AndurilTaskmanagerV1StatusUpdate" + } + }, + "displayName": "StatusUpdate" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "version", + "camelCase": { + "unsafeName": "version", + "safeName": "version" + }, + "snakeCase": { + "unsafeName": "version", + "safeName": "version" + }, + "screamingSnakeCase": { + "unsafeName": "VERSION", + "safeName": "VERSION" + }, + "pascalCase": { + "unsafeName": "Version", + "safeName": "Version" + } + }, + "wireValue": "version" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskVersion", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskVersion", + "safeName": "andurilTaskmanagerV1TaskVersion" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_version", + "safeName": "anduril_taskmanager_v_1_task_version" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VERSION" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskVersion", + "safeName": "AndurilTaskmanagerV1TaskVersion" + } + }, + "typeId": "anduril.taskmanager.v1.TaskVersion", + "default": null, + "inline": false, + "displayName": "version" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Version of the Task." + }, + { + "name": { + "name": { + "originalName": "status", + "camelCase": { + "unsafeName": "status", + "safeName": "status" + }, + "snakeCase": { + "unsafeName": "status", + "safeName": "status" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS", + "safeName": "STATUS" + }, + "pascalCase": { + "unsafeName": "Status", + "safeName": "Status" + } + }, + "wireValue": "status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskStatus", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskStatus", + "safeName": "andurilTaskmanagerV1TaskStatus" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_status", + "safeName": "anduril_taskmanager_v_1_task_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskStatus", + "safeName": "AndurilTaskmanagerV1TaskStatus" + } + }, + "typeId": "anduril.taskmanager.v1.TaskStatus", + "default": null, + "inline": false, + "displayName": "status" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Status of the Task." + }, + { + "name": { + "name": { + "originalName": "author", + "camelCase": { + "unsafeName": "author", + "safeName": "author" + }, + "snakeCase": { + "unsafeName": "author", + "safeName": "author" + }, + "screamingSnakeCase": { + "unsafeName": "AUTHOR", + "safeName": "AUTHOR" + }, + "pascalCase": { + "unsafeName": "Author", + "safeName": "Author" + } + }, + "wireValue": "author" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Principal", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Principal", + "safeName": "andurilTaskmanagerV1Principal" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_principal", + "safeName": "anduril_taskmanager_v_1_principal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", + "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Principal", + "safeName": "AndurilTaskmanagerV1Principal" + } + }, + "typeId": "anduril.taskmanager.v1.Principal", + "default": null, + "inline": false, + "displayName": "author" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Author of the StatusUpdate message. Used to set the LastUpdatedBy field of the Task." + }, + { + "name": { + "name": { + "originalName": "scheduled_time", + "camelCase": { + "unsafeName": "scheduledTime", + "safeName": "scheduledTime" + }, + "snakeCase": { + "unsafeName": "scheduled_time", + "safeName": "scheduled_time" + }, + "screamingSnakeCase": { + "unsafeName": "SCHEDULED_TIME", + "safeName": "SCHEDULED_TIME" + }, + "pascalCase": { + "unsafeName": "ScheduledTime", + "safeName": "ScheduledTime" + } + }, + "wireValue": "scheduled_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "scheduled_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Typically provided if a user is manually managing a Task, or if an asset owns scheduling." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "a Task status update" + }, + "anduril.taskmanager.v1.DefinitionUpdate": { + "name": { + "typeId": "anduril.taskmanager.v1.DefinitionUpdate", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.DefinitionUpdate", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1DefinitionUpdate", + "safeName": "andurilTaskmanagerV1DefinitionUpdate" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_definition_update", + "safeName": "anduril_taskmanager_v_1_definition_update" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_DEFINITION_UPDATE", + "safeName": "ANDURIL_TASKMANAGER_V_1_DEFINITION_UPDATE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1DefinitionUpdate", + "safeName": "AndurilTaskmanagerV1DefinitionUpdate" + } + }, + "displayName": "DefinitionUpdate" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task", + "camelCase": { + "unsafeName": "task", + "safeName": "task" + }, + "snakeCase": { + "unsafeName": "task", + "safeName": "task" + }, + "screamingSnakeCase": { + "unsafeName": "TASK", + "safeName": "TASK" + }, + "pascalCase": { + "unsafeName": "Task", + "safeName": "Task" + } + }, + "wireValue": "task" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Task", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Task", + "safeName": "andurilTaskmanagerV1Task" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task", + "safeName": "anduril_taskmanager_v_1_task" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Task", + "safeName": "AndurilTaskmanagerV1Task" + } + }, + "typeId": "anduril.taskmanager.v1.Task", + "default": null, + "inline": false, + "displayName": "task" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "New task definition being created or updated.\\n The last_updated_by and specification fields inside the task object must be defined.\\n Definition version must also be incremented by the publisher on updates.\\n We do not look at the fields create_time or last_update_time in this object,\\n they are instead set by task-manager." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Message representing a Task create or update." + }, + "anduril.taskmanager.v1.Owner": { + "name": { + "typeId": "anduril.taskmanager.v1.Owner", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Owner", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Owner", + "safeName": "andurilTaskmanagerV1Owner" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_owner", + "safeName": "anduril_taskmanager_v_1_owner" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_OWNER", + "safeName": "ANDURIL_TASKMANAGER_V_1_OWNER" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Owner", + "safeName": "AndurilTaskmanagerV1Owner" + } + }, + "displayName": "Owner" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Entity ID of the owner." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Owner designates the entity responsible for writes of Task data." + }, + "anduril.taskmanager.v1.Replication": { + "name": { + "typeId": "anduril.taskmanager.v1.Replication", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Replication", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Replication", + "safeName": "andurilTaskmanagerV1Replication" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_replication", + "safeName": "anduril_taskmanager_v_1_replication" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_REPLICATION", + "safeName": "ANDURIL_TASKMANAGER_V_1_REPLICATION" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Replication", + "safeName": "AndurilTaskmanagerV1Replication" + } + }, + "displayName": "Replication" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "stale_time", + "camelCase": { + "unsafeName": "staleTime", + "safeName": "staleTime" + }, + "snakeCase": { + "unsafeName": "stale_time", + "safeName": "stale_time" + }, + "screamingSnakeCase": { + "unsafeName": "STALE_TIME", + "safeName": "STALE_TIME" + }, + "pascalCase": { + "unsafeName": "StaleTime", + "safeName": "StaleTime" + } + }, + "wireValue": "stale_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "stale_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Time by which this Task should be assumed to be stale." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Any metadata associated with the replication of a Task." + }, + "anduril.taskmanager.v1.Allocation": { + "name": { + "typeId": "anduril.taskmanager.v1.Allocation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Allocation", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Allocation", + "safeName": "andurilTaskmanagerV1Allocation" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_allocation", + "safeName": "anduril_taskmanager_v_1_allocation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_ALLOCATION", + "safeName": "ANDURIL_TASKMANAGER_V_1_ALLOCATION" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Allocation", + "safeName": "AndurilTaskmanagerV1Allocation" + } + }, + "displayName": "Allocation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "active_agents", + "camelCase": { + "unsafeName": "activeAgents", + "safeName": "activeAgents" + }, + "snakeCase": { + "unsafeName": "active_agents", + "safeName": "active_agents" + }, + "screamingSnakeCase": { + "unsafeName": "ACTIVE_AGENTS", + "safeName": "ACTIVE_AGENTS" + }, + "pascalCase": { + "unsafeName": "ActiveAgents", + "safeName": "ActiveAgents" + } + }, + "wireValue": "active_agents" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Agent", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Agent", + "safeName": "andurilTaskmanagerV1Agent" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_agent", + "safeName": "anduril_taskmanager_v_1_agent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_AGENT", + "safeName": "ANDURIL_TASKMANAGER_V_1_AGENT" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Agent", + "safeName": "AndurilTaskmanagerV1Agent" + } + }, + "typeId": "anduril.taskmanager.v1.Agent", + "default": null, + "inline": false, + "displayName": "active_agents" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Agents actively being utilized in a Task." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Allocation contains a list of agents allocated to a Task." + }, + "anduril.taskmanager.v1.Team": { + "name": { + "typeId": "anduril.taskmanager.v1.Team", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Team", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Team", + "safeName": "andurilTaskmanagerV1Team" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_team", + "safeName": "anduril_taskmanager_v_1_team" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TEAM", + "safeName": "ANDURIL_TASKMANAGER_V_1_TEAM" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Team", + "safeName": "AndurilTaskmanagerV1Team" + } + }, + "displayName": "Team" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Entity ID of the team" + }, + { + "name": { + "name": { + "originalName": "members", + "camelCase": { + "unsafeName": "members", + "safeName": "members" + }, + "snakeCase": { + "unsafeName": "members", + "safeName": "members" + }, + "screamingSnakeCase": { + "unsafeName": "MEMBERS", + "safeName": "MEMBERS" + }, + "pascalCase": { + "unsafeName": "Members", + "safeName": "Members" + } + }, + "wireValue": "members" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Agent", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Agent", + "safeName": "andurilTaskmanagerV1Agent" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_agent", + "safeName": "anduril_taskmanager_v_1_agent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_AGENT", + "safeName": "ANDURIL_TASKMANAGER_V_1_AGENT" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Agent", + "safeName": "AndurilTaskmanagerV1Agent" + } + }, + "typeId": "anduril.taskmanager.v1.Agent", + "default": null, + "inline": false, + "displayName": "members" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents a team of agents" + }, + "anduril.taskmanager.v1.Agent": { + "name": { + "typeId": "anduril.taskmanager.v1.Agent", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Agent", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Agent", + "safeName": "andurilTaskmanagerV1Agent" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_agent", + "safeName": "anduril_taskmanager_v_1_agent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_AGENT", + "safeName": "ANDURIL_TASKMANAGER_V_1_AGENT" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Agent", + "safeName": "AndurilTaskmanagerV1Agent" + } + }, + "displayName": "Agent" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Entity ID of the agent." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents an Agent in the COP." + }, + "anduril.taskmanager.v1.TaskEntity": { + "name": { + "typeId": "anduril.taskmanager.v1.TaskEntity", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskEntity", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskEntity", + "safeName": "andurilTaskmanagerV1TaskEntity" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_entity", + "safeName": "anduril_taskmanager_v_1_task_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskEntity", + "safeName": "AndurilTaskmanagerV1TaskEntity" + } + }, + "displayName": "TaskEntity" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity", + "camelCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "snakeCase": { + "unsafeName": "entity", + "safeName": "entity" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY", + "safeName": "ENTITY" + }, + "pascalCase": { + "unsafeName": "Entity", + "safeName": "Entity" + } + }, + "wireValue": "entity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.Entity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1Entity", + "safeName": "andurilEntitymanagerV1Entity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_entity", + "safeName": "anduril_entitymanager_v_1_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1Entity", + "safeName": "AndurilEntitymanagerV1Entity" + } + }, + "typeId": "anduril.entitymanager.v1.Entity", + "default": null, + "inline": false, + "displayName": "entity" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The wrapped entity-manager entity." + }, + { + "name": { + "name": { + "originalName": "snapshot", + "camelCase": { + "unsafeName": "snapshot", + "safeName": "snapshot" + }, + "snakeCase": { + "unsafeName": "snapshot", + "safeName": "snapshot" + }, + "screamingSnakeCase": { + "unsafeName": "SNAPSHOT", + "safeName": "SNAPSHOT" + }, + "pascalCase": { + "unsafeName": "Snapshot", + "safeName": "Snapshot" + } + }, + "wireValue": "snapshot" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates that this entity was generated from a snapshot of a live entity." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Wrapper of an entity passed in Tasking, used to hold an additional information, and as a future extension point." + }, + "anduril.taskmanager.v1.ExecuteRequest": { + "name": { + "typeId": "anduril.taskmanager.v1.ExecuteRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ExecuteRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ExecuteRequest", + "safeName": "andurilTaskmanagerV1ExecuteRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_execute_request", + "safeName": "anduril_taskmanager_v_1_execute_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_EXECUTE_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_EXECUTE_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ExecuteRequest", + "safeName": "AndurilTaskmanagerV1ExecuteRequest" + } + }, + "displayName": "ExecuteRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task", + "camelCase": { + "unsafeName": "task", + "safeName": "task" + }, + "snakeCase": { + "unsafeName": "task", + "safeName": "task" + }, + "screamingSnakeCase": { + "unsafeName": "TASK", + "safeName": "TASK" + }, + "pascalCase": { + "unsafeName": "Task", + "safeName": "Task" + } + }, + "wireValue": "task" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Task", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Task", + "safeName": "andurilTaskmanagerV1Task" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task", + "safeName": "anduril_taskmanager_v_1_task" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Task", + "safeName": "AndurilTaskmanagerV1Task" + } + }, + "typeId": "anduril.taskmanager.v1.Task", + "default": null, + "inline": false, + "displayName": "task" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Task to execute." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Request to execute a Task." + }, + "anduril.taskmanager.v1.CancelRequest": { + "name": { + "typeId": "anduril.taskmanager.v1.CancelRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.CancelRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1CancelRequest", + "safeName": "andurilTaskmanagerV1CancelRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_cancel_request", + "safeName": "anduril_taskmanager_v_1_cancel_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_CANCEL_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_CANCEL_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1CancelRequest", + "safeName": "AndurilTaskmanagerV1CancelRequest" + } + }, + "displayName": "CancelRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task_id", + "camelCase": { + "unsafeName": "taskId", + "safeName": "taskId" + }, + "snakeCase": { + "unsafeName": "task_id", + "safeName": "task_id" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_ID", + "safeName": "TASK_ID" + }, + "pascalCase": { + "unsafeName": "TaskId", + "safeName": "TaskId" + } + }, + "wireValue": "task_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "ID of the Task to cancel." + }, + { + "name": { + "name": { + "originalName": "assignee", + "camelCase": { + "unsafeName": "assignee", + "safeName": "assignee" + }, + "snakeCase": { + "unsafeName": "assignee", + "safeName": "assignee" + }, + "screamingSnakeCase": { + "unsafeName": "ASSIGNEE", + "safeName": "ASSIGNEE" + }, + "pascalCase": { + "unsafeName": "Assignee", + "safeName": "Assignee" + } + }, + "wireValue": "assignee" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Principal", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Principal", + "safeName": "andurilTaskmanagerV1Principal" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_principal", + "safeName": "anduril_taskmanager_v_1_principal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", + "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Principal", + "safeName": "AndurilTaskmanagerV1Principal" + } + }, + "typeId": "anduril.taskmanager.v1.Principal", + "default": null, + "inline": false, + "displayName": "assignee" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The assignee of the Task. Useful for agent routing where an endpoint owns multiple agents,\\n especially onBehalfOf assignees." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Request to Cancel a Task." + }, + "anduril.taskmanager.v1.CompleteRequest": { + "name": { + "typeId": "anduril.taskmanager.v1.CompleteRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.CompleteRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1CompleteRequest", + "safeName": "andurilTaskmanagerV1CompleteRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_complete_request", + "safeName": "anduril_taskmanager_v_1_complete_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_COMPLETE_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_COMPLETE_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1CompleteRequest", + "safeName": "AndurilTaskmanagerV1CompleteRequest" + } + }, + "displayName": "CompleteRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task_id", + "camelCase": { + "unsafeName": "taskId", + "safeName": "taskId" + }, + "snakeCase": { + "unsafeName": "task_id", + "safeName": "task_id" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_ID", + "safeName": "TASK_ID" + }, + "pascalCase": { + "unsafeName": "TaskId", + "safeName": "TaskId" + } + }, + "wireValue": "task_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "ID of the task to complete." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Request to Complete a Task." + }, + "anduril.taskmanager.v1.CreateTaskRequest": { + "name": { + "typeId": "anduril.taskmanager.v1.CreateTaskRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.CreateTaskRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1CreateTaskRequest", + "safeName": "andurilTaskmanagerV1CreateTaskRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_create_task_request", + "safeName": "anduril_taskmanager_v_1_create_task_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1CreateTaskRequest", + "safeName": "AndurilTaskmanagerV1CreateTaskRequest" + } + }, + "displayName": "CreateTaskRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "display_name", + "camelCase": { + "unsafeName": "displayName", + "safeName": "displayName" + }, + "snakeCase": { + "unsafeName": "display_name", + "safeName": "display_name" + }, + "screamingSnakeCase": { + "unsafeName": "DISPLAY_NAME", + "safeName": "DISPLAY_NAME" + }, + "pascalCase": { + "unsafeName": "DisplayName", + "safeName": "DisplayName" + } + }, + "wireValue": "display_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Human-readable display name for this Task, should be short (<100 chars)." + }, + { + "name": { + "name": { + "originalName": "specification", + "camelCase": { + "unsafeName": "specification", + "safeName": "specification" + }, + "snakeCase": { + "unsafeName": "specification", + "safeName": "specification" + }, + "screamingSnakeCase": { + "unsafeName": "SPECIFICATION", + "safeName": "SPECIFICATION" + }, + "pascalCase": { + "unsafeName": "Specification", + "safeName": "Specification" + } + }, + "wireValue": "specification" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Any", + "camelCase": { + "unsafeName": "googleProtobufAny", + "safeName": "googleProtobufAny" + }, + "snakeCase": { + "unsafeName": "google_protobuf_any", + "safeName": "google_protobuf_any" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_ANY", + "safeName": "GOOGLE_PROTOBUF_ANY" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufAny", + "safeName": "GoogleProtobufAny" + } + }, + "typeId": "google.protobuf.Any", + "default": null, + "inline": false, + "displayName": "specification" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Full task parameterization, must be a message under anduril/tasks/v*/." + }, + { + "name": { + "name": { + "originalName": "author", + "camelCase": { + "unsafeName": "author", + "safeName": "author" + }, + "snakeCase": { + "unsafeName": "author", + "safeName": "author" + }, + "screamingSnakeCase": { + "unsafeName": "AUTHOR", + "safeName": "AUTHOR" + }, + "pascalCase": { + "unsafeName": "Author", + "safeName": "Author" + } + }, + "wireValue": "author" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Principal", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Principal", + "safeName": "andurilTaskmanagerV1Principal" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_principal", + "safeName": "anduril_taskmanager_v_1_principal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL", + "safeName": "ANDURIL_TASKMANAGER_V_1_PRINCIPAL" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Principal", + "safeName": "AndurilTaskmanagerV1Principal" + } + }, + "typeId": "anduril.taskmanager.v1.Principal", + "default": null, + "inline": false, + "displayName": "author" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Who or what is creating this Task. For example, if a user created this Task via a UI, it would\\n contain the \\"user\\" Principal type with the user ID of that user. Or if a service is calling the\\n CreateTask endpoint, then a \\"service\\" Principal type is to be provided." + }, + { + "name": { + "name": { + "originalName": "relations", + "camelCase": { + "unsafeName": "relations", + "safeName": "relations" + }, + "snakeCase": { + "unsafeName": "relations", + "safeName": "relations" + }, + "screamingSnakeCase": { + "unsafeName": "RELATIONS", + "safeName": "RELATIONS" + }, + "pascalCase": { + "unsafeName": "Relations", + "safeName": "Relations" + } + }, + "wireValue": "relations" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Relations", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Relations", + "safeName": "andurilTaskmanagerV1Relations" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_relations", + "safeName": "anduril_taskmanager_v_1_relations" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS", + "safeName": "ANDURIL_TASKMANAGER_V_1_RELATIONS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Relations", + "safeName": "AndurilTaskmanagerV1Relations" + } + }, + "typeId": "anduril.taskmanager.v1.Relations", + "default": null, + "inline": false, + "displayName": "relations" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Any relationships associated with this Task, such as a parent Task or an assignee this Task is designated to\\n for execution." + }, + { + "name": { + "name": { + "originalName": "description", + "camelCase": { + "unsafeName": "description", + "safeName": "description" + }, + "snakeCase": { + "unsafeName": "description", + "safeName": "description" + }, + "screamingSnakeCase": { + "unsafeName": "DESCRIPTION", + "safeName": "DESCRIPTION" + }, + "pascalCase": { + "unsafeName": "Description", + "safeName": "Description" + } + }, + "wireValue": "description" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Longer, free-form, human-readable description of this Task." + }, + { + "name": { + "name": { + "originalName": "is_executed_elsewhere", + "camelCase": { + "unsafeName": "isExecutedElsewhere", + "safeName": "isExecutedElsewhere" + }, + "snakeCase": { + "unsafeName": "is_executed_elsewhere", + "safeName": "is_executed_elsewhere" + }, + "screamingSnakeCase": { + "unsafeName": "IS_EXECUTED_ELSEWHERE", + "safeName": "IS_EXECUTED_ELSEWHERE" + }, + "pascalCase": { + "unsafeName": "IsExecutedElsewhere", + "safeName": "IsExecutedElsewhere" + } + }, + "wireValue": "is_executed_elsewhere" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "BOOLEAN", + "v2": { + "type": "boolean", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If set, then task-manager will not trigger execution of this task on an agent. Useful for when ingesting\\n tasks from an external system that is triggering execution of tasks on agents." + }, + { + "name": { + "name": { + "originalName": "task_id", + "camelCase": { + "unsafeName": "taskId", + "safeName": "taskId" + }, + "snakeCase": { + "unsafeName": "task_id", + "safeName": "task_id" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_ID", + "safeName": "TASK_ID" + }, + "pascalCase": { + "unsafeName": "TaskId", + "safeName": "TaskId" + } + }, + "wireValue": "task_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If non-empty, will set the requested Task ID, otherwise will generate a new random GUID.\\n Will reject if supplied Task ID does not match \`[A-Za-z0-9_-.]{5,36}\`." + }, + { + "name": { + "name": { + "originalName": "initial_entities", + "camelCase": { + "unsafeName": "initialEntities", + "safeName": "initialEntities" + }, + "snakeCase": { + "unsafeName": "initial_entities", + "safeName": "initial_entities" + }, + "screamingSnakeCase": { + "unsafeName": "INITIAL_ENTITIES", + "safeName": "INITIAL_ENTITIES" + }, + "pascalCase": { + "unsafeName": "InitialEntities", + "safeName": "InitialEntities" + } + }, + "wireValue": "initial_entities" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskEntity", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskEntity", + "safeName": "andurilTaskmanagerV1TaskEntity" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_entity", + "safeName": "anduril_taskmanager_v_1_task_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskEntity", + "safeName": "AndurilTaskmanagerV1TaskEntity" + } + }, + "typeId": "anduril.taskmanager.v1.TaskEntity", + "default": null, + "inline": false, + "displayName": "initial_entities" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates an initial set of entities that can be used to execute an entity aware task.\\n For example, an entity Objective, an entity Keep In Zone, etc." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Request to create a Task." + }, + "anduril.taskmanager.v1.CreateTaskResponse": { + "name": { + "typeId": "anduril.taskmanager.v1.CreateTaskResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.CreateTaskResponse", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1CreateTaskResponse", + "safeName": "andurilTaskmanagerV1CreateTaskResponse" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_create_task_response", + "safeName": "anduril_taskmanager_v_1_create_task_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_RESPONSE", + "safeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1CreateTaskResponse", + "safeName": "AndurilTaskmanagerV1CreateTaskResponse" + } + }, + "displayName": "CreateTaskResponse" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task", + "camelCase": { + "unsafeName": "task", + "safeName": "task" + }, + "snakeCase": { + "unsafeName": "task", + "safeName": "task" + }, + "screamingSnakeCase": { + "unsafeName": "TASK", + "safeName": "TASK" + }, + "pascalCase": { + "unsafeName": "Task", + "safeName": "Task" + } + }, + "wireValue": "task" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Task", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Task", + "safeName": "andurilTaskmanagerV1Task" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task", + "safeName": "anduril_taskmanager_v_1_task" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Task", + "safeName": "AndurilTaskmanagerV1Task" + } + }, + "typeId": "anduril.taskmanager.v1.Task", + "default": null, + "inline": false, + "displayName": "task" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Task that was created." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Response to a Create Task request." + }, + "anduril.taskmanager.v1.GetTaskRequest": { + "name": { + "typeId": "anduril.taskmanager.v1.GetTaskRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.GetTaskRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1GetTaskRequest", + "safeName": "andurilTaskmanagerV1GetTaskRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_get_task_request", + "safeName": "anduril_taskmanager_v_1_get_task_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1GetTaskRequest", + "safeName": "AndurilTaskmanagerV1GetTaskRequest" + } + }, + "displayName": "GetTaskRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task_id", + "camelCase": { + "unsafeName": "taskId", + "safeName": "taskId" + }, + "snakeCase": { + "unsafeName": "task_id", + "safeName": "task_id" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_ID", + "safeName": "TASK_ID" + }, + "pascalCase": { + "unsafeName": "TaskId", + "safeName": "TaskId" + } + }, + "wireValue": "task_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "ID of Task to get." + }, + { + "name": { + "name": { + "originalName": "definition_version", + "camelCase": { + "unsafeName": "definitionVersion", + "safeName": "definitionVersion" + }, + "snakeCase": { + "unsafeName": "definition_version", + "safeName": "definition_version" + }, + "screamingSnakeCase": { + "unsafeName": "DEFINITION_VERSION", + "safeName": "DEFINITION_VERSION" + }, + "pascalCase": { + "unsafeName": "DefinitionVersion", + "safeName": "DefinitionVersion" + } + }, + "wireValue": "definition_version" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional - if > 0, will get specific definition_version, otherwise latest (highest) definition_version is used." + }, + { + "name": { + "name": { + "originalName": "task_view", + "camelCase": { + "unsafeName": "taskView", + "safeName": "taskView" + }, + "snakeCase": { + "unsafeName": "task_view", + "safeName": "task_view" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_VIEW", + "safeName": "TASK_VIEW" + }, + "pascalCase": { + "unsafeName": "TaskView", + "safeName": "TaskView" + } + }, + "wireValue": "task_view" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskView", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskView", + "safeName": "andurilTaskmanagerV1TaskView" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_view", + "safeName": "anduril_taskmanager_v_1_task_view" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskView", + "safeName": "AndurilTaskmanagerV1TaskView" + } + }, + "typeId": "anduril.taskmanager.v1.TaskView", + "default": null, + "inline": false, + "displayName": "task_view" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional - select which view of the task to fetch. If not set, defaults to TASK_VIEW_MANAGER." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Request to get a Task." + }, + "anduril.taskmanager.v1.GetTaskResponse": { + "name": { + "typeId": "anduril.taskmanager.v1.GetTaskResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.GetTaskResponse", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1GetTaskResponse", + "safeName": "andurilTaskmanagerV1GetTaskResponse" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_get_task_response", + "safeName": "anduril_taskmanager_v_1_get_task_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_RESPONSE", + "safeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1GetTaskResponse", + "safeName": "AndurilTaskmanagerV1GetTaskResponse" + } + }, + "displayName": "GetTaskResponse" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task", + "camelCase": { + "unsafeName": "task", + "safeName": "task" + }, + "snakeCase": { + "unsafeName": "task", + "safeName": "task" + }, + "screamingSnakeCase": { + "unsafeName": "TASK", + "safeName": "TASK" + }, + "pascalCase": { + "unsafeName": "Task", + "safeName": "Task" + } + }, + "wireValue": "task" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Task", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Task", + "safeName": "andurilTaskmanagerV1Task" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task", + "safeName": "anduril_taskmanager_v_1_task" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Task", + "safeName": "AndurilTaskmanagerV1Task" + } + }, + "typeId": "anduril.taskmanager.v1.Task", + "default": null, + "inline": false, + "displayName": "task" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Task that was returned." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Response to a Get Task request." + }, + "anduril.taskmanager.v1.QueryTasksRequest.TimeRange": { + "name": { + "typeId": "QueryTasksRequest.TimeRange", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TimeRange", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TimeRange", + "safeName": "andurilTaskmanagerV1TimeRange" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_time_range", + "safeName": "anduril_taskmanager_v_1_time_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TIME_RANGE", + "safeName": "ANDURIL_TASKMANAGER_V_1_TIME_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TimeRange", + "safeName": "AndurilTaskmanagerV1TimeRange" + } + }, + "displayName": "TimeRange" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "update_start_time", + "camelCase": { + "unsafeName": "updateStartTime", + "safeName": "updateStartTime" + }, + "snakeCase": { + "unsafeName": "update_start_time", + "safeName": "update_start_time" + }, + "screamingSnakeCase": { + "unsafeName": "UPDATE_START_TIME", + "safeName": "UPDATE_START_TIME" + }, + "pascalCase": { + "unsafeName": "UpdateStartTime", + "safeName": "UpdateStartTime" + } + }, + "wireValue": "update_start_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "update_start_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If provided, returns Tasks only updated after this time." + }, + { + "name": { + "name": { + "originalName": "update_end_time", + "camelCase": { + "unsafeName": "updateEndTime", + "safeName": "updateEndTime" + }, + "snakeCase": { + "unsafeName": "update_end_time", + "safeName": "update_end_time" + }, + "screamingSnakeCase": { + "unsafeName": "UPDATE_END_TIME", + "safeName": "UPDATE_END_TIME" + }, + "pascalCase": { + "unsafeName": "UpdateEndTime", + "safeName": "UpdateEndTime" + } + }, + "wireValue": "update_end_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "update_end_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If provided, returns Tasks only updated before this time." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A time range query for Tasks." + }, + "anduril.taskmanager.v1.QueryTasksRequest.StatusFilter": { + "name": { + "typeId": "QueryTasksRequest.StatusFilter", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.StatusFilter", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1StatusFilter", + "safeName": "andurilTaskmanagerV1StatusFilter" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_status_filter", + "safeName": "anduril_taskmanager_v_1_status_filter" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS_FILTER", + "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS_FILTER" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1StatusFilter", + "safeName": "AndurilTaskmanagerV1StatusFilter" + } + }, + "displayName": "StatusFilter" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "status", + "camelCase": { + "unsafeName": "status", + "safeName": "status" + }, + "snakeCase": { + "unsafeName": "status", + "safeName": "status" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS", + "safeName": "STATUS" + }, + "pascalCase": { + "unsafeName": "Status", + "safeName": "Status" + } + }, + "wireValue": "status" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Status", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Status", + "safeName": "andurilTaskmanagerV1Status" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_status", + "safeName": "anduril_taskmanager_v_1_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS", + "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Status", + "safeName": "AndurilTaskmanagerV1Status" + } + }, + "typeId": "anduril.taskmanager.v1.Status", + "default": null, + "inline": false, + "displayName": "status" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Statuses to be part of the filter." + }, + { + "name": { + "name": { + "originalName": "filter_type", + "camelCase": { + "unsafeName": "filterType", + "safeName": "filterType" + }, + "snakeCase": { + "unsafeName": "filter_type", + "safeName": "filter_type" + }, + "screamingSnakeCase": { + "unsafeName": "FILTER_TYPE", + "safeName": "FILTER_TYPE" + }, + "pascalCase": { + "unsafeName": "FilterType", + "safeName": "FilterType" + } + }, + "wireValue": "filter_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.QueryTasksRequest.FilterType", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1QueryTasksRequestFilterType", + "safeName": "andurilTaskmanagerV1QueryTasksRequestFilterType" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_query_tasks_request_filter_type", + "safeName": "anduril_taskmanager_v_1_query_tasks_request_filter_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_FILTER_TYPE", + "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_FILTER_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1QueryTasksRequestFilterType", + "safeName": "AndurilTaskmanagerV1QueryTasksRequestFilterType" + } + }, + "typeId": "anduril.taskmanager.v1.QueryTasksRequest.FilterType", + "default": null, + "inline": false, + "displayName": "filter_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The type of filter to apply." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A filter for statuses." + }, + "anduril.taskmanager.v1.QueryTasksRequest.FilterType": { + "name": { + "typeId": "QueryTasksRequest.FilterType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.FilterType", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1FilterType", + "safeName": "andurilTaskmanagerV1FilterType" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_filter_type", + "safeName": "anduril_taskmanager_v_1_filter_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_FILTER_TYPE", + "safeName": "ANDURIL_TASKMANAGER_V_1_FILTER_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1FilterType", + "safeName": "AndurilTaskmanagerV1FilterType" + } + }, + "displayName": "FilterType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "FILTER_TYPE_INVALID", + "camelCase": { + "unsafeName": "filterTypeInvalid", + "safeName": "filterTypeInvalid" + }, + "snakeCase": { + "unsafeName": "filter_type_invalid", + "safeName": "filter_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "FILTER_TYPE_INVALID", + "safeName": "FILTER_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "FilterTypeInvalid", + "safeName": "FilterTypeInvalid" + } + }, + "wireValue": "FILTER_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "FILTER_TYPE_INCLUSIVE", + "camelCase": { + "unsafeName": "filterTypeInclusive", + "safeName": "filterTypeInclusive" + }, + "snakeCase": { + "unsafeName": "filter_type_inclusive", + "safeName": "filter_type_inclusive" + }, + "screamingSnakeCase": { + "unsafeName": "FILTER_TYPE_INCLUSIVE", + "safeName": "FILTER_TYPE_INCLUSIVE" + }, + "pascalCase": { + "unsafeName": "FilterTypeInclusive", + "safeName": "FilterTypeInclusive" + } + }, + "wireValue": "FILTER_TYPE_INCLUSIVE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "FILTER_TYPE_EXCLUSIVE", + "camelCase": { + "unsafeName": "filterTypeExclusive", + "safeName": "filterTypeExclusive" + }, + "snakeCase": { + "unsafeName": "filter_type_exclusive", + "safeName": "filter_type_exclusive" + }, + "screamingSnakeCase": { + "unsafeName": "FILTER_TYPE_EXCLUSIVE", + "safeName": "FILTER_TYPE_EXCLUSIVE" + }, + "pascalCase": { + "unsafeName": "FilterTypeExclusive", + "safeName": "FilterTypeExclusive" + } + }, + "wireValue": "FILTER_TYPE_EXCLUSIVE" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "The type of filter." + }, + "anduril.taskmanager.v1.QueryTasksRequest": { + "name": { + "typeId": "anduril.taskmanager.v1.QueryTasksRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.QueryTasksRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1QueryTasksRequest", + "safeName": "andurilTaskmanagerV1QueryTasksRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_query_tasks_request", + "safeName": "anduril_taskmanager_v_1_query_tasks_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1QueryTasksRequest", + "safeName": "AndurilTaskmanagerV1QueryTasksRequest" + } + }, + "displayName": "QueryTasksRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "parent_task_id", + "camelCase": { + "unsafeName": "parentTaskId", + "safeName": "parentTaskId" + }, + "snakeCase": { + "unsafeName": "parent_task_id", + "safeName": "parent_task_id" + }, + "screamingSnakeCase": { + "unsafeName": "PARENT_TASK_ID", + "safeName": "PARENT_TASK_ID" + }, + "pascalCase": { + "unsafeName": "ParentTaskId", + "safeName": "ParentTaskId" + } + }, + "wireValue": "parent_task_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If present matches Tasks with this parent Task ID.\\n Note: this is mutually exclusive with all other query parameters, i.e., either provide parent Task ID, or\\n any of the remaining parameters, but not both." + }, + { + "name": { + "name": { + "originalName": "page_token", + "camelCase": { + "unsafeName": "pageToken", + "safeName": "pageToken" + }, + "snakeCase": { + "unsafeName": "page_token", + "safeName": "page_token" + }, + "screamingSnakeCase": { + "unsafeName": "PAGE_TOKEN", + "safeName": "PAGE_TOKEN" + }, + "pascalCase": { + "unsafeName": "PageToken", + "safeName": "PageToken" + } + }, + "wireValue": "page_token" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If set, returns results starting from the given page token." + }, + { + "name": { + "name": { + "originalName": "status_filter", + "camelCase": { + "unsafeName": "statusFilter", + "safeName": "statusFilter" + }, + "snakeCase": { + "unsafeName": "status_filter", + "safeName": "status_filter" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_FILTER", + "safeName": "STATUS_FILTER" + }, + "pascalCase": { + "unsafeName": "StatusFilter", + "safeName": "StatusFilter" + } + }, + "wireValue": "status_filter" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.QueryTasksRequest.StatusFilter", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1QueryTasksRequestStatusFilter", + "safeName": "andurilTaskmanagerV1QueryTasksRequestStatusFilter" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_query_tasks_request_status_filter", + "safeName": "anduril_taskmanager_v_1_query_tasks_request_status_filter" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_STATUS_FILTER", + "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_STATUS_FILTER" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1QueryTasksRequestStatusFilter", + "safeName": "AndurilTaskmanagerV1QueryTasksRequestStatusFilter" + } + }, + "typeId": "anduril.taskmanager.v1.QueryTasksRequest.StatusFilter", + "default": null, + "inline": false, + "displayName": "status_filter" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Filters on provided status types in the filter." + }, + { + "name": { + "name": { + "originalName": "update_time_range", + "camelCase": { + "unsafeName": "updateTimeRange", + "safeName": "updateTimeRange" + }, + "snakeCase": { + "unsafeName": "update_time_range", + "safeName": "update_time_range" + }, + "screamingSnakeCase": { + "unsafeName": "UPDATE_TIME_RANGE", + "safeName": "UPDATE_TIME_RANGE" + }, + "pascalCase": { + "unsafeName": "UpdateTimeRange", + "safeName": "UpdateTimeRange" + } + }, + "wireValue": "update_time_range" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.QueryTasksRequest.TimeRange", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1QueryTasksRequestTimeRange", + "safeName": "andurilTaskmanagerV1QueryTasksRequestTimeRange" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_query_tasks_request_time_range", + "safeName": "anduril_taskmanager_v_1_query_tasks_request_time_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_TIME_RANGE", + "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST_TIME_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1QueryTasksRequestTimeRange", + "safeName": "AndurilTaskmanagerV1QueryTasksRequestTimeRange" + } + }, + "typeId": "anduril.taskmanager.v1.QueryTasksRequest.TimeRange", + "default": null, + "inline": false, + "displayName": "update_time_range" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "If provided, only provides Tasks updated within the time range." + }, + { + "name": { + "name": { + "originalName": "view", + "camelCase": { + "unsafeName": "view", + "safeName": "view" + }, + "snakeCase": { + "unsafeName": "view", + "safeName": "view" + }, + "screamingSnakeCase": { + "unsafeName": "VIEW", + "safeName": "VIEW" + }, + "pascalCase": { + "unsafeName": "View", + "safeName": "View" + } + }, + "wireValue": "view" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.TaskView", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1TaskView", + "safeName": "andurilTaskmanagerV1TaskView" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task_view", + "safeName": "anduril_taskmanager_v_1_task_view" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK_VIEW" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1TaskView", + "safeName": "AndurilTaskmanagerV1TaskView" + } + }, + "typeId": "anduril.taskmanager.v1.TaskView", + "default": null, + "inline": false, + "displayName": "view" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional filter for view of a Task.\\n If not set, defaults to TASK_VIEW_MANAGER." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Request to query for Tasks. Returns the each latest Task by Status ID and Version ID by default with no filters." + }, + "anduril.taskmanager.v1.QueryTasksResponse": { + "name": { + "typeId": "anduril.taskmanager.v1.QueryTasksResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.QueryTasksResponse", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1QueryTasksResponse", + "safeName": "andurilTaskmanagerV1QueryTasksResponse" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_query_tasks_response", + "safeName": "anduril_taskmanager_v_1_query_tasks_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_RESPONSE", + "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1QueryTasksResponse", + "safeName": "AndurilTaskmanagerV1QueryTasksResponse" + } + }, + "displayName": "QueryTasksResponse" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "tasks", + "camelCase": { + "unsafeName": "tasks", + "safeName": "tasks" + }, + "snakeCase": { + "unsafeName": "tasks", + "safeName": "tasks" + }, + "screamingSnakeCase": { + "unsafeName": "TASKS", + "safeName": "TASKS" + }, + "pascalCase": { + "unsafeName": "Tasks", + "safeName": "Tasks" + } + }, + "wireValue": "tasks" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Task", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Task", + "safeName": "andurilTaskmanagerV1Task" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task", + "safeName": "anduril_taskmanager_v_1_task" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Task", + "safeName": "AndurilTaskmanagerV1Task" + } + }, + "typeId": "anduril.taskmanager.v1.Task", + "default": null, + "inline": false, + "displayName": "tasks" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Tasks matching the Query Task request." + }, + { + "name": { + "name": { + "originalName": "page_token", + "camelCase": { + "unsafeName": "pageToken", + "safeName": "pageToken" + }, + "snakeCase": { + "unsafeName": "page_token", + "safeName": "page_token" + }, + "screamingSnakeCase": { + "unsafeName": "PAGE_TOKEN", + "safeName": "PAGE_TOKEN" + }, + "pascalCase": { + "unsafeName": "PageToken", + "safeName": "PageToken" + } + }, + "wireValue": "page_token" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Page token to the next page of Tasks." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Response to a Query Task request." + }, + "anduril.taskmanager.v1.UpdateStatusRequest": { + "name": { + "typeId": "anduril.taskmanager.v1.UpdateStatusRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.UpdateStatusRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1UpdateStatusRequest", + "safeName": "andurilTaskmanagerV1UpdateStatusRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_update_status_request", + "safeName": "anduril_taskmanager_v_1_update_status_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1UpdateStatusRequest", + "safeName": "AndurilTaskmanagerV1UpdateStatusRequest" + } + }, + "displayName": "UpdateStatusRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "status_update", + "camelCase": { + "unsafeName": "statusUpdate", + "safeName": "statusUpdate" + }, + "snakeCase": { + "unsafeName": "status_update", + "safeName": "status_update" + }, + "screamingSnakeCase": { + "unsafeName": "STATUS_UPDATE", + "safeName": "STATUS_UPDATE" + }, + "pascalCase": { + "unsafeName": "StatusUpdate", + "safeName": "StatusUpdate" + } + }, + "wireValue": "status_update" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.StatusUpdate", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1StatusUpdate", + "safeName": "andurilTaskmanagerV1StatusUpdate" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_status_update", + "safeName": "anduril_taskmanager_v_1_status_update" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_STATUS_UPDATE", + "safeName": "ANDURIL_TASKMANAGER_V_1_STATUS_UPDATE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1StatusUpdate", + "safeName": "AndurilTaskmanagerV1StatusUpdate" + } + }, + "typeId": "anduril.taskmanager.v1.StatusUpdate", + "default": null, + "inline": false, + "displayName": "status_update" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The updated status." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Request to update a Task's status." + }, + "anduril.taskmanager.v1.UpdateStatusResponse": { + "name": { + "typeId": "anduril.taskmanager.v1.UpdateStatusResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.UpdateStatusResponse", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1UpdateStatusResponse", + "safeName": "andurilTaskmanagerV1UpdateStatusResponse" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_update_status_response", + "safeName": "anduril_taskmanager_v_1_update_status_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_RESPONSE", + "safeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1UpdateStatusResponse", + "safeName": "AndurilTaskmanagerV1UpdateStatusResponse" + } + }, + "displayName": "UpdateStatusResponse" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "task", + "camelCase": { + "unsafeName": "task", + "safeName": "task" + }, + "snakeCase": { + "unsafeName": "task", + "safeName": "task" + }, + "screamingSnakeCase": { + "unsafeName": "TASK", + "safeName": "TASK" + }, + "pascalCase": { + "unsafeName": "Task", + "safeName": "Task" + } + }, + "wireValue": "task" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Task", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Task", + "safeName": "andurilTaskmanagerV1Task" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_task", + "safeName": "anduril_taskmanager_v_1_task" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_TASK", + "safeName": "ANDURIL_TASKMANAGER_V_1_TASK" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Task", + "safeName": "AndurilTaskmanagerV1Task" + } + }, + "typeId": "anduril.taskmanager.v1.Task", + "default": null, + "inline": false, + "displayName": "task" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The updated Task." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Response to an Update Status request." + }, + "anduril.taskmanager.v1.ListenAsAgentRequestAgent_selector": { + "name": { + "typeId": "anduril.taskmanager.v1.ListenAsAgentRequestAgent_selector", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ListenAsAgentRequestAgent_selector", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ListenAsAgentRequestAgentSelector", + "safeName": "andurilTaskmanagerV1ListenAsAgentRequestAgentSelector" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_request_agent_selector", + "safeName": "anduril_taskmanager_v_1_listen_as_agent_request_agent_selector" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST_AGENT_SELECTOR", + "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST_AGENT_SELECTOR" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ListenAsAgentRequestAgentSelector", + "safeName": "AndurilTaskmanagerV1ListenAsAgentRequestAgentSelector" + } + }, + "displayName": "ListenAsAgentRequestAgent_selector" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.EntityIds", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1EntityIds", + "safeName": "andurilTaskmanagerV1EntityIds" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_entity_ids", + "safeName": "anduril_taskmanager_v_1_entity_ids" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_ENTITY_IDS", + "safeName": "ANDURIL_TASKMANAGER_V_1_ENTITY_IDS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1EntityIds", + "safeName": "AndurilTaskmanagerV1EntityIds" + } + }, + "typeId": "anduril.taskmanager.v1.EntityIds", + "default": null, + "inline": false, + "displayName": "entity_ids" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.taskmanager.v1.ListenAsAgentRequest": { + "name": { + "typeId": "anduril.taskmanager.v1.ListenAsAgentRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ListenAsAgentRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ListenAsAgentRequest", + "safeName": "andurilTaskmanagerV1ListenAsAgentRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_request", + "safeName": "anduril_taskmanager_v_1_listen_as_agent_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ListenAsAgentRequest", + "safeName": "AndurilTaskmanagerV1ListenAsAgentRequest" + } + }, + "displayName": "ListenAsAgentRequest" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "agent_selector", + "camelCase": { + "unsafeName": "agentSelector", + "safeName": "agentSelector" + }, + "snakeCase": { + "unsafeName": "agent_selector", + "safeName": "agent_selector" + }, + "screamingSnakeCase": { + "unsafeName": "AGENT_SELECTOR", + "safeName": "AGENT_SELECTOR" + }, + "pascalCase": { + "unsafeName": "AgentSelector", + "safeName": "AgentSelector" + } + }, + "wireValue": "agent_selector" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ListenAsAgentRequestAgent_selector", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ListenAsAgentRequestAgentSelector", + "safeName": "andurilTaskmanagerV1ListenAsAgentRequestAgentSelector" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_request_agent_selector", + "safeName": "anduril_taskmanager_v_1_listen_as_agent_request_agent_selector" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST_AGENT_SELECTOR", + "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST_AGENT_SELECTOR" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ListenAsAgentRequestAgentSelector", + "safeName": "AndurilTaskmanagerV1ListenAsAgentRequestAgentSelector" + } + }, + "typeId": "anduril.taskmanager.v1.ListenAsAgentRequestAgent_selector", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Request for streaming Tasks ready for agent execution." + }, + "anduril.taskmanager.v1.ListenAsAgentResponseRequest": { + "name": { + "typeId": "anduril.taskmanager.v1.ListenAsAgentResponseRequest", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ListenAsAgentResponseRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ListenAsAgentResponseRequest", + "safeName": "andurilTaskmanagerV1ListenAsAgentResponseRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_response_request", + "safeName": "anduril_taskmanager_v_1_listen_as_agent_response_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ListenAsAgentResponseRequest", + "safeName": "AndurilTaskmanagerV1ListenAsAgentResponseRequest" + } + }, + "displayName": "ListenAsAgentResponseRequest" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ExecuteRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ExecuteRequest", + "safeName": "andurilTaskmanagerV1ExecuteRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_execute_request", + "safeName": "anduril_taskmanager_v_1_execute_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_EXECUTE_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_EXECUTE_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ExecuteRequest", + "safeName": "AndurilTaskmanagerV1ExecuteRequest" + } + }, + "typeId": "anduril.taskmanager.v1.ExecuteRequest", + "default": null, + "inline": false, + "displayName": "execute_request" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.CancelRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1CancelRequest", + "safeName": "andurilTaskmanagerV1CancelRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_cancel_request", + "safeName": "anduril_taskmanager_v_1_cancel_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_CANCEL_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_CANCEL_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1CancelRequest", + "safeName": "AndurilTaskmanagerV1CancelRequest" + } + }, + "typeId": "anduril.taskmanager.v1.CancelRequest", + "default": null, + "inline": false, + "displayName": "cancel_request" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.CompleteRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1CompleteRequest", + "safeName": "andurilTaskmanagerV1CompleteRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_complete_request", + "safeName": "anduril_taskmanager_v_1_complete_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_COMPLETE_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_COMPLETE_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1CompleteRequest", + "safeName": "AndurilTaskmanagerV1CompleteRequest" + } + }, + "typeId": "anduril.taskmanager.v1.CompleteRequest", + "default": null, + "inline": false, + "displayName": "complete_request" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.taskmanager.v1.ListenAsAgentResponse": { + "name": { + "typeId": "anduril.taskmanager.v1.ListenAsAgentResponse", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ListenAsAgentResponse", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ListenAsAgentResponse", + "safeName": "andurilTaskmanagerV1ListenAsAgentResponse" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_response", + "safeName": "anduril_taskmanager_v_1_listen_as_agent_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE", + "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ListenAsAgentResponse", + "safeName": "AndurilTaskmanagerV1ListenAsAgentResponse" + } + }, + "displayName": "ListenAsAgentResponse" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "request", + "camelCase": { + "unsafeName": "request", + "safeName": "request" + }, + "snakeCase": { + "unsafeName": "request", + "safeName": "request" + }, + "screamingSnakeCase": { + "unsafeName": "REQUEST", + "safeName": "REQUEST" + }, + "pascalCase": { + "unsafeName": "Request", + "safeName": "Request" + } + }, + "wireValue": "request" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ListenAsAgentResponseRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ListenAsAgentResponseRequest", + "safeName": "andurilTaskmanagerV1ListenAsAgentResponseRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_response_request", + "safeName": "anduril_taskmanager_v_1_listen_as_agent_response_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ListenAsAgentResponseRequest", + "safeName": "AndurilTaskmanagerV1ListenAsAgentResponseRequest" + } + }, + "typeId": "anduril.taskmanager.v1.ListenAsAgentResponseRequest", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Response for streaming Tasks ready for agent execution." + }, + "anduril.taskmanager.v1.RateLimit": { + "name": { + "typeId": "anduril.taskmanager.v1.RateLimit", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.RateLimit", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1RateLimit", + "safeName": "andurilTaskmanagerV1RateLimit" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_rate_limit", + "safeName": "anduril_taskmanager_v_1_rate_limit" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_RATE_LIMIT", + "safeName": "ANDURIL_TASKMANAGER_V_1_RATE_LIMIT" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1RateLimit", + "safeName": "AndurilTaskmanagerV1RateLimit" + } + }, + "displayName": "RateLimit" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "update_per_task_limit_ms", + "camelCase": { + "unsafeName": "updatePerTaskLimitMs", + "safeName": "updatePerTaskLimitMs" + }, + "snakeCase": { + "unsafeName": "update_per_task_limit_ms", + "safeName": "update_per_task_limit_ms" + }, + "screamingSnakeCase": { + "unsafeName": "UPDATE_PER_TASK_LIMIT_MS", + "safeName": "UPDATE_PER_TASK_LIMIT_MS" + }, + "pascalCase": { + "unsafeName": "UpdatePerTaskLimitMs", + "safeName": "UpdatePerTaskLimitMs" + } + }, + "wireValue": "update_per_task_limit_ms" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Specifies a minimum duration in milliseconds after an update for a given task before another one\\n will be sent for the same task.\\n A value of 0 is treated as unset. If set, value must be >= 250.\\n Example: if set to 1000, and 4 events occur (ms since start) at T0, T500, T900, T2100, then\\n event from T0 will be sent at T0, T500 will be dropped, T900 will be sent at minimum of T1000,\\n and T2100 will be sent on time (2100)\\n This will only limit updates, other events will be sent immediately, with a delete clearing anything held" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Rate limiting / down-sampling parameters." + }, + "anduril.taskmanager.v1.Heartbeat": { + "name": { + "typeId": "anduril.taskmanager.v1.Heartbeat", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.Heartbeat", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1Heartbeat", + "safeName": "andurilTaskmanagerV1Heartbeat" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_heartbeat", + "safeName": "anduril_taskmanager_v_1_heartbeat" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_HEARTBEAT", + "safeName": "ANDURIL_TASKMANAGER_V_1_HEARTBEAT" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1Heartbeat", + "safeName": "AndurilTaskmanagerV1Heartbeat" + } + }, + "displayName": "Heartbeat" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "timestamp", + "camelCase": { + "unsafeName": "timestamp", + "safeName": "timestamp" + }, + "snakeCase": { + "unsafeName": "timestamp", + "safeName": "timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "TIMESTAMP", + "safeName": "TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "Timestamp", + "safeName": "Timestamp" + } + }, + "wireValue": "timestamp" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "timestamp" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The time at which the Heartbeat was sent." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.taskmanager.v1.EntityIds": { + "name": { + "typeId": "anduril.taskmanager.v1.EntityIds", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.EntityIds", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1EntityIds", + "safeName": "andurilTaskmanagerV1EntityIds" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_entity_ids", + "safeName": "anduril_taskmanager_v_1_entity_ids" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_ENTITY_IDS", + "safeName": "ANDURIL_TASKMANAGER_V_1_ENTITY_IDS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1EntityIds", + "safeName": "AndurilTaskmanagerV1EntityIds" + } + }, + "displayName": "EntityIds" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_ids", + "camelCase": { + "unsafeName": "entityIds", + "safeName": "entityIds" + }, + "snakeCase": { + "unsafeName": "entity_ids", + "safeName": "entity_ids" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_IDS", + "safeName": "ENTITY_IDS" + }, + "pascalCase": { + "unsafeName": "EntityIds", + "safeName": "EntityIds" + } + }, + "wireValue": "entity_ids" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Entity IDs wrapper." + }, + "anduril.tasks.ad.desertguardian.common.v1.PowerState": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.common.v1.PowerState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.common.v1.PowerState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianCommonV1PowerState", + "safeName": "andurilTasksAdDesertguardianCommonV1PowerState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_power_state", + "safeName": "anduril_tasks_ad_desertguardian_common_v_1_power_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_POWER_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_POWER_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianCommonV1PowerState", + "safeName": "AndurilTasksAdDesertguardianCommonV1PowerState" + } + }, + "displayName": "PowerState" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "POWER_STATE_INVALID", + "camelCase": { + "unsafeName": "powerStateInvalid", + "safeName": "powerStateInvalid" + }, + "snakeCase": { + "unsafeName": "power_state_invalid", + "safeName": "power_state_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATE_INVALID", + "safeName": "POWER_STATE_INVALID" + }, + "pascalCase": { + "unsafeName": "PowerStateInvalid", + "safeName": "PowerStateInvalid" + } + }, + "wireValue": "POWER_STATE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "POWER_STATE_ON", + "camelCase": { + "unsafeName": "powerStateOn", + "safeName": "powerStateOn" + }, + "snakeCase": { + "unsafeName": "power_state_on", + "safeName": "power_state_on" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATE_ON", + "safeName": "POWER_STATE_ON" + }, + "pascalCase": { + "unsafeName": "PowerStateOn", + "safeName": "PowerStateOn" + } + }, + "wireValue": "POWER_STATE_ON" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "POWER_STATE_OFF", + "camelCase": { + "unsafeName": "powerStateOff", + "safeName": "powerStateOff" + }, + "snakeCase": { + "unsafeName": "power_state_off", + "safeName": "power_state_off" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATE_OFF", + "safeName": "POWER_STATE_OFF" + }, + "pascalCase": { + "unsafeName": "PowerStateOff", + "safeName": "PowerStateOff" + } + }, + "wireValue": "POWER_STATE_OFF" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.tasks.ad.desertguardian.common.v1.SetPowerState": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.common.v1.SetPowerState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.common.v1.SetPowerState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianCommonV1SetPowerState", + "safeName": "andurilTasksAdDesertguardianCommonV1SetPowerState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_set_power_state", + "safeName": "anduril_tasks_ad_desertguardian_common_v_1_set_power_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_SET_POWER_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_SET_POWER_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianCommonV1SetPowerState", + "safeName": "AndurilTasksAdDesertguardianCommonV1SetPowerState" + } + }, + "displayName": "SetPowerState" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "power_state", + "camelCase": { + "unsafeName": "powerState", + "safeName": "powerState" + }, + "snakeCase": { + "unsafeName": "power_state", + "safeName": "power_state" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATE", + "safeName": "POWER_STATE" + }, + "pascalCase": { + "unsafeName": "PowerState", + "safeName": "PowerState" + } + }, + "wireValue": "power_state" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.common.v1.PowerState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianCommonV1PowerState", + "safeName": "andurilTasksAdDesertguardianCommonV1PowerState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_power_state", + "safeName": "anduril_tasks_ad_desertguardian_common_v_1_power_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_POWER_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_POWER_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianCommonV1PowerState", + "safeName": "AndurilTasksAdDesertguardianCommonV1PowerState" + } + }, + "typeId": "anduril.tasks.ad.desertguardian.common.v1.PowerState", + "default": null, + "inline": false, + "displayName": "power_state" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Set the power state of a Platform. It is up to the Platform to interpret the power state and act accordingly." + }, + "anduril.tasks.ad.desertguardian.common.v1.DeleteTrack": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.common.v1.DeleteTrack", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.common.v1.DeleteTrack", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianCommonV1DeleteTrack", + "safeName": "andurilTasksAdDesertguardianCommonV1DeleteTrack" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_delete_track", + "safeName": "anduril_tasks_ad_desertguardian_common_v_1_delete_track" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_DELETE_TRACK", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_DELETE_TRACK" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianCommonV1DeleteTrack", + "safeName": "AndurilTasksAdDesertguardianCommonV1DeleteTrack" + } + }, + "displayName": "DeleteTrack" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Delete an entity from the internal tracker of a Platform.\\n Does not silence or suppress the track from re-forming if the tracking conditions are satisfied." + }, + "anduril.tasks.ad.desertguardian.common.v1.SetHighPriorityTrack": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.common.v1.SetHighPriorityTrack", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.common.v1.SetHighPriorityTrack", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianCommonV1SetHighPriorityTrack", + "safeName": "andurilTasksAdDesertguardianCommonV1SetHighPriorityTrack" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_set_high_priority_track", + "safeName": "anduril_tasks_ad_desertguardian_common_v_1_set_high_priority_track" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_SET_HIGH_PRIORITY_TRACK", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_SET_HIGH_PRIORITY_TRACK" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianCommonV1SetHighPriorityTrack", + "safeName": "AndurilTasksAdDesertguardianCommonV1SetHighPriorityTrack" + } + }, + "displayName": "SetHighPriorityTrack" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Set this entity as a \\"High Priority Track\\".\\n The tasked Platform is responsible for maintaining a list of current High-Priority tracks." + }, + "anduril.tasks.ad.desertguardian.common.v1.RemoveHighPriorityTrack": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.common.v1.RemoveHighPriorityTrack", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.common.v1.RemoveHighPriorityTrack", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianCommonV1RemoveHighPriorityTrack", + "safeName": "andurilTasksAdDesertguardianCommonV1RemoveHighPriorityTrack" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_common_v_1_remove_high_priority_track", + "safeName": "anduril_tasks_ad_desertguardian_common_v_1_remove_high_priority_track" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_REMOVE_HIGH_PRIORITY_TRACK", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_COMMON_V_1_REMOVE_HIGH_PRIORITY_TRACK" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianCommonV1RemoveHighPriorityTrack", + "safeName": "AndurilTasksAdDesertguardianCommonV1RemoveHighPriorityTrack" + } + }, + "displayName": "RemoveHighPriorityTrack" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Unset this entity as a \\"High Priority Track\\".\\n The tasked Platform is responsible for maintaining a list of current High-Priority tracks." + }, + "anduril.tasks.ad.desertguardian.rf.v1.TransmitState": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.rf.v1.TransmitState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.rf.v1.TransmitState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianRfV1TransmitState", + "safeName": "andurilTasksAdDesertguardianRfV1TransmitState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_transmit_state", + "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_transmit_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_TRANSMIT_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_TRANSMIT_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianRfV1TransmitState", + "safeName": "AndurilTasksAdDesertguardianRfV1TransmitState" + } + }, + "displayName": "TransmitState" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "TRANSMIT_STATE_INVALID", + "camelCase": { + "unsafeName": "transmitStateInvalid", + "safeName": "transmitStateInvalid" + }, + "snakeCase": { + "unsafeName": "transmit_state_invalid", + "safeName": "transmit_state_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "TRANSMIT_STATE_INVALID", + "safeName": "TRANSMIT_STATE_INVALID" + }, + "pascalCase": { + "unsafeName": "TransmitStateInvalid", + "safeName": "TransmitStateInvalid" + } + }, + "wireValue": "TRANSMIT_STATE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TRANSMIT_STATE_TRANSMITTING", + "camelCase": { + "unsafeName": "transmitStateTransmitting", + "safeName": "transmitStateTransmitting" + }, + "snakeCase": { + "unsafeName": "transmit_state_transmitting", + "safeName": "transmit_state_transmitting" + }, + "screamingSnakeCase": { + "unsafeName": "TRANSMIT_STATE_TRANSMITTING", + "safeName": "TRANSMIT_STATE_TRANSMITTING" + }, + "pascalCase": { + "unsafeName": "TransmitStateTransmitting", + "safeName": "TransmitStateTransmitting" + } + }, + "wireValue": "TRANSMIT_STATE_TRANSMITTING" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "TRANSMIT_STATE_NOT_TRANSMITTING", + "camelCase": { + "unsafeName": "transmitStateNotTransmitting", + "safeName": "transmitStateNotTransmitting" + }, + "snakeCase": { + "unsafeName": "transmit_state_not_transmitting", + "safeName": "transmit_state_not_transmitting" + }, + "screamingSnakeCase": { + "unsafeName": "TRANSMIT_STATE_NOT_TRANSMITTING", + "safeName": "TRANSMIT_STATE_NOT_TRANSMITTING" + }, + "pascalCase": { + "unsafeName": "TransmitStateNotTransmitting", + "safeName": "TransmitStateNotTransmitting" + } + }, + "wireValue": "TRANSMIT_STATE_NOT_TRANSMITTING" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.tasks.ad.desertguardian.rf.v1.SurveillanceState": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.rf.v1.SurveillanceState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.rf.v1.SurveillanceState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianRfV1SurveillanceState", + "safeName": "andurilTasksAdDesertguardianRfV1SurveillanceState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_surveillance_state", + "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_surveillance_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SURVEILLANCE_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SURVEILLANCE_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianRfV1SurveillanceState", + "safeName": "AndurilTasksAdDesertguardianRfV1SurveillanceState" + } + }, + "displayName": "SurveillanceState" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "SURVEILLANCE_STATE_INVALID", + "camelCase": { + "unsafeName": "surveillanceStateInvalid", + "safeName": "surveillanceStateInvalid" + }, + "snakeCase": { + "unsafeName": "surveillance_state_invalid", + "safeName": "surveillance_state_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "SURVEILLANCE_STATE_INVALID", + "safeName": "SURVEILLANCE_STATE_INVALID" + }, + "pascalCase": { + "unsafeName": "SurveillanceStateInvalid", + "safeName": "SurveillanceStateInvalid" + } + }, + "wireValue": "SURVEILLANCE_STATE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SURVEILLANCE_STATE_SURVEILLING", + "camelCase": { + "unsafeName": "surveillanceStateSurveilling", + "safeName": "surveillanceStateSurveilling" + }, + "snakeCase": { + "unsafeName": "surveillance_state_surveilling", + "safeName": "surveillance_state_surveilling" + }, + "screamingSnakeCase": { + "unsafeName": "SURVEILLANCE_STATE_SURVEILLING", + "safeName": "SURVEILLANCE_STATE_SURVEILLING" + }, + "pascalCase": { + "unsafeName": "SurveillanceStateSurveilling", + "safeName": "SurveillanceStateSurveilling" + } + }, + "wireValue": "SURVEILLANCE_STATE_SURVEILLING" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "SURVEILLANCE_STATE_NOT_SURVEILLING", + "camelCase": { + "unsafeName": "surveillanceStateNotSurveilling", + "safeName": "surveillanceStateNotSurveilling" + }, + "snakeCase": { + "unsafeName": "surveillance_state_not_surveilling", + "safeName": "surveillance_state_not_surveilling" + }, + "screamingSnakeCase": { + "unsafeName": "SURVEILLANCE_STATE_NOT_SURVEILLING", + "safeName": "SURVEILLANCE_STATE_NOT_SURVEILLING" + }, + "pascalCase": { + "unsafeName": "SurveillanceStateNotSurveilling", + "safeName": "SurveillanceStateNotSurveilling" + } + }, + "wireValue": "SURVEILLANCE_STATE_NOT_SURVEILLING" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.tasks.ad.desertguardian.rf.v1.EmissionControlState": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.rf.v1.EmissionControlState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.rf.v1.EmissionControlState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianRfV1EmissionControlState", + "safeName": "andurilTasksAdDesertguardianRfV1EmissionControlState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_emission_control_state", + "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_emission_control_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_EMISSION_CONTROL_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_EMISSION_CONTROL_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianRfV1EmissionControlState", + "safeName": "AndurilTasksAdDesertguardianRfV1EmissionControlState" + } + }, + "displayName": "EmissionControlState" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "EMISSION_CONTROL_STATE_INVALID", + "camelCase": { + "unsafeName": "emissionControlStateInvalid", + "safeName": "emissionControlStateInvalid" + }, + "snakeCase": { + "unsafeName": "emission_control_state_invalid", + "safeName": "emission_control_state_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "EMISSION_CONTROL_STATE_INVALID", + "safeName": "EMISSION_CONTROL_STATE_INVALID" + }, + "pascalCase": { + "unsafeName": "EmissionControlStateInvalid", + "safeName": "EmissionControlStateInvalid" + } + }, + "wireValue": "EMISSION_CONTROL_STATE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EMISSION_CONTROL_STATE_ALLOWED", + "camelCase": { + "unsafeName": "emissionControlStateAllowed", + "safeName": "emissionControlStateAllowed" + }, + "snakeCase": { + "unsafeName": "emission_control_state_allowed", + "safeName": "emission_control_state_allowed" + }, + "screamingSnakeCase": { + "unsafeName": "EMISSION_CONTROL_STATE_ALLOWED", + "safeName": "EMISSION_CONTROL_STATE_ALLOWED" + }, + "pascalCase": { + "unsafeName": "EmissionControlStateAllowed", + "safeName": "EmissionControlStateAllowed" + } + }, + "wireValue": "EMISSION_CONTROL_STATE_ALLOWED" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "EMISSION_CONTROL_STATE_NOT_ALLOWED", + "camelCase": { + "unsafeName": "emissionControlStateNotAllowed", + "safeName": "emissionControlStateNotAllowed" + }, + "snakeCase": { + "unsafeName": "emission_control_state_not_allowed", + "safeName": "emission_control_state_not_allowed" + }, + "screamingSnakeCase": { + "unsafeName": "EMISSION_CONTROL_STATE_NOT_ALLOWED", + "safeName": "EMISSION_CONTROL_STATE_NOT_ALLOWED" + }, + "pascalCase": { + "unsafeName": "EmissionControlStateNotAllowed", + "safeName": "EmissionControlStateNotAllowed" + } + }, + "wireValue": "EMISSION_CONTROL_STATE_NOT_ALLOWED" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.tasks.ad.desertguardian.rf.v1.SetTransmitState": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.rf.v1.SetTransmitState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.rf.v1.SetTransmitState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianRfV1SetTransmitState", + "safeName": "andurilTasksAdDesertguardianRfV1SetTransmitState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_transmit_state", + "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_transmit_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_TRANSMIT_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_TRANSMIT_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianRfV1SetTransmitState", + "safeName": "AndurilTasksAdDesertguardianRfV1SetTransmitState" + } + }, + "displayName": "SetTransmitState" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "transmit_state", + "camelCase": { + "unsafeName": "transmitState", + "safeName": "transmitState" + }, + "snakeCase": { + "unsafeName": "transmit_state", + "safeName": "transmit_state" + }, + "screamingSnakeCase": { + "unsafeName": "TRANSMIT_STATE", + "safeName": "TRANSMIT_STATE" + }, + "pascalCase": { + "unsafeName": "TransmitState", + "safeName": "TransmitState" + } + }, + "wireValue": "transmit_state" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.rf.v1.TransmitState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianRfV1TransmitState", + "safeName": "andurilTasksAdDesertguardianRfV1TransmitState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_transmit_state", + "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_transmit_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_TRANSMIT_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_TRANSMIT_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianRfV1TransmitState", + "safeName": "AndurilTasksAdDesertguardianRfV1TransmitState" + } + }, + "typeId": "anduril.tasks.ad.desertguardian.rf.v1.TransmitState", + "default": null, + "inline": false, + "displayName": "transmit_state" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Set the transmit state of an RF Platform such as a Radar, Beacon, or Radio." + }, + "anduril.tasks.ad.desertguardian.rf.v1.SetSurveillanceState": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.rf.v1.SetSurveillanceState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.rf.v1.SetSurveillanceState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianRfV1SetSurveillanceState", + "safeName": "andurilTasksAdDesertguardianRfV1SetSurveillanceState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_surveillance_state", + "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_surveillance_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_SURVEILLANCE_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_SURVEILLANCE_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianRfV1SetSurveillanceState", + "safeName": "AndurilTasksAdDesertguardianRfV1SetSurveillanceState" + } + }, + "displayName": "SetSurveillanceState" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "surveillance_state", + "camelCase": { + "unsafeName": "surveillanceState", + "safeName": "surveillanceState" + }, + "snakeCase": { + "unsafeName": "surveillance_state", + "safeName": "surveillance_state" + }, + "screamingSnakeCase": { + "unsafeName": "SURVEILLANCE_STATE", + "safeName": "SURVEILLANCE_STATE" + }, + "pascalCase": { + "unsafeName": "SurveillanceState", + "safeName": "SurveillanceState" + } + }, + "wireValue": "surveillance_state" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.rf.v1.SurveillanceState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianRfV1SurveillanceState", + "safeName": "andurilTasksAdDesertguardianRfV1SurveillanceState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_surveillance_state", + "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_surveillance_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SURVEILLANCE_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SURVEILLANCE_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianRfV1SurveillanceState", + "safeName": "AndurilTasksAdDesertguardianRfV1SurveillanceState" + } + }, + "typeId": "anduril.tasks.ad.desertguardian.rf.v1.SurveillanceState", + "default": null, + "inline": false, + "displayName": "surveillance_state" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Set the surveillance state of a passive (listen-only) RF Platform." + }, + "anduril.tasks.ad.desertguardian.rf.v1.SetEmissionControlState": { + "name": { + "typeId": "anduril.tasks.ad.desertguardian.rf.v1.SetEmissionControlState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.rf.v1.SetEmissionControlState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianRfV1SetEmissionControlState", + "safeName": "andurilTasksAdDesertguardianRfV1SetEmissionControlState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_emission_control_state", + "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_set_emission_control_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_EMISSION_CONTROL_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_SET_EMISSION_CONTROL_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianRfV1SetEmissionControlState", + "safeName": "AndurilTasksAdDesertguardianRfV1SetEmissionControlState" + } + }, + "displayName": "SetEmissionControlState" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "emcon_state", + "camelCase": { + "unsafeName": "emconState", + "safeName": "emconState" + }, + "snakeCase": { + "unsafeName": "emcon_state", + "safeName": "emcon_state" + }, + "screamingSnakeCase": { + "unsafeName": "EMCON_STATE", + "safeName": "EMCON_STATE" + }, + "pascalCase": { + "unsafeName": "EmconState", + "safeName": "EmconState" + } + }, + "wireValue": "emcon_state" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ad.desertguardian.rf.v1.EmissionControlState", + "camelCase": { + "unsafeName": "andurilTasksAdDesertguardianRfV1EmissionControlState", + "safeName": "andurilTasksAdDesertguardianRfV1EmissionControlState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ad_desertguardian_rf_v_1_emission_control_state", + "safeName": "anduril_tasks_ad_desertguardian_rf_v_1_emission_control_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_EMISSION_CONTROL_STATE", + "safeName": "ANDURIL_TASKS_AD_DESERTGUARDIAN_RF_V_1_EMISSION_CONTROL_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdDesertguardianRfV1EmissionControlState", + "safeName": "AndurilTasksAdDesertguardianRfV1EmissionControlState" + } + }, + "typeId": "anduril.tasks.ad.desertguardian.rf.v1.EmissionControlState", + "default": null, + "inline": false, + "displayName": "emcon_state" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Set whether or not an RF Platform has Emmission Control (EmCon).\\n If supported, RF platforms should only expose the SetTransmitState task when EmissionControlState is EMISSION_CONTROL_STATE_ALLOWED.\\n When in EMISSION_CONTROL_STATE_NOT_ALLOWED, the Platform should be in TRANSMIT_STATE_NOT_TRANSMITTING, and should remove SetTransmitState from the task Catalog." + }, + "anduril.tasks.v2.ObjectiveObjective": { + "name": { + "typeId": "anduril.tasks.v2.ObjectiveObjective", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ObjectiveObjective", + "camelCase": { + "unsafeName": "andurilTasksV2ObjectiveObjective", + "safeName": "andurilTasksV2ObjectiveObjective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective_objective", + "safeName": "anduril_tasks_v_2_objective_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ObjectiveObjective", + "safeName": "AndurilTasksV2ObjectiveObjective" + } + }, + "displayName": "ObjectiveObjective" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Point", + "camelCase": { + "unsafeName": "andurilTasksV2Point", + "safeName": "andurilTasksV2Point" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_point", + "safeName": "anduril_tasks_v_2_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_POINT", + "safeName": "ANDURIL_TASKS_V_2_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Point", + "safeName": "AndurilTasksV2Point" + } + }, + "typeId": "anduril.tasks.v2.Point", + "default": null, + "inline": false, + "displayName": "point" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.Objective": { + "name": { + "typeId": "anduril.tasks.v2.Objective", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "displayName": "Objective" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ObjectiveObjective", + "camelCase": { + "unsafeName": "andurilTasksV2ObjectiveObjective", + "safeName": "andurilTasksV2ObjectiveObjective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective_objective", + "safeName": "anduril_tasks_v_2_objective_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ObjectiveObjective", + "safeName": "AndurilTasksV2ObjectiveObjective" + } + }, + "typeId": "anduril.tasks.v2.ObjectiveObjective", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Describes the objective of a task." + }, + "anduril.tasks.v2.Point": { + "name": { + "typeId": "anduril.tasks.v2.Point", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Point", + "camelCase": { + "unsafeName": "andurilTasksV2Point", + "safeName": "andurilTasksV2Point" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_point", + "safeName": "anduril_tasks_v_2_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_POINT", + "safeName": "ANDURIL_TASKS_V_2_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Point", + "safeName": "AndurilTasksV2Point" + } + }, + "displayName": "Point" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "reference_name", + "camelCase": { + "unsafeName": "referenceName", + "safeName": "referenceName" + }, + "snakeCase": { + "unsafeName": "reference_name", + "safeName": "reference_name" + }, + "screamingSnakeCase": { + "unsafeName": "REFERENCE_NAME", + "safeName": "REFERENCE_NAME" + }, + "pascalCase": { + "unsafeName": "ReferenceName", + "safeName": "ReferenceName" + } + }, + "wireValue": "reference_name" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "A human readable name for the point." + }, + { + "name": { + "name": { + "originalName": "lla", + "camelCase": { + "unsafeName": "lla", + "safeName": "lla" + }, + "snakeCase": { + "unsafeName": "lla", + "safeName": "lla" + }, + "screamingSnakeCase": { + "unsafeName": "LLA", + "safeName": "LLA" + }, + "pascalCase": { + "unsafeName": "Lla", + "safeName": "Lla" + } + }, + "wireValue": "lla" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLA", + "camelCase": { + "unsafeName": "andurilTypeLla", + "safeName": "andurilTypeLla" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla", + "safeName": "anduril_type_lla" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA", + "safeName": "ANDURIL_TYPE_LLA" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLla", + "safeName": "AndurilTypeLla" + } + }, + "typeId": "anduril.type.LLA", + "default": null, + "inline": false, + "displayName": "lla" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the objective is the provided location." + }, + { + "name": { + "name": { + "originalName": "backing_entity_id", + "camelCase": { + "unsafeName": "backingEntityId", + "safeName": "backingEntityId" + }, + "snakeCase": { + "unsafeName": "backing_entity_id", + "safeName": "backing_entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "BACKING_ENTITY_ID", + "safeName": "BACKING_ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "BackingEntityId", + "safeName": "BackingEntityId" + } + }, + "wireValue": "backing_entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "An optional entity id that is provided for reverse lookup purposes. This may be used any time the UI might\\n have to convert a geoentity to statically defined LLA." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Describes a single point location." + }, + "anduril.tasks.ads.thirdparty.v1.LineFormation": { + "name": { + "typeId": "anduril.tasks.ads.thirdparty.v1.LineFormation", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ads.thirdparty.v1.LineFormation", + "camelCase": { + "unsafeName": "andurilTasksAdsThirdpartyV1LineFormation", + "safeName": "andurilTasksAdsThirdpartyV1LineFormation" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ads_thirdparty_v_1_line_formation", + "safeName": "anduril_tasks_ads_thirdparty_v_1_line_formation" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_ADS_THIRDPARTY_V_1_LINE_FORMATION", + "safeName": "ANDURIL_TASKS_ADS_THIRDPARTY_V_1_LINE_FORMATION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdsThirdpartyV1LineFormation", + "safeName": "AndurilTasksAdsThirdpartyV1LineFormation" + } + }, + "displayName": "LineFormation" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "line_start", + "camelCase": { + "unsafeName": "lineStart", + "safeName": "lineStart" + }, + "snakeCase": { + "unsafeName": "line_start", + "safeName": "line_start" + }, + "screamingSnakeCase": { + "unsafeName": "LINE_START", + "safeName": "LINE_START" + }, + "pascalCase": { + "unsafeName": "LineStart", + "safeName": "LineStart" + } + }, + "wireValue": "line_start" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "line_start" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Line start" + }, + { + "name": { + "name": { + "originalName": "line_end", + "camelCase": { + "unsafeName": "lineEnd", + "safeName": "lineEnd" + }, + "snakeCase": { + "unsafeName": "line_end", + "safeName": "line_end" + }, + "screamingSnakeCase": { + "unsafeName": "LINE_END", + "safeName": "LINE_END" + }, + "pascalCase": { + "unsafeName": "LineEnd", + "safeName": "LineEnd" + } + }, + "wireValue": "line_end" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "line_end" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Line end" + }, + { + "name": { + "name": { + "originalName": "surface_speed_ms", + "camelCase": { + "unsafeName": "surfaceSpeedMs", + "safeName": "surfaceSpeedMs" + }, + "snakeCase": { + "unsafeName": "surface_speed_ms", + "safeName": "surface_speed_ms" + }, + "screamingSnakeCase": { + "unsafeName": "SURFACE_SPEED_MS", + "safeName": "SURFACE_SPEED_MS" + }, + "pascalCase": { + "unsafeName": "SurfaceSpeedMs", + "safeName": "SurfaceSpeedMs" + } + }, + "wireValue": "surface_speed_ms" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "surface_speed_ms" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Speed in Meters/Second to get in Line Formation" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to a Line formation of assets with a speed. This is a simple line with two LLAs." + }, + "anduril.tasks.ads.thirdparty.v1.Marshal": { + "name": { + "typeId": "anduril.tasks.ads.thirdparty.v1.Marshal", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.ads.thirdparty.v1.Marshal", + "camelCase": { + "unsafeName": "andurilTasksAdsThirdpartyV1Marshal", + "safeName": "andurilTasksAdsThirdpartyV1Marshal" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_ads_thirdparty_v_1_marshal", + "safeName": "anduril_tasks_ads_thirdparty_v_1_marshal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_ADS_THIRDPARTY_V_1_MARSHAL", + "safeName": "ANDURIL_TASKS_ADS_THIRDPARTY_V_1_MARSHAL" + }, + "pascalCase": { + "unsafeName": "AndurilTasksAdsThirdpartyV1Marshal", + "safeName": "AndurilTasksAdsThirdpartyV1Marshal" + } + }, + "displayName": "Marshal" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Objective to Marshal to." + }, + { + "name": { + "name": { + "originalName": "surface_speed_ms", + "camelCase": { + "unsafeName": "surfaceSpeedMs", + "safeName": "surfaceSpeedMs" + }, + "snakeCase": { + "unsafeName": "surface_speed_ms", + "safeName": "surface_speed_ms" + }, + "screamingSnakeCase": { + "unsafeName": "SURFACE_SPEED_MS", + "safeName": "SURFACE_SPEED_MS" + }, + "pascalCase": { + "unsafeName": "SurfaceSpeedMs", + "safeName": "SurfaceSpeedMs" + } + }, + "wireValue": "surface_speed_ms" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "surface_speed_ms" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Speed in Meters/Second" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to BREVITY code Marshal.\\n Establish(ed) at a specific point, typically used to posture forces in preparation for an offensive operation." + }, + "anduril.tasks.jadc2.thirdparty.v1.PowerState": { + "name": { + "typeId": "anduril.tasks.jadc2.thirdparty.v1.PowerState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.jadc2.thirdparty.v1.PowerState", + "camelCase": { + "unsafeName": "andurilTasksJadc2ThirdpartyV1PowerState", + "safeName": "andurilTasksJadc2ThirdpartyV1PowerState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_power_state", + "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_power_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_POWER_STATE", + "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_POWER_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksJadc2ThirdpartyV1PowerState", + "safeName": "AndurilTasksJadc2ThirdpartyV1PowerState" + } + }, + "displayName": "PowerState" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "POWER_STATE_INVALID", + "camelCase": { + "unsafeName": "powerStateInvalid", + "safeName": "powerStateInvalid" + }, + "snakeCase": { + "unsafeName": "power_state_invalid", + "safeName": "power_state_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATE_INVALID", + "safeName": "POWER_STATE_INVALID" + }, + "pascalCase": { + "unsafeName": "PowerStateInvalid", + "safeName": "PowerStateInvalid" + } + }, + "wireValue": "POWER_STATE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "POWER_STATE_ON", + "camelCase": { + "unsafeName": "powerStateOn", + "safeName": "powerStateOn" + }, + "snakeCase": { + "unsafeName": "power_state_on", + "safeName": "power_state_on" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATE_ON", + "safeName": "POWER_STATE_ON" + }, + "pascalCase": { + "unsafeName": "PowerStateOn", + "safeName": "PowerStateOn" + } + }, + "wireValue": "POWER_STATE_ON" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "POWER_STATE_OFF", + "camelCase": { + "unsafeName": "powerStateOff", + "safeName": "powerStateOff" + }, + "snakeCase": { + "unsafeName": "power_state_off", + "safeName": "power_state_off" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATE_OFF", + "safeName": "POWER_STATE_OFF" + }, + "pascalCase": { + "unsafeName": "PowerStateOff", + "safeName": "PowerStateOff" + } + }, + "wireValue": "POWER_STATE_OFF" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.tasks.jadc2.thirdparty.v1.SetPowerState": { + "name": { + "typeId": "anduril.tasks.jadc2.thirdparty.v1.SetPowerState", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.jadc2.thirdparty.v1.SetPowerState", + "camelCase": { + "unsafeName": "andurilTasksJadc2ThirdpartyV1SetPowerState", + "safeName": "andurilTasksJadc2ThirdpartyV1SetPowerState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_set_power_state", + "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_set_power_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_SET_POWER_STATE", + "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_SET_POWER_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksJadc2ThirdpartyV1SetPowerState", + "safeName": "AndurilTasksJadc2ThirdpartyV1SetPowerState" + } + }, + "displayName": "SetPowerState" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "power_state", + "camelCase": { + "unsafeName": "powerState", + "safeName": "powerState" + }, + "snakeCase": { + "unsafeName": "power_state", + "safeName": "power_state" + }, + "screamingSnakeCase": { + "unsafeName": "POWER_STATE", + "safeName": "POWER_STATE" + }, + "pascalCase": { + "unsafeName": "PowerState", + "safeName": "PowerState" + } + }, + "wireValue": "power_state" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.jadc2.thirdparty.v1.PowerState", + "camelCase": { + "unsafeName": "andurilTasksJadc2ThirdpartyV1PowerState", + "safeName": "andurilTasksJadc2ThirdpartyV1PowerState" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_power_state", + "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_power_state" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_POWER_STATE", + "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_POWER_STATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksJadc2ThirdpartyV1PowerState", + "safeName": "AndurilTasksJadc2ThirdpartyV1PowerState" + } + }, + "typeId": "anduril.tasks.jadc2.thirdparty.v1.PowerState", + "default": null, + "inline": false, + "displayName": "power_state" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Set the power state of a robot. It is up to the robot to interpret the power state and act accordingly." + }, + "anduril.tasks.jadc2.thirdparty.v1.Transit": { + "name": { + "typeId": "anduril.tasks.jadc2.thirdparty.v1.Transit", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.jadc2.thirdparty.v1.Transit", + "camelCase": { + "unsafeName": "andurilTasksJadc2ThirdpartyV1Transit", + "safeName": "andurilTasksJadc2ThirdpartyV1Transit" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_transit", + "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_transit" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_TRANSIT", + "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_TRANSIT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksJadc2ThirdpartyV1Transit", + "safeName": "AndurilTasksJadc2ThirdpartyV1Transit" + } + }, + "displayName": "Transit" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "path", + "camelCase": { + "unsafeName": "path", + "safeName": "path" + }, + "snakeCase": { + "unsafeName": "path", + "safeName": "path" + }, + "screamingSnakeCase": { + "unsafeName": "PATH", + "safeName": "PATH" + }, + "pascalCase": { + "unsafeName": "Path", + "safeName": "Path" + } + }, + "wireValue": "path" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.jadc2.thirdparty.v1.PathSegment", + "camelCase": { + "unsafeName": "andurilTasksJadc2ThirdpartyV1PathSegment", + "safeName": "andurilTasksJadc2ThirdpartyV1PathSegment" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_path_segment", + "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_path_segment" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_PATH_SEGMENT", + "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_PATH_SEGMENT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksJadc2ThirdpartyV1PathSegment", + "safeName": "AndurilTasksJadc2ThirdpartyV1PathSegment" + } + }, + "typeId": "anduril.tasks.jadc2.thirdparty.v1.PathSegment", + "default": null, + "inline": false, + "displayName": "path" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The path consisting of all segments to be taken for this transit task." + }, + { + "name": { + "name": { + "originalName": "surface_speed_ms", + "camelCase": { + "unsafeName": "surfaceSpeedMs", + "safeName": "surfaceSpeedMs" + }, + "snakeCase": { + "unsafeName": "surface_speed_ms", + "safeName": "surface_speed_ms" + }, + "screamingSnakeCase": { + "unsafeName": "SURFACE_SPEED_MS", + "safeName": "SURFACE_SPEED_MS" + }, + "pascalCase": { + "unsafeName": "SurfaceSpeedMs", + "safeName": "SurfaceSpeedMs" + } + }, + "wireValue": "surface_speed_ms" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "surface_speed_ms" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Speed in which the vehicle will move through each of the path segments." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Transit represents moving a vehicle on a path through one or more points." + }, + "anduril.tasks.jadc2.thirdparty.v1.PathSegment": { + "name": { + "typeId": "anduril.tasks.jadc2.thirdparty.v1.PathSegment", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.jadc2.thirdparty.v1.PathSegment", + "camelCase": { + "unsafeName": "andurilTasksJadc2ThirdpartyV1PathSegment", + "safeName": "andurilTasksJadc2ThirdpartyV1PathSegment" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_path_segment", + "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_path_segment" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_PATH_SEGMENT", + "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_PATH_SEGMENT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksJadc2ThirdpartyV1PathSegment", + "safeName": "AndurilTasksJadc2ThirdpartyV1PathSegment" + } + }, + "displayName": "PathSegment" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "endpoint", + "camelCase": { + "unsafeName": "endpoint", + "safeName": "endpoint" + }, + "snakeCase": { + "unsafeName": "endpoint", + "safeName": "endpoint" + }, + "screamingSnakeCase": { + "unsafeName": "ENDPOINT", + "safeName": "ENDPOINT" + }, + "pascalCase": { + "unsafeName": "Endpoint", + "safeName": "Endpoint" + } + }, + "wireValue": "endpoint" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLA", + "camelCase": { + "unsafeName": "andurilTypeLla", + "safeName": "andurilTypeLla" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla", + "safeName": "anduril_type_lla" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA", + "safeName": "ANDURIL_TYPE_LLA" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLla", + "safeName": "AndurilTypeLla" + } + }, + "typeId": "anduril.type.LLA", + "default": null, + "inline": false, + "displayName": "endpoint" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Describes the end of the path segment, the starting point is the end of the previous segment or the\\n current position if first. Note that the Altitude reference for a given waypoint dictates the height\\n mode used when traversing TO that waypoint." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.jadc2.thirdparty.v1.TeamTransit": { + "name": { + "typeId": "anduril.tasks.jadc2.thirdparty.v1.TeamTransit", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.jadc2.thirdparty.v1.TeamTransit", + "camelCase": { + "unsafeName": "andurilTasksJadc2ThirdpartyV1TeamTransit", + "safeName": "andurilTasksJadc2ThirdpartyV1TeamTransit" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_jadc_2_thirdparty_v_1_team_transit", + "safeName": "anduril_tasks_jadc_2_thirdparty_v_1_team_transit" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_TEAM_TRANSIT", + "safeName": "ANDURIL_TASKS_JADC_2_THIRDPARTY_V_1_TEAM_TRANSIT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksJadc2ThirdpartyV1TeamTransit", + "safeName": "AndurilTasksJadc2ThirdpartyV1TeamTransit" + } + }, + "displayName": "TeamTransit" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "transit_zone_entity_id", + "camelCase": { + "unsafeName": "transitZoneEntityId", + "safeName": "transitZoneEntityId" + }, + "snakeCase": { + "unsafeName": "transit_zone_entity_id", + "safeName": "transit_zone_entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "TRANSIT_ZONE_ENTITY_ID", + "safeName": "TRANSIT_ZONE_ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "TransitZoneEntityId", + "safeName": "TransitZoneEntityId" + } + }, + "wireValue": "transit_zone_entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Reference to GeoPolygon GeoEntity representing the transit zone area." + }, + { + "name": { + "name": { + "originalName": "surface_speed_ms", + "camelCase": { + "unsafeName": "surfaceSpeedMs", + "safeName": "surfaceSpeedMs" + }, + "snakeCase": { + "unsafeName": "surface_speed_ms", + "safeName": "surface_speed_ms" + }, + "screamingSnakeCase": { + "unsafeName": "SURFACE_SPEED_MS", + "safeName": "SURFACE_SPEED_MS" + }, + "pascalCase": { + "unsafeName": "SurfaceSpeedMs", + "safeName": "SurfaceSpeedMs" + } + }, + "wireValue": "surface_speed_ms" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "surface_speed_ms" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Speed in which the vehicles will move to the zone." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "TeamTransit represents moving a team of vehicles into a zone.\\n The specifics of how each vehicle in the team behaves is determined by the specific autonomy logic." + }, + "google.protobuf.Duration": { + "name": { + "typeId": "google.protobuf.Duration", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Duration", + "camelCase": { + "unsafeName": "googleProtobufDuration", + "safeName": "googleProtobufDuration" + }, + "snakeCase": { + "unsafeName": "google_protobuf_duration", + "safeName": "google_protobuf_duration" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DURATION", + "safeName": "GOOGLE_PROTOBUF_DURATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDuration", + "safeName": "GoogleProtobufDuration" + } + }, + "displayName": "Duration" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "seconds", + "camelCase": { + "unsafeName": "seconds", + "safeName": "seconds" + }, + "snakeCase": { + "unsafeName": "seconds", + "safeName": "seconds" + }, + "screamingSnakeCase": { + "unsafeName": "SECONDS", + "safeName": "SECONDS" + }, + "pascalCase": { + "unsafeName": "Seconds", + "safeName": "Seconds" + } + }, + "wireValue": "seconds" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "LONG", + "v2": { + "type": "long", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "nanos", + "camelCase": { + "unsafeName": "nanos", + "safeName": "nanos" + }, + "snakeCase": { + "unsafeName": "nanos", + "safeName": "nanos" + }, + "screamingSnakeCase": { + "unsafeName": "NANOS", + "safeName": "NANOS" + }, + "pascalCase": { + "unsafeName": "Nanos", + "safeName": "Nanos" + } + }, + "wireValue": "nanos" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "INTEGER", + "v2": { + "type": "integer", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.ControlAreaType": { + "name": { + "typeId": "anduril.tasks.v2.ControlAreaType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ControlAreaType", + "camelCase": { + "unsafeName": "andurilTasksV2ControlAreaType", + "safeName": "andurilTasksV2ControlAreaType" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_control_area_type", + "safeName": "anduril_tasks_v_2_control_area_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_CONTROL_AREA_TYPE", + "safeName": "ANDURIL_TASKS_V_2_CONTROL_AREA_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ControlAreaType", + "safeName": "AndurilTasksV2ControlAreaType" + } + }, + "displayName": "ControlAreaType" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "CONTROL_AREA_TYPE_INVALID", + "camelCase": { + "unsafeName": "controlAreaTypeInvalid", + "safeName": "controlAreaTypeInvalid" + }, + "snakeCase": { + "unsafeName": "control_area_type_invalid", + "safeName": "control_area_type_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "CONTROL_AREA_TYPE_INVALID", + "safeName": "CONTROL_AREA_TYPE_INVALID" + }, + "pascalCase": { + "unsafeName": "ControlAreaTypeInvalid", + "safeName": "ControlAreaTypeInvalid" + } + }, + "wireValue": "CONTROL_AREA_TYPE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CONTROL_AREA_TYPE_KEEP_IN_ZONE", + "camelCase": { + "unsafeName": "controlAreaTypeKeepInZone", + "safeName": "controlAreaTypeKeepInZone" + }, + "snakeCase": { + "unsafeName": "control_area_type_keep_in_zone", + "safeName": "control_area_type_keep_in_zone" + }, + "screamingSnakeCase": { + "unsafeName": "CONTROL_AREA_TYPE_KEEP_IN_ZONE", + "safeName": "CONTROL_AREA_TYPE_KEEP_IN_ZONE" + }, + "pascalCase": { + "unsafeName": "ControlAreaTypeKeepInZone", + "safeName": "ControlAreaTypeKeepInZone" + } + }, + "wireValue": "CONTROL_AREA_TYPE_KEEP_IN_ZONE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CONTROL_AREA_TYPE_KEEP_OUT_ZONE", + "camelCase": { + "unsafeName": "controlAreaTypeKeepOutZone", + "safeName": "controlAreaTypeKeepOutZone" + }, + "snakeCase": { + "unsafeName": "control_area_type_keep_out_zone", + "safeName": "control_area_type_keep_out_zone" + }, + "screamingSnakeCase": { + "unsafeName": "CONTROL_AREA_TYPE_KEEP_OUT_ZONE", + "safeName": "CONTROL_AREA_TYPE_KEEP_OUT_ZONE" + }, + "pascalCase": { + "unsafeName": "ControlAreaTypeKeepOutZone", + "safeName": "ControlAreaTypeKeepOutZone" + } + }, + "wireValue": "CONTROL_AREA_TYPE_KEEP_OUT_ZONE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "CONTROL_AREA_TYPE_DITCH_ZONE", + "camelCase": { + "unsafeName": "controlAreaTypeDitchZone", + "safeName": "controlAreaTypeDitchZone" + }, + "snakeCase": { + "unsafeName": "control_area_type_ditch_zone", + "safeName": "control_area_type_ditch_zone" + }, + "screamingSnakeCase": { + "unsafeName": "CONTROL_AREA_TYPE_DITCH_ZONE", + "safeName": "CONTROL_AREA_TYPE_DITCH_ZONE" + }, + "pascalCase": { + "unsafeName": "ControlAreaTypeDitchZone", + "safeName": "ControlAreaTypeDitchZone" + } + }, + "wireValue": "CONTROL_AREA_TYPE_DITCH_ZONE" + }, + "availability": null, + "docs": "Zone for an autonomous asset to nose-dive into\\n when its assignment has been concluded" + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.DurationRange": { + "name": { + "typeId": "anduril.tasks.v2.DurationRange", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.DurationRange", + "camelCase": { + "unsafeName": "andurilTasksV2DurationRange", + "safeName": "andurilTasksV2DurationRange" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_duration_range", + "safeName": "anduril_tasks_v_2_duration_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_DURATION_RANGE", + "safeName": "ANDURIL_TASKS_V_2_DURATION_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2DurationRange", + "safeName": "AndurilTasksV2DurationRange" + } + }, + "displayName": "DurationRange" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "min", + "camelCase": { + "unsafeName": "min", + "safeName": "min" + }, + "snakeCase": { + "unsafeName": "min", + "safeName": "min" + }, + "screamingSnakeCase": { + "unsafeName": "MIN", + "safeName": "MIN" + }, + "pascalCase": { + "unsafeName": "Min", + "safeName": "Min" + } + }, + "wireValue": "min" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Duration", + "camelCase": { + "unsafeName": "googleProtobufDuration", + "safeName": "googleProtobufDuration" + }, + "snakeCase": { + "unsafeName": "google_protobuf_duration", + "safeName": "google_protobuf_duration" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DURATION", + "safeName": "GOOGLE_PROTOBUF_DURATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDuration", + "safeName": "GoogleProtobufDuration" + } + }, + "typeId": "google.protobuf.Duration", + "default": null, + "inline": false, + "displayName": "min" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "max", + "camelCase": { + "unsafeName": "max", + "safeName": "max" + }, + "snakeCase": { + "unsafeName": "max", + "safeName": "max" + }, + "screamingSnakeCase": { + "unsafeName": "MAX", + "safeName": "MAX" + }, + "pascalCase": { + "unsafeName": "Max", + "safeName": "Max" + } + }, + "wireValue": "max" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Duration", + "camelCase": { + "unsafeName": "googleProtobufDuration", + "safeName": "googleProtobufDuration" + }, + "snakeCase": { + "unsafeName": "google_protobuf_duration", + "safeName": "google_protobuf_duration" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DURATION", + "safeName": "GOOGLE_PROTOBUF_DURATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDuration", + "safeName": "GoogleProtobufDuration" + } + }, + "typeId": "google.protobuf.Duration", + "default": null, + "inline": false, + "displayName": "max" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to the UCI DurationRangeType." + }, + "anduril.tasks.v2.AnglePair": { + "name": { + "typeId": "anduril.tasks.v2.AnglePair", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.AnglePair", + "camelCase": { + "unsafeName": "andurilTasksV2AnglePair", + "safeName": "andurilTasksV2AnglePair" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_angle_pair", + "safeName": "anduril_tasks_v_2_angle_pair" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ANGLE_PAIR", + "safeName": "ANDURIL_TASKS_V_2_ANGLE_PAIR" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2AnglePair", + "safeName": "AndurilTasksV2AnglePair" + } + }, + "displayName": "AnglePair" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "min", + "camelCase": { + "unsafeName": "min", + "safeName": "min" + }, + "snakeCase": { + "unsafeName": "min", + "safeName": "min" + }, + "screamingSnakeCase": { + "unsafeName": "MIN", + "safeName": "MIN" + }, + "pascalCase": { + "unsafeName": "Min", + "safeName": "Min" + } + }, + "wireValue": "min" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Angle lower bound in radians." + }, + { + "name": { + "name": { + "originalName": "max", + "camelCase": { + "unsafeName": "max", + "safeName": "max" + }, + "snakeCase": { + "unsafeName": "max", + "safeName": "max" + }, + "screamingSnakeCase": { + "unsafeName": "MAX", + "safeName": "MAX" + }, + "pascalCase": { + "unsafeName": "Max", + "safeName": "Max" + } + }, + "wireValue": "max" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Angle lower bound in radians." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to the UCI AnglePair." + }, + "anduril.tasks.v2.AreaConstraints": { + "name": { + "typeId": "anduril.tasks.v2.AreaConstraints", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.AreaConstraints", + "camelCase": { + "unsafeName": "andurilTasksV2AreaConstraints", + "safeName": "andurilTasksV2AreaConstraints" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_area_constraints", + "safeName": "anduril_tasks_v_2_area_constraints" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_AREA_CONSTRAINTS", + "safeName": "ANDURIL_TASKS_V_2_AREA_CONSTRAINTS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2AreaConstraints", + "safeName": "AndurilTasksV2AreaConstraints" + } + }, + "displayName": "AreaConstraints" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "altitude_constraint", + "camelCase": { + "unsafeName": "altitudeConstraint", + "safeName": "altitudeConstraint" + }, + "snakeCase": { + "unsafeName": "altitude_constraint", + "safeName": "altitude_constraint" + }, + "screamingSnakeCase": { + "unsafeName": "ALTITUDE_CONSTRAINT", + "safeName": "ALTITUDE_CONSTRAINT" + }, + "pascalCase": { + "unsafeName": "AltitudeConstraint", + "safeName": "AltitudeConstraint" + } + }, + "wireValue": "altitude_constraint" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.AltitudeConstraint", + "camelCase": { + "unsafeName": "andurilTasksV2AltitudeConstraint", + "safeName": "andurilTasksV2AltitudeConstraint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_altitude_constraint", + "safeName": "anduril_tasks_v_2_altitude_constraint" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ALTITUDE_CONSTRAINT", + "safeName": "ANDURIL_TASKS_V_2_ALTITUDE_CONSTRAINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2AltitudeConstraint", + "safeName": "AndurilTasksV2AltitudeConstraint" + } + }, + "typeId": "anduril.tasks.v2.AltitudeConstraint", + "default": null, + "inline": false, + "displayName": "altitude_constraint" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to UCI AreaConstraints." + }, + "anduril.tasks.v2.AltitudeConstraint": { + "name": { + "typeId": "anduril.tasks.v2.AltitudeConstraint", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.AltitudeConstraint", + "camelCase": { + "unsafeName": "andurilTasksV2AltitudeConstraint", + "safeName": "andurilTasksV2AltitudeConstraint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_altitude_constraint", + "safeName": "anduril_tasks_v_2_altitude_constraint" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ALTITUDE_CONSTRAINT", + "safeName": "ANDURIL_TASKS_V_2_ALTITUDE_CONSTRAINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2AltitudeConstraint", + "safeName": "AndurilTasksV2AltitudeConstraint" + } + }, + "displayName": "AltitudeConstraint" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "min", + "camelCase": { + "unsafeName": "min", + "safeName": "min" + }, + "snakeCase": { + "unsafeName": "min", + "safeName": "min" + }, + "screamingSnakeCase": { + "unsafeName": "MIN", + "safeName": "MIN" + }, + "pascalCase": { + "unsafeName": "Min", + "safeName": "Min" + } + }, + "wireValue": "min" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Minimum altitude (AGL) in meters." + }, + { + "name": { + "name": { + "originalName": "max", + "camelCase": { + "unsafeName": "max", + "safeName": "max" + }, + "snakeCase": { + "unsafeName": "max", + "safeName": "max" + }, + "screamingSnakeCase": { + "unsafeName": "MAX", + "safeName": "MAX" + }, + "pascalCase": { + "unsafeName": "Max", + "safeName": "Max" + } + }, + "wireValue": "max" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Maximum altitude (AGL) in meters." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.Agent": { + "name": { + "typeId": "anduril.tasks.v2.Agent", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Agent", + "camelCase": { + "unsafeName": "andurilTasksV2Agent", + "safeName": "andurilTasksV2Agent" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_agent", + "safeName": "anduril_tasks_v_2_agent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_AGENT", + "safeName": "ANDURIL_TASKS_V_2_AGENT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Agent", + "safeName": "AndurilTasksV2Agent" + } + }, + "displayName": "Agent" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Includes information about an Agent." + }, + "anduril.tasks.v2.ControlArea": { + "name": { + "typeId": "anduril.tasks.v2.ControlArea", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ControlArea", + "camelCase": { + "unsafeName": "andurilTasksV2ControlArea", + "safeName": "andurilTasksV2ControlArea" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_control_area", + "safeName": "anduril_tasks_v_2_control_area" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_CONTROL_AREA", + "safeName": "ANDURIL_TASKS_V_2_CONTROL_AREA" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ControlArea", + "safeName": "AndurilTasksV2ControlArea" + } + }, + "displayName": "ControlArea" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "entity_id", + "camelCase": { + "unsafeName": "entityId", + "safeName": "entityId" + }, + "snakeCase": { + "unsafeName": "entity_id", + "safeName": "entity_id" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_ID", + "safeName": "ENTITY_ID" + }, + "pascalCase": { + "unsafeName": "EntityId", + "safeName": "EntityId" + } + }, + "wireValue": "entity_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Reference to GeoPolygon GeoEntity representing the ControlArea." + }, + { + "name": { + "name": { + "originalName": "control_area_type", + "camelCase": { + "unsafeName": "controlAreaType", + "safeName": "controlAreaType" + }, + "snakeCase": { + "unsafeName": "control_area_type", + "safeName": "control_area_type" + }, + "screamingSnakeCase": { + "unsafeName": "CONTROL_AREA_TYPE", + "safeName": "CONTROL_AREA_TYPE" + }, + "pascalCase": { + "unsafeName": "ControlAreaType", + "safeName": "ControlAreaType" + } + }, + "wireValue": "control_area_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ControlAreaType", + "camelCase": { + "unsafeName": "andurilTasksV2ControlAreaType", + "safeName": "andurilTasksV2ControlAreaType" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_control_area_type", + "safeName": "anduril_tasks_v_2_control_area_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_CONTROL_AREA_TYPE", + "safeName": "ANDURIL_TASKS_V_2_CONTROL_AREA_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ControlAreaType", + "safeName": "AndurilTasksV2ControlAreaType" + } + }, + "typeId": "anduril.tasks.v2.ControlAreaType", + "default": null, + "inline": false, + "displayName": "control_area_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Type of ControlArea." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Models a Control Area within which Agents must operate." + }, + "anduril.tasks.v2.OrbitDirection": { + "name": { + "typeId": "anduril.tasks.v2.OrbitDirection", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.OrbitDirection", + "camelCase": { + "unsafeName": "andurilTasksV2OrbitDirection", + "safeName": "andurilTasksV2OrbitDirection" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_orbit_direction", + "safeName": "anduril_tasks_v_2_orbit_direction" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DIRECTION", + "safeName": "ANDURIL_TASKS_V_2_ORBIT_DIRECTION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2OrbitDirection", + "safeName": "AndurilTasksV2OrbitDirection" + } + }, + "displayName": "OrbitDirection" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "ORBIT_DIRECTION_DIRECTION_INVALID", + "camelCase": { + "unsafeName": "orbitDirectionDirectionInvalid", + "safeName": "orbitDirectionDirectionInvalid" + }, + "snakeCase": { + "unsafeName": "orbit_direction_direction_invalid", + "safeName": "orbit_direction_direction_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "ORBIT_DIRECTION_DIRECTION_INVALID", + "safeName": "ORBIT_DIRECTION_DIRECTION_INVALID" + }, + "pascalCase": { + "unsafeName": "OrbitDirectionDirectionInvalid", + "safeName": "OrbitDirectionDirectionInvalid" + } + }, + "wireValue": "ORBIT_DIRECTION_DIRECTION_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ORBIT_DIRECTION_RIGHT", + "camelCase": { + "unsafeName": "orbitDirectionRight", + "safeName": "orbitDirectionRight" + }, + "snakeCase": { + "unsafeName": "orbit_direction_right", + "safeName": "orbit_direction_right" + }, + "screamingSnakeCase": { + "unsafeName": "ORBIT_DIRECTION_RIGHT", + "safeName": "ORBIT_DIRECTION_RIGHT" + }, + "pascalCase": { + "unsafeName": "OrbitDirectionRight", + "safeName": "OrbitDirectionRight" + } + }, + "wireValue": "ORBIT_DIRECTION_RIGHT" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ORBIT_DIRECTION_LEFT", + "camelCase": { + "unsafeName": "orbitDirectionLeft", + "safeName": "orbitDirectionLeft" + }, + "snakeCase": { + "unsafeName": "orbit_direction_left", + "safeName": "orbit_direction_left" + }, + "screamingSnakeCase": { + "unsafeName": "ORBIT_DIRECTION_LEFT", + "safeName": "ORBIT_DIRECTION_LEFT" + }, + "pascalCase": { + "unsafeName": "OrbitDirectionLeft", + "safeName": "OrbitDirectionLeft" + } + }, + "wireValue": "ORBIT_DIRECTION_LEFT" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": "Direction of the loiter relative to the front of the vehicle." + }, + "anduril.tasks.v2.OrbitPattern": { + "name": { + "typeId": "anduril.tasks.v2.OrbitPattern", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.OrbitPattern", + "camelCase": { + "unsafeName": "andurilTasksV2OrbitPattern", + "safeName": "andurilTasksV2OrbitPattern" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_orbit_pattern", + "safeName": "anduril_tasks_v_2_orbit_pattern" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_PATTERN", + "safeName": "ANDURIL_TASKS_V_2_ORBIT_PATTERN" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2OrbitPattern", + "safeName": "AndurilTasksV2OrbitPattern" + } + }, + "displayName": "OrbitPattern" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "ORBIT_PATTERN_INVALID", + "camelCase": { + "unsafeName": "orbitPatternInvalid", + "safeName": "orbitPatternInvalid" + }, + "snakeCase": { + "unsafeName": "orbit_pattern_invalid", + "safeName": "orbit_pattern_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "ORBIT_PATTERN_INVALID", + "safeName": "ORBIT_PATTERN_INVALID" + }, + "pascalCase": { + "unsafeName": "OrbitPatternInvalid", + "safeName": "OrbitPatternInvalid" + } + }, + "wireValue": "ORBIT_PATTERN_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ORBIT_PATTERN_CIRCLE", + "camelCase": { + "unsafeName": "orbitPatternCircle", + "safeName": "orbitPatternCircle" + }, + "snakeCase": { + "unsafeName": "orbit_pattern_circle", + "safeName": "orbit_pattern_circle" + }, + "screamingSnakeCase": { + "unsafeName": "ORBIT_PATTERN_CIRCLE", + "safeName": "ORBIT_PATTERN_CIRCLE" + }, + "pascalCase": { + "unsafeName": "OrbitPatternCircle", + "safeName": "OrbitPatternCircle" + } + }, + "wireValue": "ORBIT_PATTERN_CIRCLE" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ORBIT_PATTERN_RACETRACK", + "camelCase": { + "unsafeName": "orbitPatternRacetrack", + "safeName": "orbitPatternRacetrack" + }, + "snakeCase": { + "unsafeName": "orbit_pattern_racetrack", + "safeName": "orbit_pattern_racetrack" + }, + "screamingSnakeCase": { + "unsafeName": "ORBIT_PATTERN_RACETRACK", + "safeName": "ORBIT_PATTERN_RACETRACK" + }, + "pascalCase": { + "unsafeName": "OrbitPatternRacetrack", + "safeName": "OrbitPatternRacetrack" + } + }, + "wireValue": "ORBIT_PATTERN_RACETRACK" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "ORBIT_PATTERN_FIGURE_EIGHT", + "camelCase": { + "unsafeName": "orbitPatternFigureEight", + "safeName": "orbitPatternFigureEight" + }, + "snakeCase": { + "unsafeName": "orbit_pattern_figure_eight", + "safeName": "orbit_pattern_figure_eight" + }, + "screamingSnakeCase": { + "unsafeName": "ORBIT_PATTERN_FIGURE_EIGHT", + "safeName": "ORBIT_PATTERN_FIGURE_EIGHT" + }, + "pascalCase": { + "unsafeName": "OrbitPatternFigureEight", + "safeName": "OrbitPatternFigureEight" + } + }, + "wireValue": "ORBIT_PATTERN_FIGURE_EIGHT" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.Investigate": { + "name": { + "typeId": "anduril.tasks.v2.Investigate", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Investigate", + "camelCase": { + "unsafeName": "andurilTasksV2Investigate", + "safeName": "andurilTasksV2Investigate" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_investigate", + "safeName": "anduril_tasks_v_2_investigate" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_INVESTIGATE", + "safeName": "ANDURIL_TASKS_V_2_INVESTIGATE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Investigate", + "safeName": "AndurilTasksV2Investigate" + } + }, + "displayName": "Investigate" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates where to investigate." + }, + { + "name": { + "name": { + "originalName": "parameters", + "camelCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "snakeCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "screamingSnakeCase": { + "unsafeName": "PARAMETERS", + "safeName": "PARAMETERS" + }, + "pascalCase": { + "unsafeName": "Parameters", + "safeName": "Parameters" + } + }, + "wireValue": "parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ISRParameters", + "camelCase": { + "unsafeName": "andurilTasksV2IsrParameters", + "safeName": "andurilTasksV2IsrParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_isr_parameters", + "safeName": "anduril_tasks_v_2_isr_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2IsrParameters", + "safeName": "AndurilTasksV2IsrParameters" + } + }, + "typeId": "anduril.tasks.v2.ISRParameters", + "default": null, + "inline": false, + "displayName": "parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional common ISR parameters." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to BREVITY code INVESTIGATE." + }, + "anduril.tasks.v2.VisualId": { + "name": { + "typeId": "anduril.tasks.v2.VisualId", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.VisualId", + "camelCase": { + "unsafeName": "andurilTasksV2VisualId", + "safeName": "andurilTasksV2VisualId" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_visual_id", + "safeName": "anduril_tasks_v_2_visual_id" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_VISUAL_ID", + "safeName": "ANDURIL_TASKS_V_2_VISUAL_ID" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2VisualId", + "safeName": "AndurilTasksV2VisualId" + } + }, + "displayName": "VisualId" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates what to identify." + }, + { + "name": { + "name": { + "originalName": "parameters", + "camelCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "snakeCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "screamingSnakeCase": { + "unsafeName": "PARAMETERS", + "safeName": "PARAMETERS" + }, + "pascalCase": { + "unsafeName": "Parameters", + "safeName": "Parameters" + } + }, + "wireValue": "parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ISRParameters", + "camelCase": { + "unsafeName": "andurilTasksV2IsrParameters", + "safeName": "andurilTasksV2IsrParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_isr_parameters", + "safeName": "anduril_tasks_v_2_isr_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2IsrParameters", + "safeName": "AndurilTasksV2IsrParameters" + } + }, + "typeId": "anduril.tasks.v2.ISRParameters", + "default": null, + "inline": false, + "displayName": "parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional common ISR parameters." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to BREVITY code ID with type Visual." + }, + "anduril.tasks.v2.Map": { + "name": { + "typeId": "anduril.tasks.v2.Map", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Map", + "camelCase": { + "unsafeName": "andurilTasksV2Map", + "safeName": "andurilTasksV2Map" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_map", + "safeName": "anduril_tasks_v_2_map" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_MAP", + "safeName": "ANDURIL_TASKS_V_2_MAP" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Map", + "safeName": "AndurilTasksV2Map" + } + }, + "displayName": "Map" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates where to perform the SAR." + }, + { + "name": { + "name": { + "originalName": "parameters", + "camelCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "snakeCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "screamingSnakeCase": { + "unsafeName": "PARAMETERS", + "safeName": "PARAMETERS" + }, + "pascalCase": { + "unsafeName": "Parameters", + "safeName": "Parameters" + } + }, + "wireValue": "parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ISRParameters", + "camelCase": { + "unsafeName": "andurilTasksV2IsrParameters", + "safeName": "andurilTasksV2IsrParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_isr_parameters", + "safeName": "anduril_tasks_v_2_isr_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2IsrParameters", + "safeName": "AndurilTasksV2IsrParameters" + } + }, + "typeId": "anduril.tasks.v2.ISRParameters", + "default": null, + "inline": false, + "displayName": "parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional common ISR parameters." + }, + { + "name": { + "name": { + "originalName": "min_niirs", + "camelCase": { + "unsafeName": "minNiirs", + "safeName": "minNiirs" + }, + "snakeCase": { + "unsafeName": "min_niirs", + "safeName": "min_niirs" + }, + "screamingSnakeCase": { + "unsafeName": "MIN_NIIRS", + "safeName": "MIN_NIIRS" + }, + "pascalCase": { + "unsafeName": "MinNiirs", + "safeName": "MinNiirs" + } + }, + "wireValue": "min_niirs" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UInt32Value", + "camelCase": { + "unsafeName": "googleProtobufUInt32Value", + "safeName": "googleProtobufUInt32Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_u_int_32_value", + "safeName": "google_protobuf_u_int_32_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE", + "safeName": "GOOGLE_PROTOBUF_U_INT_32_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUInt32Value", + "safeName": "GoogleProtobufUInt32Value" + } + }, + "typeId": "google.protobuf.UInt32Value", + "default": null, + "inline": false, + "displayName": "min_niirs" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "minimum desired NIIRS (National Image Interpretability Rating Scales) see https://irp.fas.org/imint/niirs.htm" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to BREVITY code MAP." + }, + "anduril.tasks.v2.Loiter": { + "name": { + "typeId": "anduril.tasks.v2.Loiter", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Loiter", + "camelCase": { + "unsafeName": "andurilTasksV2Loiter", + "safeName": "andurilTasksV2Loiter" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_loiter", + "safeName": "anduril_tasks_v_2_loiter" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_LOITER", + "safeName": "ANDURIL_TASKS_V_2_LOITER" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Loiter", + "safeName": "AndurilTasksV2Loiter" + } + }, + "displayName": "Loiter" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates where to perform the loiter." + }, + { + "name": { + "name": { + "originalName": "loiter_type", + "camelCase": { + "unsafeName": "loiterType", + "safeName": "loiterType" + }, + "snakeCase": { + "unsafeName": "loiter_type", + "safeName": "loiter_type" + }, + "screamingSnakeCase": { + "unsafeName": "LOITER_TYPE", + "safeName": "LOITER_TYPE" + }, + "pascalCase": { + "unsafeName": "LoiterType", + "safeName": "LoiterType" + } + }, + "wireValue": "loiter_type" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.LoiterType", + "camelCase": { + "unsafeName": "andurilTasksV2LoiterType", + "safeName": "andurilTasksV2LoiterType" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_loiter_type", + "safeName": "anduril_tasks_v_2_loiter_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_LOITER_TYPE", + "safeName": "ANDURIL_TASKS_V_2_LOITER_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2LoiterType", + "safeName": "AndurilTasksV2LoiterType" + } + }, + "typeId": "anduril.tasks.v2.LoiterType", + "default": null, + "inline": false, + "displayName": "loiter_type" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Specifies the details of the loiter." + }, + { + "name": { + "name": { + "originalName": "parameters", + "camelCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "snakeCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "screamingSnakeCase": { + "unsafeName": "PARAMETERS", + "safeName": "PARAMETERS" + }, + "pascalCase": { + "unsafeName": "Parameters", + "safeName": "Parameters" + } + }, + "wireValue": "parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ISRParameters", + "camelCase": { + "unsafeName": "andurilTasksV2IsrParameters", + "safeName": "andurilTasksV2IsrParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_isr_parameters", + "safeName": "anduril_tasks_v_2_isr_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2IsrParameters", + "safeName": "AndurilTasksV2IsrParameters" + } + }, + "typeId": "anduril.tasks.v2.ISRParameters", + "default": null, + "inline": false, + "displayName": "parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional common ISR parameters.\\n The loiter radius and bearing should be inferred from the standoff_distance and standoff_angle respectively." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to the Loiter behavior within the FlightTask type within UCI v2." + }, + "anduril.tasks.v2.AreaSearch": { + "name": { + "typeId": "anduril.tasks.v2.AreaSearch", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.AreaSearch", + "camelCase": { + "unsafeName": "andurilTasksV2AreaSearch", + "safeName": "andurilTasksV2AreaSearch" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_area_search", + "safeName": "anduril_tasks_v_2_area_search" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_AREA_SEARCH", + "safeName": "ANDURIL_TASKS_V_2_AREA_SEARCH" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2AreaSearch", + "safeName": "AndurilTasksV2AreaSearch" + } + }, + "displayName": "AreaSearch" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates where to perform the area search." + }, + { + "name": { + "name": { + "originalName": "priors", + "camelCase": { + "unsafeName": "priors", + "safeName": "priors" + }, + "snakeCase": { + "unsafeName": "priors", + "safeName": "priors" + }, + "screamingSnakeCase": { + "unsafeName": "PRIORS", + "safeName": "PRIORS" + }, + "pascalCase": { + "unsafeName": "Priors", + "safeName": "Priors" + } + }, + "wireValue": "priors" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Prior", + "camelCase": { + "unsafeName": "andurilTasksV2Prior", + "safeName": "andurilTasksV2Prior" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_prior", + "safeName": "anduril_tasks_v_2_prior" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PRIOR", + "safeName": "ANDURIL_TASKS_V_2_PRIOR" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Prior", + "safeName": "AndurilTasksV2Prior" + } + }, + "typeId": "anduril.tasks.v2.Prior", + "default": null, + "inline": false, + "displayName": "priors" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Priors that can be used to inform this AreaSearch." + }, + { + "name": { + "name": { + "originalName": "participants", + "camelCase": { + "unsafeName": "participants", + "safeName": "participants" + }, + "snakeCase": { + "unsafeName": "participants", + "safeName": "participants" + }, + "screamingSnakeCase": { + "unsafeName": "PARTICIPANTS", + "safeName": "PARTICIPANTS" + }, + "pascalCase": { + "unsafeName": "Participants", + "safeName": "Participants" + } + }, + "wireValue": "participants" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Agent", + "camelCase": { + "unsafeName": "andurilTasksV2Agent", + "safeName": "andurilTasksV2Agent" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_agent", + "safeName": "anduril_tasks_v_2_agent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_AGENT", + "safeName": "ANDURIL_TASKS_V_2_AGENT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Agent", + "safeName": "AndurilTasksV2Agent" + } + }, + "typeId": "anduril.tasks.v2.Agent", + "default": null, + "inline": false, + "displayName": "participants" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Agents participating in this AreaSearch." + }, + { + "name": { + "name": { + "originalName": "control_areas", + "camelCase": { + "unsafeName": "controlAreas", + "safeName": "controlAreas" + }, + "snakeCase": { + "unsafeName": "control_areas", + "safeName": "control_areas" + }, + "screamingSnakeCase": { + "unsafeName": "CONTROL_AREAS", + "safeName": "CONTROL_AREAS" + }, + "pascalCase": { + "unsafeName": "ControlAreas", + "safeName": "ControlAreas" + } + }, + "wireValue": "control_areas" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ControlArea", + "camelCase": { + "unsafeName": "andurilTasksV2ControlArea", + "safeName": "andurilTasksV2ControlArea" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_control_area", + "safeName": "anduril_tasks_v_2_control_area" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_CONTROL_AREA", + "safeName": "ANDURIL_TASKS_V_2_CONTROL_AREA" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ControlArea", + "safeName": "AndurilTasksV2ControlArea" + } + }, + "typeId": "anduril.tasks.v2.ControlArea", + "default": null, + "inline": false, + "displayName": "control_areas" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Control Area for this AreaSearch." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents intent to search an area. Maps to the Area Search Team Task within the Mission Autonomy Task Model." + }, + "anduril.tasks.v2.VolumeSearch": { + "name": { + "typeId": "anduril.tasks.v2.VolumeSearch", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.VolumeSearch", + "camelCase": { + "unsafeName": "andurilTasksV2VolumeSearch", + "safeName": "andurilTasksV2VolumeSearch" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_volume_search", + "safeName": "anduril_tasks_v_2_volume_search" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_VOLUME_SEARCH", + "safeName": "ANDURIL_TASKS_V_2_VOLUME_SEARCH" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2VolumeSearch", + "safeName": "AndurilTasksV2VolumeSearch" + } + }, + "displayName": "VolumeSearch" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates where to perform the volume search." + }, + { + "name": { + "name": { + "originalName": "priors", + "camelCase": { + "unsafeName": "priors", + "safeName": "priors" + }, + "snakeCase": { + "unsafeName": "priors", + "safeName": "priors" + }, + "screamingSnakeCase": { + "unsafeName": "PRIORS", + "safeName": "PRIORS" + }, + "pascalCase": { + "unsafeName": "Priors", + "safeName": "Priors" + } + }, + "wireValue": "priors" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Prior", + "camelCase": { + "unsafeName": "andurilTasksV2Prior", + "safeName": "andurilTasksV2Prior" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_prior", + "safeName": "anduril_tasks_v_2_prior" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PRIOR", + "safeName": "ANDURIL_TASKS_V_2_PRIOR" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Prior", + "safeName": "AndurilTasksV2Prior" + } + }, + "typeId": "anduril.tasks.v2.Prior", + "default": null, + "inline": false, + "displayName": "priors" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Priors that can be used to inform this VolumeSearch." + }, + { + "name": { + "name": { + "originalName": "participants", + "camelCase": { + "unsafeName": "participants", + "safeName": "participants" + }, + "snakeCase": { + "unsafeName": "participants", + "safeName": "participants" + }, + "screamingSnakeCase": { + "unsafeName": "PARTICIPANTS", + "safeName": "PARTICIPANTS" + }, + "pascalCase": { + "unsafeName": "Participants", + "safeName": "Participants" + } + }, + "wireValue": "participants" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Agent", + "camelCase": { + "unsafeName": "andurilTasksV2Agent", + "safeName": "andurilTasksV2Agent" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_agent", + "safeName": "anduril_tasks_v_2_agent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_AGENT", + "safeName": "ANDURIL_TASKS_V_2_AGENT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Agent", + "safeName": "AndurilTasksV2Agent" + } + }, + "typeId": "anduril.tasks.v2.Agent", + "default": null, + "inline": false, + "displayName": "participants" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Agents participating in this VolumeSearch." + }, + { + "name": { + "name": { + "originalName": "control_areas", + "camelCase": { + "unsafeName": "controlAreas", + "safeName": "controlAreas" + }, + "snakeCase": { + "unsafeName": "control_areas", + "safeName": "control_areas" + }, + "screamingSnakeCase": { + "unsafeName": "CONTROL_AREAS", + "safeName": "CONTROL_AREAS" + }, + "pascalCase": { + "unsafeName": "ControlAreas", + "safeName": "ControlAreas" + } + }, + "wireValue": "control_areas" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ControlArea", + "camelCase": { + "unsafeName": "andurilTasksV2ControlArea", + "safeName": "andurilTasksV2ControlArea" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_control_area", + "safeName": "anduril_tasks_v_2_control_area" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_CONTROL_AREA", + "safeName": "ANDURIL_TASKS_V_2_CONTROL_AREA" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ControlArea", + "safeName": "AndurilTasksV2ControlArea" + } + }, + "typeId": "anduril.tasks.v2.ControlArea", + "default": null, + "inline": false, + "displayName": "control_areas" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Control Area for this VolumeSearch." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Represents intent to search a volume. Maps to the Volume Search Team Task within the Mission Autonomy Task Model." + }, + "anduril.tasks.v2.ImproveTrackQuality": { + "name": { + "typeId": "anduril.tasks.v2.ImproveTrackQuality", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ImproveTrackQuality", + "camelCase": { + "unsafeName": "andurilTasksV2ImproveTrackQuality", + "safeName": "andurilTasksV2ImproveTrackQuality" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_improve_track_quality", + "safeName": "anduril_tasks_v_2_improve_track_quality" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_IMPROVE_TRACK_QUALITY", + "safeName": "ANDURIL_TASKS_V_2_IMPROVE_TRACK_QUALITY" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ImproveTrackQuality", + "safeName": "AndurilTasksV2ImproveTrackQuality" + } + }, + "displayName": "ImproveTrackQuality" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the target track that is having its quality improved." + }, + { + "name": { + "name": { + "originalName": "termination_track_quality", + "camelCase": { + "unsafeName": "terminationTrackQuality", + "safeName": "terminationTrackQuality" + }, + "snakeCase": { + "unsafeName": "termination_track_quality", + "safeName": "termination_track_quality" + }, + "screamingSnakeCase": { + "unsafeName": "TERMINATION_TRACK_QUALITY", + "safeName": "TERMINATION_TRACK_QUALITY" + }, + "pascalCase": { + "unsafeName": "TerminationTrackQuality", + "safeName": "TerminationTrackQuality" + } + }, + "wireValue": "termination_track_quality" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Task will complete when the requested track reaches a TQ >= the termination_track_quality." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Task to improve the quality of a track. Maps to the Improve Track Task within the Mission Autonomy Task Model." + }, + "anduril.tasks.v2.Shadow": { + "name": { + "typeId": "anduril.tasks.v2.Shadow", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Shadow", + "camelCase": { + "unsafeName": "andurilTasksV2Shadow", + "safeName": "andurilTasksV2Shadow" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_shadow", + "safeName": "anduril_tasks_v_2_shadow" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_SHADOW", + "safeName": "ANDURIL_TASKS_V_2_SHADOW" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Shadow", + "safeName": "AndurilTasksV2Shadow" + } + }, + "displayName": "Shadow" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates what to follow." + }, + { + "name": { + "name": { + "originalName": "parameters", + "camelCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "snakeCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "screamingSnakeCase": { + "unsafeName": "PARAMETERS", + "safeName": "PARAMETERS" + }, + "pascalCase": { + "unsafeName": "Parameters", + "safeName": "Parameters" + } + }, + "wireValue": "parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ISRParameters", + "camelCase": { + "unsafeName": "andurilTasksV2IsrParameters", + "safeName": "andurilTasksV2IsrParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_isr_parameters", + "safeName": "anduril_tasks_v_2_isr_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2IsrParameters", + "safeName": "AndurilTasksV2IsrParameters" + } + }, + "typeId": "anduril.tasks.v2.ISRParameters", + "default": null, + "inline": false, + "displayName": "parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional common ISR parameters." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Indicates intent to follow an Objective. Maps to Brevity code SHADOW." + }, + "anduril.tasks.v2.LoiterTypeLoiter_type": { + "name": { + "typeId": "anduril.tasks.v2.LoiterTypeLoiter_type", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.LoiterTypeLoiter_type", + "camelCase": { + "unsafeName": "andurilTasksV2LoiterTypeLoiterType", + "safeName": "andurilTasksV2LoiterTypeLoiterType" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_loiter_type_loiter_type", + "safeName": "anduril_tasks_v_2_loiter_type_loiter_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_LOITER_TYPE_LOITER_TYPE", + "safeName": "ANDURIL_TASKS_V_2_LOITER_TYPE_LOITER_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2LoiterTypeLoiterType", + "safeName": "AndurilTasksV2LoiterTypeLoiterType" + } + }, + "displayName": "LoiterTypeLoiter_type" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.OrbitType", + "camelCase": { + "unsafeName": "andurilTasksV2OrbitType", + "safeName": "andurilTasksV2OrbitType" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_orbit_type", + "safeName": "anduril_tasks_v_2_orbit_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_TYPE", + "safeName": "ANDURIL_TASKS_V_2_ORBIT_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2OrbitType", + "safeName": "AndurilTasksV2OrbitType" + } + }, + "typeId": "anduril.tasks.v2.OrbitType", + "default": null, + "inline": false, + "displayName": "orbit_type" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.LoiterType": { + "name": { + "typeId": "anduril.tasks.v2.LoiterType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.LoiterType", + "camelCase": { + "unsafeName": "andurilTasksV2LoiterType", + "safeName": "andurilTasksV2LoiterType" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_loiter_type", + "safeName": "anduril_tasks_v_2_loiter_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_LOITER_TYPE", + "safeName": "ANDURIL_TASKS_V_2_LOITER_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2LoiterType", + "safeName": "AndurilTasksV2LoiterType" + } + }, + "displayName": "LoiterType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "loiter_type", + "camelCase": { + "unsafeName": "loiterType", + "safeName": "loiterType" + }, + "snakeCase": { + "unsafeName": "loiter_type", + "safeName": "loiter_type" + }, + "screamingSnakeCase": { + "unsafeName": "LOITER_TYPE", + "safeName": "LOITER_TYPE" + }, + "pascalCase": { + "unsafeName": "LoiterType", + "safeName": "LoiterType" + } + }, + "wireValue": "loiter_type" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.LoiterTypeLoiter_type", + "camelCase": { + "unsafeName": "andurilTasksV2LoiterTypeLoiterType", + "safeName": "andurilTasksV2LoiterTypeLoiterType" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_loiter_type_loiter_type", + "safeName": "anduril_tasks_v_2_loiter_type_loiter_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_LOITER_TYPE_LOITER_TYPE", + "safeName": "ANDURIL_TASKS_V_2_LOITER_TYPE_LOITER_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2LoiterTypeLoiterType", + "safeName": "AndurilTasksV2LoiterTypeLoiterType" + } + }, + "typeId": "anduril.tasks.v2.LoiterTypeLoiter_type", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to UCI v2 LoiterType." + }, + "anduril.tasks.v2.OrbitType": { + "name": { + "typeId": "anduril.tasks.v2.OrbitType", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.OrbitType", + "camelCase": { + "unsafeName": "andurilTasksV2OrbitType", + "safeName": "andurilTasksV2OrbitType" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_orbit_type", + "safeName": "anduril_tasks_v_2_orbit_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_TYPE", + "safeName": "ANDURIL_TASKS_V_2_ORBIT_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2OrbitType", + "safeName": "AndurilTasksV2OrbitType" + } + }, + "displayName": "OrbitType" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "direction", + "camelCase": { + "unsafeName": "direction", + "safeName": "direction" + }, + "snakeCase": { + "unsafeName": "direction", + "safeName": "direction" + }, + "screamingSnakeCase": { + "unsafeName": "DIRECTION", + "safeName": "DIRECTION" + }, + "pascalCase": { + "unsafeName": "Direction", + "safeName": "Direction" + } + }, + "wireValue": "direction" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.OrbitDirection", + "camelCase": { + "unsafeName": "andurilTasksV2OrbitDirection", + "safeName": "andurilTasksV2OrbitDirection" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_orbit_direction", + "safeName": "anduril_tasks_v_2_orbit_direction" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DIRECTION", + "safeName": "ANDURIL_TASKS_V_2_ORBIT_DIRECTION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2OrbitDirection", + "safeName": "AndurilTasksV2OrbitDirection" + } + }, + "typeId": "anduril.tasks.v2.OrbitDirection", + "default": null, + "inline": false, + "displayName": "direction" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the direction in which to perform the loiter." + }, + { + "name": { + "name": { + "originalName": "pattern", + "camelCase": { + "unsafeName": "pattern", + "safeName": "pattern" + }, + "snakeCase": { + "unsafeName": "pattern", + "safeName": "pattern" + }, + "screamingSnakeCase": { + "unsafeName": "PATTERN", + "safeName": "PATTERN" + }, + "pascalCase": { + "unsafeName": "Pattern", + "safeName": "Pattern" + } + }, + "wireValue": "pattern" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.OrbitPattern", + "camelCase": { + "unsafeName": "andurilTasksV2OrbitPattern", + "safeName": "andurilTasksV2OrbitPattern" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_orbit_pattern", + "safeName": "anduril_tasks_v_2_orbit_pattern" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_PATTERN", + "safeName": "ANDURIL_TASKS_V_2_ORBIT_PATTERN" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2OrbitPattern", + "safeName": "AndurilTasksV2OrbitPattern" + } + }, + "typeId": "anduril.tasks.v2.OrbitPattern", + "default": null, + "inline": false, + "displayName": "pattern" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the loiter pattern to perform." + }, + { + "name": { + "name": { + "originalName": "duration", + "camelCase": { + "unsafeName": "duration", + "safeName": "duration" + }, + "snakeCase": { + "unsafeName": "duration", + "safeName": "duration" + }, + "screamingSnakeCase": { + "unsafeName": "DURATION", + "safeName": "DURATION" + }, + "pascalCase": { + "unsafeName": "Duration", + "safeName": "Duration" + } + }, + "wireValue": "duration" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.OrbitDuration", + "camelCase": { + "unsafeName": "andurilTasksV2OrbitDuration", + "safeName": "andurilTasksV2OrbitDuration" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_orbit_duration", + "safeName": "anduril_tasks_v_2_orbit_duration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION", + "safeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2OrbitDuration", + "safeName": "AndurilTasksV2OrbitDuration" + } + }, + "typeId": "anduril.tasks.v2.OrbitDuration", + "default": null, + "inline": false, + "displayName": "duration" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the amount of time to be spent in loiter." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.OrbitDurationDuration": { + "name": { + "typeId": "anduril.tasks.v2.OrbitDurationDuration", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.OrbitDurationDuration", + "camelCase": { + "unsafeName": "andurilTasksV2OrbitDurationDuration", + "safeName": "andurilTasksV2OrbitDurationDuration" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_orbit_duration_duration", + "safeName": "anduril_tasks_v_2_orbit_duration_duration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION_DURATION", + "safeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION_DURATION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2OrbitDurationDuration", + "safeName": "AndurilTasksV2OrbitDurationDuration" + } + }, + "displayName": "OrbitDurationDuration" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.DurationRange", + "camelCase": { + "unsafeName": "andurilTasksV2DurationRange", + "safeName": "andurilTasksV2DurationRange" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_duration_range", + "safeName": "anduril_tasks_v_2_duration_range" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_DURATION_RANGE", + "safeName": "ANDURIL_TASKS_V_2_DURATION_RANGE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2DurationRange", + "safeName": "AndurilTasksV2DurationRange" + } + }, + "typeId": "anduril.tasks.v2.DurationRange", + "default": null, + "inline": false, + "displayName": "duration_range" + }, + "docs": null + }, + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "UINT_64", + "v2": { + "type": "uint64" + } + } + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.OrbitDuration": { + "name": { + "typeId": "anduril.tasks.v2.OrbitDuration", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.OrbitDuration", + "camelCase": { + "unsafeName": "andurilTasksV2OrbitDuration", + "safeName": "andurilTasksV2OrbitDuration" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_orbit_duration", + "safeName": "anduril_tasks_v_2_orbit_duration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION", + "safeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2OrbitDuration", + "safeName": "AndurilTasksV2OrbitDuration" + } + }, + "displayName": "OrbitDuration" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "duration", + "camelCase": { + "unsafeName": "duration", + "safeName": "duration" + }, + "snakeCase": { + "unsafeName": "duration", + "safeName": "duration" + }, + "screamingSnakeCase": { + "unsafeName": "DURATION", + "safeName": "DURATION" + }, + "pascalCase": { + "unsafeName": "Duration", + "safeName": "Duration" + } + }, + "wireValue": "duration" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.OrbitDurationDuration", + "camelCase": { + "unsafeName": "andurilTasksV2OrbitDurationDuration", + "safeName": "andurilTasksV2OrbitDurationDuration" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_orbit_duration_duration", + "safeName": "anduril_tasks_v_2_orbit_duration_duration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION_DURATION", + "safeName": "ANDURIL_TASKS_V_2_ORBIT_DURATION_DURATION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2OrbitDurationDuration", + "safeName": "AndurilTasksV2OrbitDurationDuration" + } + }, + "typeId": "anduril.tasks.v2.OrbitDurationDuration", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.PriorPrior": { + "name": { + "typeId": "anduril.tasks.v2.PriorPrior", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.PriorPrior", + "camelCase": { + "unsafeName": "andurilTasksV2PriorPrior", + "safeName": "andurilTasksV2PriorPrior" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_prior_prior", + "safeName": "anduril_tasks_v_2_prior_prior" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PRIOR_PRIOR", + "safeName": "ANDURIL_TASKS_V_2_PRIOR_PRIOR" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2PriorPrior", + "safeName": "AndurilTasksV2PriorPrior" + } + }, + "displayName": "PriorPrior" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Point", + "camelCase": { + "unsafeName": "andurilTasksV2Point", + "safeName": "andurilTasksV2Point" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_point", + "safeName": "anduril_tasks_v_2_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_POINT", + "safeName": "ANDURIL_TASKS_V_2_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Point", + "safeName": "AndurilTasksV2Point" + } + }, + "typeId": "anduril.tasks.v2.Point", + "default": null, + "inline": false, + "displayName": "point" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.Prior": { + "name": { + "typeId": "anduril.tasks.v2.Prior", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Prior", + "camelCase": { + "unsafeName": "andurilTasksV2Prior", + "safeName": "andurilTasksV2Prior" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_prior", + "safeName": "anduril_tasks_v_2_prior" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PRIOR", + "safeName": "ANDURIL_TASKS_V_2_PRIOR" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Prior", + "safeName": "AndurilTasksV2Prior" + } + }, + "displayName": "Prior" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "prior", + "camelCase": { + "unsafeName": "prior", + "safeName": "prior" + }, + "snakeCase": { + "unsafeName": "prior", + "safeName": "prior" + }, + "screamingSnakeCase": { + "unsafeName": "PRIOR", + "safeName": "PRIOR" + }, + "pascalCase": { + "unsafeName": "Prior", + "safeName": "Prior" + } + }, + "wireValue": "prior" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.PriorPrior", + "camelCase": { + "unsafeName": "andurilTasksV2PriorPrior", + "safeName": "andurilTasksV2PriorPrior" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_prior_prior", + "safeName": "anduril_tasks_v_2_prior_prior" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PRIOR_PRIOR", + "safeName": "ANDURIL_TASKS_V_2_PRIOR_PRIOR" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2PriorPrior", + "safeName": "AndurilTasksV2PriorPrior" + } + }, + "typeId": "anduril.tasks.v2.PriorPrior", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A Prior that can be used to inform an ISR Task." + }, + "anduril.tasks.v2.ISRParameters": { + "name": { + "typeId": "anduril.tasks.v2.ISRParameters", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ISRParameters", + "camelCase": { + "unsafeName": "andurilTasksV2IsrParameters", + "safeName": "andurilTasksV2IsrParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_isr_parameters", + "safeName": "anduril_tasks_v_2_isr_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2IsrParameters", + "safeName": "AndurilTasksV2IsrParameters" + } + }, + "displayName": "ISRParameters" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "speed_m_s", + "camelCase": { + "unsafeName": "speedMS", + "safeName": "speedMS" + }, + "snakeCase": { + "unsafeName": "speed_m_s", + "safeName": "speed_m_s" + }, + "screamingSnakeCase": { + "unsafeName": "SPEED_M_S", + "safeName": "SPEED_M_S" + }, + "pascalCase": { + "unsafeName": "SpeedMS", + "safeName": "SpeedMS" + } + }, + "wireValue": "speed_m_s" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FloatValue", + "camelCase": { + "unsafeName": "googleProtobufFloatValue", + "safeName": "googleProtobufFloatValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_float_value", + "safeName": "google_protobuf_float_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", + "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFloatValue", + "safeName": "GoogleProtobufFloatValue" + } + }, + "typeId": "google.protobuf.FloatValue", + "default": null, + "inline": false, + "displayName": "speed_m_s" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the target speed of the asset. Units are meters per second." + }, + { + "name": { + "name": { + "originalName": "standoff_distance_m", + "camelCase": { + "unsafeName": "standoffDistanceM", + "safeName": "standoffDistanceM" + }, + "snakeCase": { + "unsafeName": "standoff_distance_m", + "safeName": "standoff_distance_m" + }, + "screamingSnakeCase": { + "unsafeName": "STANDOFF_DISTANCE_M", + "safeName": "STANDOFF_DISTANCE_M" + }, + "pascalCase": { + "unsafeName": "StandoffDistanceM", + "safeName": "StandoffDistanceM" + } + }, + "wireValue": "standoff_distance_m" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FloatValue", + "camelCase": { + "unsafeName": "googleProtobufFloatValue", + "safeName": "googleProtobufFloatValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_float_value", + "safeName": "google_protobuf_float_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", + "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFloatValue", + "safeName": "GoogleProtobufFloatValue" + } + }, + "typeId": "google.protobuf.FloatValue", + "default": null, + "inline": false, + "displayName": "standoff_distance_m" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the standoff distance from the objective. The units are in meters." + }, + { + "name": { + "name": { + "originalName": "standoff_angle", + "camelCase": { + "unsafeName": "standoffAngle", + "safeName": "standoffAngle" + }, + "snakeCase": { + "unsafeName": "standoff_angle", + "safeName": "standoff_angle" + }, + "screamingSnakeCase": { + "unsafeName": "STANDOFF_ANGLE", + "safeName": "STANDOFF_ANGLE" + }, + "pascalCase": { + "unsafeName": "StandoffAngle", + "safeName": "StandoffAngle" + } + }, + "wireValue": "standoff_angle" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FloatValue", + "camelCase": { + "unsafeName": "googleProtobufFloatValue", + "safeName": "googleProtobufFloatValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_float_value", + "safeName": "google_protobuf_float_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", + "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFloatValue", + "safeName": "GoogleProtobufFloatValue" + } + }, + "typeId": "google.protobuf.FloatValue", + "default": null, + "inline": false, + "displayName": "standoff_angle" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the standoff angle relative to the objective's bearing orientation (defaults to north).\\n In particular, the asset should approach target from this angle. Units in degrees." + }, + { + "name": { + "name": { + "originalName": "expiration_time_ms", + "camelCase": { + "unsafeName": "expirationTimeMs", + "safeName": "expirationTimeMs" + }, + "snakeCase": { + "unsafeName": "expiration_time_ms", + "safeName": "expiration_time_ms" + }, + "screamingSnakeCase": { + "unsafeName": "EXPIRATION_TIME_MS", + "safeName": "EXPIRATION_TIME_MS" + }, + "pascalCase": { + "unsafeName": "ExpirationTimeMs", + "safeName": "ExpirationTimeMs" + } + }, + "wireValue": "expiration_time_ms" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.UInt64Value", + "camelCase": { + "unsafeName": "googleProtobufUInt64Value", + "safeName": "googleProtobufUInt64Value" + }, + "snakeCase": { + "unsafeName": "google_protobuf_u_int_64_value", + "safeName": "google_protobuf_u_int_64_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_U_INT_64_VALUE", + "safeName": "GOOGLE_PROTOBUF_U_INT_64_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufUInt64Value", + "safeName": "GoogleProtobufUInt64Value" + } + }, + "typeId": "google.protobuf.UInt64Value", + "default": null, + "inline": false, + "displayName": "expiration_time_ms" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates the amount of time in milliseconds to execute an ISR task before expiring. 0 value indicates no\\n expiration." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Common parameters for ISR Tasks." + }, + "anduril.tasks.v2.GimbalPointPoint_type": { + "name": { + "typeId": "anduril.tasks.v2.GimbalPointPoint_type", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.GimbalPointPoint_type", + "camelCase": { + "unsafeName": "andurilTasksV2GimbalPointPointType", + "safeName": "andurilTasksV2GimbalPointPointType" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_gimbal_point_point_type", + "safeName": "anduril_tasks_v_2_gimbal_point_point_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT_POINT_TYPE", + "safeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT_POINT_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2GimbalPointPointType", + "safeName": "AndurilTasksV2GimbalPointPointType" + } + }, + "displayName": "GimbalPointPoint_type" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "look_at" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.AzimuthElevationPoint", + "camelCase": { + "unsafeName": "andurilTasksV2AzimuthElevationPoint", + "safeName": "andurilTasksV2AzimuthElevationPoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_azimuth_elevation_point", + "safeName": "anduril_tasks_v_2_azimuth_elevation_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_AZIMUTH_ELEVATION_POINT", + "safeName": "ANDURIL_TASKS_V_2_AZIMUTH_ELEVATION_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2AzimuthElevationPoint", + "safeName": "AndurilTasksV2AzimuthElevationPoint" + } + }, + "typeId": "anduril.tasks.v2.AzimuthElevationPoint", + "default": null, + "inline": false, + "displayName": "celestial_location" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.FramePoint", + "camelCase": { + "unsafeName": "andurilTasksV2FramePoint", + "safeName": "andurilTasksV2FramePoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_frame_point", + "safeName": "anduril_tasks_v_2_frame_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_FRAME_POINT", + "safeName": "ANDURIL_TASKS_V_2_FRAME_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2FramePoint", + "safeName": "AndurilTasksV2FramePoint" + } + }, + "typeId": "anduril.tasks.v2.FramePoint", + "default": null, + "inline": false, + "displayName": "frame_location" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.GimbalPoint": { + "name": { + "typeId": "anduril.tasks.v2.GimbalPoint", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.GimbalPoint", + "camelCase": { + "unsafeName": "andurilTasksV2GimbalPoint", + "safeName": "andurilTasksV2GimbalPoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_gimbal_point", + "safeName": "anduril_tasks_v_2_gimbal_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT", + "safeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2GimbalPoint", + "safeName": "AndurilTasksV2GimbalPoint" + } + }, + "displayName": "GimbalPoint" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "parameters", + "camelCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "snakeCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "screamingSnakeCase": { + "unsafeName": "PARAMETERS", + "safeName": "PARAMETERS" + }, + "pascalCase": { + "unsafeName": "Parameters", + "safeName": "Parameters" + } + }, + "wireValue": "parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ISRParameters", + "camelCase": { + "unsafeName": "andurilTasksV2IsrParameters", + "safeName": "andurilTasksV2IsrParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_isr_parameters", + "safeName": "anduril_tasks_v_2_isr_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2IsrParameters", + "safeName": "AndurilTasksV2IsrParameters" + } + }, + "typeId": "anduril.tasks.v2.ISRParameters", + "default": null, + "inline": false, + "displayName": "parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional common ISR parameters." + }, + { + "name": { + "name": { + "originalName": "point_type", + "camelCase": { + "unsafeName": "pointType", + "safeName": "pointType" + }, + "snakeCase": { + "unsafeName": "point_type", + "safeName": "point_type" + }, + "screamingSnakeCase": { + "unsafeName": "POINT_TYPE", + "safeName": "POINT_TYPE" + }, + "pascalCase": { + "unsafeName": "PointType", + "safeName": "PointType" + } + }, + "wireValue": "point_type" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.GimbalPointPoint_type", + "camelCase": { + "unsafeName": "andurilTasksV2GimbalPointPointType", + "safeName": "andurilTasksV2GimbalPointPointType" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_gimbal_point_point_type", + "safeName": "anduril_tasks_v_2_gimbal_point_point_type" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT_POINT_TYPE", + "safeName": "ANDURIL_TASKS_V_2_GIMBAL_POINT_POINT_TYPE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2GimbalPointPointType", + "safeName": "AndurilTasksV2GimbalPointPointType" + } + }, + "typeId": "anduril.tasks.v2.GimbalPointPoint_type", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Gimbal pointing command." + }, + "anduril.tasks.v2.AzimuthElevationPoint": { + "name": { + "typeId": "anduril.tasks.v2.AzimuthElevationPoint", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.AzimuthElevationPoint", + "camelCase": { + "unsafeName": "andurilTasksV2AzimuthElevationPoint", + "safeName": "andurilTasksV2AzimuthElevationPoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_azimuth_elevation_point", + "safeName": "anduril_tasks_v_2_azimuth_elevation_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_AZIMUTH_ELEVATION_POINT", + "safeName": "ANDURIL_TASKS_V_2_AZIMUTH_ELEVATION_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2AzimuthElevationPoint", + "safeName": "AndurilTasksV2AzimuthElevationPoint" + } + }, + "displayName": "AzimuthElevationPoint" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "azimuth", + "camelCase": { + "unsafeName": "azimuth", + "safeName": "azimuth" + }, + "snakeCase": { + "unsafeName": "azimuth", + "safeName": "azimuth" + }, + "screamingSnakeCase": { + "unsafeName": "AZIMUTH", + "safeName": "AZIMUTH" + }, + "pascalCase": { + "unsafeName": "Azimuth", + "safeName": "Azimuth" + } + }, + "wireValue": "azimuth" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "elevation", + "camelCase": { + "unsafeName": "elevation", + "safeName": "elevation" + }, + "snakeCase": { + "unsafeName": "elevation", + "safeName": "elevation" + }, + "screamingSnakeCase": { + "unsafeName": "ELEVATION", + "safeName": "ELEVATION" + }, + "pascalCase": { + "unsafeName": "Elevation", + "safeName": "Elevation" + } + }, + "wireValue": "elevation" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Celestial location with respect to a platform frame." + }, + "anduril.tasks.v2.FramePoint": { + "name": { + "typeId": "anduril.tasks.v2.FramePoint", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.FramePoint", + "camelCase": { + "unsafeName": "andurilTasksV2FramePoint", + "safeName": "andurilTasksV2FramePoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_frame_point", + "safeName": "anduril_tasks_v_2_frame_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_FRAME_POINT", + "safeName": "ANDURIL_TASKS_V_2_FRAME_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2FramePoint", + "safeName": "AndurilTasksV2FramePoint" + } + }, + "displayName": "FramePoint" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "x", + "camelCase": { + "unsafeName": "x", + "safeName": "x" + }, + "snakeCase": { + "unsafeName": "x", + "safeName": "x" + }, + "screamingSnakeCase": { + "unsafeName": "X", + "safeName": "X" + }, + "pascalCase": { + "unsafeName": "X", + "safeName": "X" + } + }, + "wireValue": "x" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Frame-normalized location in frame on the x-axis, range (0, 1).\\n For example, x = 0.3 implies a pixel location of 0.3 * image_width." + }, + { + "name": { + "name": { + "originalName": "y", + "camelCase": { + "unsafeName": "y", + "safeName": "y" + }, + "snakeCase": { + "unsafeName": "y", + "safeName": "y" + }, + "screamingSnakeCase": { + "unsafeName": "Y", + "safeName": "Y" + }, + "pascalCase": { + "unsafeName": "Y", + "safeName": "Y" + } + }, + "wireValue": "y" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "FLOAT", + "v2": { + "type": "float" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Frame-normalized location in frame on the y-axis, range (0, 1).\\n For example, y = 0.3 implies a pixel location of 0.3 * image_height." + }, + { + "name": { + "name": { + "originalName": "timestamp", + "camelCase": { + "unsafeName": "timestamp", + "safeName": "timestamp" + }, + "snakeCase": { + "unsafeName": "timestamp", + "safeName": "timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "TIMESTAMP", + "safeName": "TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "Timestamp", + "safeName": "Timestamp" + } + }, + "wireValue": "timestamp" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Timestamp", + "camelCase": { + "unsafeName": "googleProtobufTimestamp", + "safeName": "googleProtobufTimestamp" + }, + "snakeCase": { + "unsafeName": "google_protobuf_timestamp", + "safeName": "google_protobuf_timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_TIMESTAMP", + "safeName": "GOOGLE_PROTOBUF_TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufTimestamp", + "safeName": "GoogleProtobufTimestamp" + } + }, + "typeId": "google.protobuf.Timestamp", + "default": null, + "inline": false, + "displayName": "timestamp" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Timestamp of frame" + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Point clicked in the frame of the video feed." + }, + "anduril.tasks.v2.GimbalZoomMode": { + "name": { + "typeId": "anduril.tasks.v2.GimbalZoomMode", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.GimbalZoomMode", + "camelCase": { + "unsafeName": "andurilTasksV2GimbalZoomMode", + "safeName": "andurilTasksV2GimbalZoomMode" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_gimbal_zoom_mode", + "safeName": "anduril_tasks_v_2_gimbal_zoom_mode" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM_MODE", + "safeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM_MODE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2GimbalZoomMode", + "safeName": "AndurilTasksV2GimbalZoomMode" + } + }, + "displayName": "GimbalZoomMode" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.DoubleValue", + "camelCase": { + "unsafeName": "googleProtobufDoubleValue", + "safeName": "googleProtobufDoubleValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_double_value", + "safeName": "google_protobuf_double_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE", + "safeName": "GOOGLE_PROTOBUF_DOUBLE_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDoubleValue", + "safeName": "GoogleProtobufDoubleValue" + } + }, + "typeId": "google.protobuf.DoubleValue", + "default": null, + "inline": false, + "displayName": "set_horizontal_fov" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.FloatValue", + "camelCase": { + "unsafeName": "googleProtobufFloatValue", + "safeName": "googleProtobufFloatValue" + }, + "snakeCase": { + "unsafeName": "google_protobuf_float_value", + "safeName": "google_protobuf_float_value" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_FLOAT_VALUE", + "safeName": "GOOGLE_PROTOBUF_FLOAT_VALUE" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufFloatValue", + "safeName": "GoogleProtobufFloatValue" + } + }, + "typeId": "google.protobuf.FloatValue", + "default": null, + "inline": false, + "displayName": "set_magnification" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.GimbalZoom": { + "name": { + "typeId": "anduril.tasks.v2.GimbalZoom", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.GimbalZoom", + "camelCase": { + "unsafeName": "andurilTasksV2GimbalZoom", + "safeName": "andurilTasksV2GimbalZoom" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_gimbal_zoom", + "safeName": "anduril_tasks_v_2_gimbal_zoom" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM", + "safeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2GimbalZoom", + "safeName": "AndurilTasksV2GimbalZoom" + } + }, + "displayName": "GimbalZoom" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "mode", + "camelCase": { + "unsafeName": "mode", + "safeName": "mode" + }, + "snakeCase": { + "unsafeName": "mode", + "safeName": "mode" + }, + "screamingSnakeCase": { + "unsafeName": "MODE", + "safeName": "MODE" + }, + "pascalCase": { + "unsafeName": "Mode", + "safeName": "Mode" + } + }, + "wireValue": "mode" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.GimbalZoomMode", + "camelCase": { + "unsafeName": "andurilTasksV2GimbalZoomMode", + "safeName": "andurilTasksV2GimbalZoomMode" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_gimbal_zoom_mode", + "safeName": "anduril_tasks_v_2_gimbal_zoom_mode" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM_MODE", + "safeName": "ANDURIL_TASKS_V_2_GIMBAL_ZOOM_MODE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2GimbalZoomMode", + "safeName": "AndurilTasksV2GimbalZoomMode" + } + }, + "typeId": "anduril.tasks.v2.GimbalZoomMode", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Command for setting gimbal zoom levels." + }, + "anduril.tasks.v2.Monitor": { + "name": { + "typeId": "anduril.tasks.v2.Monitor", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Monitor", + "camelCase": { + "unsafeName": "andurilTasksV2Monitor", + "safeName": "andurilTasksV2Monitor" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_monitor", + "safeName": "anduril_tasks_v_2_monitor" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_MONITOR", + "safeName": "ANDURIL_TASKS_V_2_MONITOR" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Monitor", + "safeName": "AndurilTasksV2Monitor" + } + }, + "displayName": "Monitor" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates objective to monitor." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to BREVITY code ID with type MONITOR. To task assets to maintain sensor awareness\\n on a given objective." + }, + "anduril.tasks.v2.Scan": { + "name": { + "typeId": "anduril.tasks.v2.Scan", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Scan", + "camelCase": { + "unsafeName": "andurilTasksV2Scan", + "safeName": "andurilTasksV2Scan" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_scan", + "safeName": "anduril_tasks_v_2_scan" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_SCAN", + "safeName": "ANDURIL_TASKS_V_2_SCAN" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Scan", + "safeName": "AndurilTasksV2Scan" + } + }, + "displayName": "Scan" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Indicates where to scan." + }, + { + "name": { + "name": { + "originalName": "parameters", + "camelCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "snakeCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "screamingSnakeCase": { + "unsafeName": "PARAMETERS", + "safeName": "PARAMETERS" + }, + "pascalCase": { + "unsafeName": "Parameters", + "safeName": "Parameters" + } + }, + "wireValue": "parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ISRParameters", + "camelCase": { + "unsafeName": "andurilTasksV2IsrParameters", + "safeName": "andurilTasksV2IsrParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_isr_parameters", + "safeName": "anduril_tasks_v_2_isr_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2IsrParameters", + "safeName": "AndurilTasksV2IsrParameters" + } + }, + "typeId": "anduril.tasks.v2.ISRParameters", + "default": null, + "inline": false, + "displayName": "parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional common ISR parameters." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to BREVITY code ID with type SCAN. To task assets to find and report any tracks in a geographic area." + }, + "anduril.tasks.v2.BattleDamageAssessment": { + "name": { + "typeId": "anduril.tasks.v2.BattleDamageAssessment", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.BattleDamageAssessment", + "camelCase": { + "unsafeName": "andurilTasksV2BattleDamageAssessment", + "safeName": "andurilTasksV2BattleDamageAssessment" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_battle_damage_assessment", + "safeName": "anduril_tasks_v_2_battle_damage_assessment" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_BATTLE_DAMAGE_ASSESSMENT", + "safeName": "ANDURIL_TASKS_V_2_BATTLE_DAMAGE_ASSESSMENT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2BattleDamageAssessment", + "safeName": "AndurilTasksV2BattleDamageAssessment" + } + }, + "displayName": "BattleDamageAssessment" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Objective to perform BDA on." + }, + { + "name": { + "name": { + "originalName": "parameters", + "camelCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "snakeCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "screamingSnakeCase": { + "unsafeName": "PARAMETERS", + "safeName": "PARAMETERS" + }, + "pascalCase": { + "unsafeName": "Parameters", + "safeName": "Parameters" + } + }, + "wireValue": "parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ISRParameters", + "camelCase": { + "unsafeName": "andurilTasksV2IsrParameters", + "safeName": "andurilTasksV2IsrParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_isr_parameters", + "safeName": "anduril_tasks_v_2_isr_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_ISR_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2IsrParameters", + "safeName": "AndurilTasksV2IsrParameters" + } + }, + "typeId": "anduril.tasks.v2.ISRParameters", + "default": null, + "inline": false, + "displayName": "parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional common ISR parameters." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Performs a Battle Damage Assessment (BDA). Does not map to any Task in either UCI or BREVITY." + }, + "anduril.tasks.v2.LaunchTrackingMode": { + "name": { + "typeId": "anduril.tasks.v2.LaunchTrackingMode", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.LaunchTrackingMode", + "camelCase": { + "unsafeName": "andurilTasksV2LaunchTrackingMode", + "safeName": "andurilTasksV2LaunchTrackingMode" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_launch_tracking_mode", + "safeName": "anduril_tasks_v_2_launch_tracking_mode" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_LAUNCH_TRACKING_MODE", + "safeName": "ANDURIL_TASKS_V_2_LAUNCH_TRACKING_MODE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2LaunchTrackingMode", + "safeName": "AndurilTasksV2LaunchTrackingMode" + } + }, + "displayName": "LaunchTrackingMode" + }, + "shape": { + "_type": "enum", + "default": null, + "values": [ + { + "name": { + "name": { + "originalName": "LAUNCH_TRACKING_MODE_INVALID", + "camelCase": { + "unsafeName": "launchTrackingModeInvalid", + "safeName": "launchTrackingModeInvalid" + }, + "snakeCase": { + "unsafeName": "launch_tracking_mode_invalid", + "safeName": "launch_tracking_mode_invalid" + }, + "screamingSnakeCase": { + "unsafeName": "LAUNCH_TRACKING_MODE_INVALID", + "safeName": "LAUNCH_TRACKING_MODE_INVALID" + }, + "pascalCase": { + "unsafeName": "LaunchTrackingModeInvalid", + "safeName": "LaunchTrackingModeInvalid" + } + }, + "wireValue": "LAUNCH_TRACKING_MODE_INVALID" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "LAUNCH_TRACKING_MODE_GO_TO_WAYPOINT", + "camelCase": { + "unsafeName": "launchTrackingModeGoToWaypoint", + "safeName": "launchTrackingModeGoToWaypoint" + }, + "snakeCase": { + "unsafeName": "launch_tracking_mode_go_to_waypoint", + "safeName": "launch_tracking_mode_go_to_waypoint" + }, + "screamingSnakeCase": { + "unsafeName": "LAUNCH_TRACKING_MODE_GO_TO_WAYPOINT", + "safeName": "LAUNCH_TRACKING_MODE_GO_TO_WAYPOINT" + }, + "pascalCase": { + "unsafeName": "LaunchTrackingModeGoToWaypoint", + "safeName": "LaunchTrackingModeGoToWaypoint" + } + }, + "wireValue": "LAUNCH_TRACKING_MODE_GO_TO_WAYPOINT" + }, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "LAUNCH_TRACKING_MODE_TRACK_TO_WAYPOINT", + "camelCase": { + "unsafeName": "launchTrackingModeTrackToWaypoint", + "safeName": "launchTrackingModeTrackToWaypoint" + }, + "snakeCase": { + "unsafeName": "launch_tracking_mode_track_to_waypoint", + "safeName": "launch_tracking_mode_track_to_waypoint" + }, + "screamingSnakeCase": { + "unsafeName": "LAUNCH_TRACKING_MODE_TRACK_TO_WAYPOINT", + "safeName": "LAUNCH_TRACKING_MODE_TRACK_TO_WAYPOINT" + }, + "pascalCase": { + "unsafeName": "LaunchTrackingModeTrackToWaypoint", + "safeName": "LaunchTrackingModeTrackToWaypoint" + } + }, + "wireValue": "LAUNCH_TRACKING_MODE_TRACK_TO_WAYPOINT" + }, + "availability": null, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.Marshal": { + "name": { + "typeId": "anduril.tasks.v2.Marshal", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Marshal", + "camelCase": { + "unsafeName": "andurilTasksV2Marshal", + "safeName": "andurilTasksV2Marshal" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_marshal", + "safeName": "anduril_tasks_v_2_marshal" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_MARSHAL", + "safeName": "ANDURIL_TASKS_V_2_MARSHAL" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Marshal", + "safeName": "AndurilTasksV2Marshal" + } + }, + "displayName": "Marshal" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Objective to Marshal to." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to BREVITY code Marshal.\\n Establish(ed) at a specific point, typically used to posture forces in preparation for an offensive operation." + }, + "anduril.tasks.v2.Transit": { + "name": { + "typeId": "anduril.tasks.v2.Transit", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Transit", + "camelCase": { + "unsafeName": "andurilTasksV2Transit", + "safeName": "andurilTasksV2Transit" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_transit", + "safeName": "anduril_tasks_v_2_transit" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_TRANSIT", + "safeName": "ANDURIL_TASKS_V_2_TRANSIT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Transit", + "safeName": "AndurilTasksV2Transit" + } + }, + "displayName": "Transit" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "plan", + "camelCase": { + "unsafeName": "plan", + "safeName": "plan" + }, + "snakeCase": { + "unsafeName": "plan", + "safeName": "plan" + }, + "screamingSnakeCase": { + "unsafeName": "PLAN", + "safeName": "PLAN" + }, + "pascalCase": { + "unsafeName": "Plan", + "safeName": "Plan" + } + }, + "wireValue": "plan" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.RoutePlan", + "camelCase": { + "unsafeName": "andurilTasksV2RoutePlan", + "safeName": "andurilTasksV2RoutePlan" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_route_plan", + "safeName": "anduril_tasks_v_2_route_plan" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN", + "safeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2RoutePlan", + "safeName": "AndurilTasksV2RoutePlan" + } + }, + "typeId": "anduril.tasks.v2.RoutePlan", + "default": null, + "inline": false, + "displayName": "plan" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to UCI code RoutePlan.\\n Used to command a platform between locations by requesting to make this RoutePlan the single primary active route." + }, + "anduril.tasks.v2.RoutePlan": { + "name": { + "typeId": "anduril.tasks.v2.RoutePlan", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.RoutePlan", + "camelCase": { + "unsafeName": "andurilTasksV2RoutePlan", + "safeName": "andurilTasksV2RoutePlan" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_route_plan", + "safeName": "anduril_tasks_v_2_route_plan" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN", + "safeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2RoutePlan", + "safeName": "AndurilTasksV2RoutePlan" + } + }, + "displayName": "RoutePlan" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "route", + "camelCase": { + "unsafeName": "route", + "safeName": "route" + }, + "snakeCase": { + "unsafeName": "route", + "safeName": "route" + }, + "screamingSnakeCase": { + "unsafeName": "ROUTE", + "safeName": "ROUTE" + }, + "pascalCase": { + "unsafeName": "Route", + "safeName": "Route" + } + }, + "wireValue": "route" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Route", + "camelCase": { + "unsafeName": "andurilTasksV2Route", + "safeName": "andurilTasksV2Route" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_route", + "safeName": "anduril_tasks_v_2_route" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ROUTE", + "safeName": "ANDURIL_TASKS_V_2_ROUTE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Route", + "safeName": "AndurilTasksV2Route" + } + }, + "typeId": "anduril.tasks.v2.Route", + "default": null, + "inline": false, + "displayName": "route" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.Route": { + "name": { + "typeId": "anduril.tasks.v2.Route", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Route", + "camelCase": { + "unsafeName": "andurilTasksV2Route", + "safeName": "andurilTasksV2Route" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_route", + "safeName": "anduril_tasks_v_2_route" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ROUTE", + "safeName": "ANDURIL_TASKS_V_2_ROUTE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Route", + "safeName": "AndurilTasksV2Route" + } + }, + "displayName": "Route" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "path", + "camelCase": { + "unsafeName": "path", + "safeName": "path" + }, + "snakeCase": { + "unsafeName": "path", + "safeName": "path" + }, + "screamingSnakeCase": { + "unsafeName": "PATH", + "safeName": "PATH" + }, + "pascalCase": { + "unsafeName": "Path", + "safeName": "Path" + } + }, + "wireValue": "path" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.PathSegment", + "camelCase": { + "unsafeName": "andurilTasksV2PathSegment", + "safeName": "andurilTasksV2PathSegment" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_path_segment", + "safeName": "anduril_tasks_v_2_path_segment" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT", + "safeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2PathSegment", + "safeName": "AndurilTasksV2PathSegment" + } + }, + "typeId": "anduril.tasks.v2.PathSegment", + "default": null, + "inline": false, + "displayName": "path" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.PathSegmentEnd_point": { + "name": { + "typeId": "anduril.tasks.v2.PathSegmentEnd_point", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.PathSegmentEnd_point", + "camelCase": { + "unsafeName": "andurilTasksV2PathSegmentEndPoint", + "safeName": "andurilTasksV2PathSegmentEndPoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_path_segment_end_point", + "safeName": "anduril_tasks_v_2_path_segment_end_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT_END_POINT", + "safeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT_END_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2PathSegmentEndPoint", + "safeName": "AndurilTasksV2PathSegmentEndPoint" + } + }, + "displayName": "PathSegmentEnd_point" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Waypoint", + "camelCase": { + "unsafeName": "andurilTasksV2Waypoint", + "safeName": "andurilTasksV2Waypoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_waypoint", + "safeName": "anduril_tasks_v_2_waypoint" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_WAYPOINT", + "safeName": "ANDURIL_TASKS_V_2_WAYPOINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Waypoint", + "safeName": "AndurilTasksV2Waypoint" + } + }, + "typeId": "anduril.tasks.v2.Waypoint", + "default": null, + "inline": false, + "displayName": "waypoint" + }, + "docs": null + }, + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Loiter", + "camelCase": { + "unsafeName": "andurilTasksV2Loiter", + "safeName": "andurilTasksV2Loiter" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_loiter", + "safeName": "anduril_tasks_v_2_loiter" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_LOITER", + "safeName": "ANDURIL_TASKS_V_2_LOITER" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Loiter", + "safeName": "AndurilTasksV2Loiter" + } + }, + "typeId": "anduril.tasks.v2.Loiter", + "default": null, + "inline": false, + "displayName": "loiter" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.PathSegment": { + "name": { + "typeId": "anduril.tasks.v2.PathSegment", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.PathSegment", + "camelCase": { + "unsafeName": "andurilTasksV2PathSegment", + "safeName": "andurilTasksV2PathSegment" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_path_segment", + "safeName": "anduril_tasks_v_2_path_segment" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT", + "safeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2PathSegment", + "safeName": "AndurilTasksV2PathSegment" + } + }, + "displayName": "PathSegment" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "end_point", + "camelCase": { + "unsafeName": "endPoint", + "safeName": "endPoint" + }, + "snakeCase": { + "unsafeName": "end_point", + "safeName": "end_point" + }, + "screamingSnakeCase": { + "unsafeName": "END_POINT", + "safeName": "END_POINT" + }, + "pascalCase": { + "unsafeName": "EndPoint", + "safeName": "EndPoint" + } + }, + "wireValue": "end_point" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.PathSegmentEnd_point", + "camelCase": { + "unsafeName": "andurilTasksV2PathSegmentEndPoint", + "safeName": "andurilTasksV2PathSegmentEndPoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_path_segment_end_point", + "safeName": "anduril_tasks_v_2_path_segment_end_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT_END_POINT", + "safeName": "ANDURIL_TASKS_V_2_PATH_SEGMENT_END_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2PathSegmentEndPoint", + "safeName": "AndurilTasksV2PathSegmentEndPoint" + } + }, + "typeId": "anduril.tasks.v2.PathSegmentEnd_point", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.WaypointPoint": { + "name": { + "typeId": "anduril.tasks.v2.WaypointPoint", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.WaypointPoint", + "camelCase": { + "unsafeName": "andurilTasksV2WaypointPoint", + "safeName": "andurilTasksV2WaypointPoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_waypoint_point", + "safeName": "anduril_tasks_v_2_waypoint_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_WAYPOINT_POINT", + "safeName": "ANDURIL_TASKS_V_2_WAYPOINT_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2WaypointPoint", + "safeName": "AndurilTasksV2WaypointPoint" + } + }, + "displayName": "WaypointPoint" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Point", + "camelCase": { + "unsafeName": "andurilTasksV2Point", + "safeName": "andurilTasksV2Point" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_point", + "safeName": "anduril_tasks_v_2_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_POINT", + "safeName": "ANDURIL_TASKS_V_2_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Point", + "safeName": "AndurilTasksV2Point" + } + }, + "typeId": "anduril.tasks.v2.Point", + "default": null, + "inline": false, + "displayName": "lla_point" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.Waypoint": { + "name": { + "typeId": "anduril.tasks.v2.Waypoint", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Waypoint", + "camelCase": { + "unsafeName": "andurilTasksV2Waypoint", + "safeName": "andurilTasksV2Waypoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_waypoint", + "safeName": "anduril_tasks_v_2_waypoint" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_WAYPOINT", + "safeName": "ANDURIL_TASKS_V_2_WAYPOINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Waypoint", + "safeName": "AndurilTasksV2Waypoint" + } + }, + "displayName": "Waypoint" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "point", + "camelCase": { + "unsafeName": "point", + "safeName": "point" + }, + "snakeCase": { + "unsafeName": "point", + "safeName": "point" + }, + "screamingSnakeCase": { + "unsafeName": "POINT", + "safeName": "POINT" + }, + "pascalCase": { + "unsafeName": "Point", + "safeName": "Point" + } + }, + "wireValue": "point" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.WaypointPoint", + "camelCase": { + "unsafeName": "andurilTasksV2WaypointPoint", + "safeName": "andurilTasksV2WaypointPoint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_waypoint_point", + "safeName": "anduril_tasks_v_2_waypoint_point" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_WAYPOINT_POINT", + "safeName": "ANDURIL_TASKS_V_2_WAYPOINT_POINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2WaypointPoint", + "safeName": "AndurilTasksV2WaypointPoint" + } + }, + "typeId": "anduril.tasks.v2.WaypointPoint", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.SetLaunchRoute": { + "name": { + "typeId": "anduril.tasks.v2.SetLaunchRoute", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.SetLaunchRoute", + "camelCase": { + "unsafeName": "andurilTasksV2SetLaunchRoute", + "safeName": "andurilTasksV2SetLaunchRoute" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_set_launch_route", + "safeName": "anduril_tasks_v_2_set_launch_route" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_SET_LAUNCH_ROUTE", + "safeName": "ANDURIL_TASKS_V_2_SET_LAUNCH_ROUTE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2SetLaunchRoute", + "safeName": "AndurilTasksV2SetLaunchRoute" + } + }, + "displayName": "SetLaunchRoute" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "plan", + "camelCase": { + "unsafeName": "plan", + "safeName": "plan" + }, + "snakeCase": { + "unsafeName": "plan", + "safeName": "plan" + }, + "screamingSnakeCase": { + "unsafeName": "PLAN", + "safeName": "PLAN" + }, + "pascalCase": { + "unsafeName": "Plan", + "safeName": "Plan" + } + }, + "wireValue": "plan" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.RoutePlan", + "camelCase": { + "unsafeName": "andurilTasksV2RoutePlan", + "safeName": "andurilTasksV2RoutePlan" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_route_plan", + "safeName": "anduril_tasks_v_2_route_plan" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN", + "safeName": "ANDURIL_TASKS_V_2_ROUTE_PLAN" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2RoutePlan", + "safeName": "AndurilTasksV2RoutePlan" + } + }, + "typeId": "anduril.tasks.v2.RoutePlan", + "default": null, + "inline": false, + "displayName": "plan" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "tracking_mode", + "camelCase": { + "unsafeName": "trackingMode", + "safeName": "trackingMode" + }, + "snakeCase": { + "unsafeName": "tracking_mode", + "safeName": "tracking_mode" + }, + "screamingSnakeCase": { + "unsafeName": "TRACKING_MODE", + "safeName": "TRACKING_MODE" + }, + "pascalCase": { + "unsafeName": "TrackingMode", + "safeName": "TrackingMode" + } + }, + "wireValue": "tracking_mode" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.LaunchTrackingMode", + "camelCase": { + "unsafeName": "andurilTasksV2LaunchTrackingMode", + "safeName": "andurilTasksV2LaunchTrackingMode" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_launch_tracking_mode", + "safeName": "anduril_tasks_v_2_launch_tracking_mode" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_LAUNCH_TRACKING_MODE", + "safeName": "ANDURIL_TASKS_V_2_LAUNCH_TRACKING_MODE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2LaunchTrackingMode", + "safeName": "AndurilTasksV2LaunchTrackingMode" + } + }, + "typeId": "anduril.tasks.v2.LaunchTrackingMode", + "default": null, + "inline": false, + "displayName": "tracking_mode" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "google.protobuf.Empty": { + "name": { + "typeId": "google.protobuf.Empty", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Empty", + "camelCase": { + "unsafeName": "googleProtobufEmpty", + "safeName": "googleProtobufEmpty" + }, + "snakeCase": { + "unsafeName": "google_protobuf_empty", + "safeName": "google_protobuf_empty" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EMPTY", + "safeName": "GOOGLE_PROTOBUF_EMPTY" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEmpty", + "safeName": "GoogleProtobufEmpty" + } + }, + "displayName": "Empty" + }, + "shape": { + "_type": "object", + "properties": [], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.Smack": { + "name": { + "typeId": "anduril.tasks.v2.Smack", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Smack", + "camelCase": { + "unsafeName": "andurilTasksV2Smack", + "safeName": "andurilTasksV2Smack" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_smack", + "safeName": "anduril_tasks_v_2_smack" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_SMACK", + "safeName": "ANDURIL_TASKS_V_2_SMACK" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Smack", + "safeName": "AndurilTasksV2Smack" + } + }, + "displayName": "Smack" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Objective to SMACK." + }, + { + "name": { + "name": { + "originalName": "parameters", + "camelCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "snakeCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "screamingSnakeCase": { + "unsafeName": "PARAMETERS", + "safeName": "PARAMETERS" + }, + "pascalCase": { + "unsafeName": "Parameters", + "safeName": "Parameters" + } + }, + "wireValue": "parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.StrikeParameters", + "camelCase": { + "unsafeName": "andurilTasksV2StrikeParameters", + "safeName": "andurilTasksV2StrikeParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_strike_parameters", + "safeName": "anduril_tasks_v_2_strike_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2StrikeParameters", + "safeName": "AndurilTasksV2StrikeParameters" + } + }, + "typeId": "anduril.tasks.v2.StrikeParameters", + "default": null, + "inline": false, + "displayName": "parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional parameters associated with Strike Tasks." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to BREVITY code SMACK." + }, + "anduril.tasks.v2.Strike": { + "name": { + "typeId": "anduril.tasks.v2.Strike", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Strike", + "camelCase": { + "unsafeName": "andurilTasksV2Strike", + "safeName": "andurilTasksV2Strike" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_strike", + "safeName": "anduril_tasks_v_2_strike" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_STRIKE", + "safeName": "ANDURIL_TASKS_V_2_STRIKE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Strike", + "safeName": "AndurilTasksV2Strike" + } + }, + "displayName": "Strike" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Objective to Strike." + }, + { + "name": { + "name": { + "originalName": "ingress_angle", + "camelCase": { + "unsafeName": "ingressAngle", + "safeName": "ingressAngle" + }, + "snakeCase": { + "unsafeName": "ingress_angle", + "safeName": "ingress_angle" + }, + "screamingSnakeCase": { + "unsafeName": "INGRESS_ANGLE", + "safeName": "INGRESS_ANGLE" + }, + "pascalCase": { + "unsafeName": "IngressAngle", + "safeName": "IngressAngle" + } + }, + "wireValue": "ingress_angle" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.AnglePair", + "camelCase": { + "unsafeName": "andurilTasksV2AnglePair", + "safeName": "andurilTasksV2AnglePair" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_angle_pair", + "safeName": "anduril_tasks_v_2_angle_pair" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_ANGLE_PAIR", + "safeName": "ANDURIL_TASKS_V_2_ANGLE_PAIR" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2AnglePair", + "safeName": "AndurilTasksV2AnglePair" + } + }, + "typeId": "anduril.tasks.v2.AnglePair", + "default": null, + "inline": false, + "displayName": "ingress_angle" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Angle range within which to ingress." + }, + { + "name": { + "name": { + "originalName": "strike_release_constraint", + "camelCase": { + "unsafeName": "strikeReleaseConstraint", + "safeName": "strikeReleaseConstraint" + }, + "snakeCase": { + "unsafeName": "strike_release_constraint", + "safeName": "strike_release_constraint" + }, + "screamingSnakeCase": { + "unsafeName": "STRIKE_RELEASE_CONSTRAINT", + "safeName": "STRIKE_RELEASE_CONSTRAINT" + }, + "pascalCase": { + "unsafeName": "StrikeReleaseConstraint", + "safeName": "StrikeReleaseConstraint" + } + }, + "wireValue": "strike_release_constraint" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.StrikeReleaseConstraint", + "camelCase": { + "unsafeName": "andurilTasksV2StrikeReleaseConstraint", + "safeName": "andurilTasksV2StrikeReleaseConstraint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_strike_release_constraint", + "safeName": "anduril_tasks_v_2_strike_release_constraint" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT", + "safeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2StrikeReleaseConstraint", + "safeName": "AndurilTasksV2StrikeReleaseConstraint" + } + }, + "typeId": "anduril.tasks.v2.StrikeReleaseConstraint", + "default": null, + "inline": false, + "displayName": "strike_release_constraint" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Distance at which to yield flight control to the onboard flight computer rather than\\n higher level autonomy." + }, + { + "name": { + "name": { + "originalName": "parameters", + "camelCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "snakeCase": { + "unsafeName": "parameters", + "safeName": "parameters" + }, + "screamingSnakeCase": { + "unsafeName": "PARAMETERS", + "safeName": "PARAMETERS" + }, + "pascalCase": { + "unsafeName": "Parameters", + "safeName": "Parameters" + } + }, + "wireValue": "parameters" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.StrikeParameters", + "camelCase": { + "unsafeName": "andurilTasksV2StrikeParameters", + "safeName": "andurilTasksV2StrikeParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_strike_parameters", + "safeName": "anduril_tasks_v_2_strike_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2StrikeParameters", + "safeName": "AndurilTasksV2StrikeParameters" + } + }, + "typeId": "anduril.tasks.v2.StrikeParameters", + "default": null, + "inline": false, + "displayName": "parameters" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional parameters associated with the Strike task." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to UCI StrikeTask." + }, + "anduril.tasks.v2.StrikeReleaseConstraintStrike_release_constraint": { + "name": { + "typeId": "anduril.tasks.v2.StrikeReleaseConstraintStrike_release_constraint", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.StrikeReleaseConstraintStrike_release_constraint", + "camelCase": { + "unsafeName": "andurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint", + "safeName": "andurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_strike_release_constraint_strike_release_constraint", + "safeName": "anduril_tasks_v_2_strike_release_constraint_strike_release_constraint" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT_STRIKE_RELEASE_CONSTRAINT", + "safeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT_STRIKE_RELEASE_CONSTRAINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint", + "safeName": "AndurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint" + } + }, + "displayName": "StrikeReleaseConstraintStrike_release_constraint" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.AreaConstraints", + "camelCase": { + "unsafeName": "andurilTasksV2AreaConstraints", + "safeName": "andurilTasksV2AreaConstraints" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_area_constraints", + "safeName": "anduril_tasks_v_2_area_constraints" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_AREA_CONSTRAINTS", + "safeName": "ANDURIL_TASKS_V_2_AREA_CONSTRAINTS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2AreaConstraints", + "safeName": "AndurilTasksV2AreaConstraints" + } + }, + "typeId": "anduril.tasks.v2.AreaConstraints", + "default": null, + "inline": false, + "displayName": "release_area" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.StrikeReleaseConstraint": { + "name": { + "typeId": "anduril.tasks.v2.StrikeReleaseConstraint", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.StrikeReleaseConstraint", + "camelCase": { + "unsafeName": "andurilTasksV2StrikeReleaseConstraint", + "safeName": "andurilTasksV2StrikeReleaseConstraint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_strike_release_constraint", + "safeName": "anduril_tasks_v_2_strike_release_constraint" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT", + "safeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2StrikeReleaseConstraint", + "safeName": "AndurilTasksV2StrikeReleaseConstraint" + } + }, + "displayName": "StrikeReleaseConstraint" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "strike_release_constraint", + "camelCase": { + "unsafeName": "strikeReleaseConstraint", + "safeName": "strikeReleaseConstraint" + }, + "snakeCase": { + "unsafeName": "strike_release_constraint", + "safeName": "strike_release_constraint" + }, + "screamingSnakeCase": { + "unsafeName": "STRIKE_RELEASE_CONSTRAINT", + "safeName": "STRIKE_RELEASE_CONSTRAINT" + }, + "pascalCase": { + "unsafeName": "StrikeReleaseConstraint", + "safeName": "StrikeReleaseConstraint" + } + }, + "wireValue": "strike_release_constraint" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.StrikeReleaseConstraintStrike_release_constraint", + "camelCase": { + "unsafeName": "andurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint", + "safeName": "andurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_strike_release_constraint_strike_release_constraint", + "safeName": "anduril_tasks_v_2_strike_release_constraint_strike_release_constraint" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT_STRIKE_RELEASE_CONSTRAINT", + "safeName": "ANDURIL_TASKS_V_2_STRIKE_RELEASE_CONSTRAINT_STRIKE_RELEASE_CONSTRAINT" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint", + "safeName": "AndurilTasksV2StrikeReleaseConstraintStrikeReleaseConstraint" + } + }, + "typeId": "anduril.tasks.v2.StrikeReleaseConstraintStrike_release_constraint", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Maps to UCI StrikeTaskReleaseConstraintsType." + }, + "anduril.tasks.v2.StrikeParameters": { + "name": { + "typeId": "anduril.tasks.v2.StrikeParameters", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.StrikeParameters", + "camelCase": { + "unsafeName": "andurilTasksV2StrikeParameters", + "safeName": "andurilTasksV2StrikeParameters" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_strike_parameters", + "safeName": "anduril_tasks_v_2_strike_parameters" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS", + "safeName": "ANDURIL_TASKS_V_2_STRIKE_PARAMETERS" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2StrikeParameters", + "safeName": "AndurilTasksV2StrikeParameters" + } + }, + "displayName": "StrikeParameters" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "payloads_to_employ", + "camelCase": { + "unsafeName": "payloadsToEmploy", + "safeName": "payloadsToEmploy" + }, + "snakeCase": { + "unsafeName": "payloads_to_employ", + "safeName": "payloads_to_employ" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOADS_TO_EMPLOY", + "safeName": "PAYLOADS_TO_EMPLOY" + }, + "pascalCase": { + "unsafeName": "PayloadsToEmploy", + "safeName": "PayloadsToEmploy" + } + }, + "wireValue": "payloads_to_employ" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.PayloadConfiguration", + "camelCase": { + "unsafeName": "andurilTasksV2PayloadConfiguration", + "safeName": "andurilTasksV2PayloadConfiguration" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_payload_configuration", + "safeName": "anduril_tasks_v_2_payload_configuration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION", + "safeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2PayloadConfiguration", + "safeName": "AndurilTasksV2PayloadConfiguration" + } + }, + "typeId": "anduril.tasks.v2.PayloadConfiguration", + "default": null, + "inline": false, + "displayName": "payloads_to_employ" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + }, + { + "name": { + "name": { + "originalName": "desired_impact_time", + "camelCase": { + "unsafeName": "desiredImpactTime", + "safeName": "desiredImpactTime" + }, + "snakeCase": { + "unsafeName": "desired_impact_time", + "safeName": "desired_impact_time" + }, + "screamingSnakeCase": { + "unsafeName": "DESIRED_IMPACT_TIME", + "safeName": "DESIRED_IMPACT_TIME" + }, + "pascalCase": { + "unsafeName": "DesiredImpactTime", + "safeName": "DesiredImpactTime" + } + }, + "wireValue": "desired_impact_time" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Duration", + "camelCase": { + "unsafeName": "googleProtobufDuration", + "safeName": "googleProtobufDuration" + }, + "snakeCase": { + "unsafeName": "google_protobuf_duration", + "safeName": "google_protobuf_duration" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_DURATION", + "safeName": "GOOGLE_PROTOBUF_DURATION" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufDuration", + "safeName": "GoogleProtobufDuration" + } + }, + "typeId": "google.protobuf.Duration", + "default": null, + "inline": false, + "displayName": "desired_impact_time" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "GPS time at which the strike should be performed." + }, + { + "name": { + "name": { + "originalName": "run_in_bearing", + "camelCase": { + "unsafeName": "runInBearing", + "safeName": "runInBearing" + }, + "snakeCase": { + "unsafeName": "run_in_bearing", + "safeName": "run_in_bearing" + }, + "screamingSnakeCase": { + "unsafeName": "RUN_IN_BEARING", + "safeName": "RUN_IN_BEARING" + }, + "pascalCase": { + "unsafeName": "RunInBearing", + "safeName": "RunInBearing" + } + }, + "wireValue": "run_in_bearing" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Bearing at which to perform the run in for a strike." + }, + { + "name": { + "name": { + "originalName": "glide_slope_angle", + "camelCase": { + "unsafeName": "glideSlopeAngle", + "safeName": "glideSlopeAngle" + }, + "snakeCase": { + "unsafeName": "glide_slope_angle", + "safeName": "glide_slope_angle" + }, + "screamingSnakeCase": { + "unsafeName": "GLIDE_SLOPE_ANGLE", + "safeName": "GLIDE_SLOPE_ANGLE" + }, + "pascalCase": { + "unsafeName": "GlideSlopeAngle", + "safeName": "GlideSlopeAngle" + } + }, + "wireValue": "glide_slope_angle" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "DOUBLE", + "v2": { + "type": "double", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Angle which to glide into the run in for a strike." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.PayloadConfiguration": { + "name": { + "typeId": "anduril.tasks.v2.PayloadConfiguration", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.PayloadConfiguration", + "camelCase": { + "unsafeName": "andurilTasksV2PayloadConfiguration", + "safeName": "andurilTasksV2PayloadConfiguration" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_payload_configuration", + "safeName": "anduril_tasks_v_2_payload_configuration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION", + "safeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2PayloadConfiguration", + "safeName": "AndurilTasksV2PayloadConfiguration" + } + }, + "displayName": "PayloadConfiguration" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "capability_id", + "camelCase": { + "unsafeName": "capabilityId", + "safeName": "capabilityId" + }, + "snakeCase": { + "unsafeName": "capability_id", + "safeName": "capability_id" + }, + "screamingSnakeCase": { + "unsafeName": "CAPABILITY_ID", + "safeName": "CAPABILITY_ID" + }, + "pascalCase": { + "unsafeName": "CapabilityId", + "safeName": "CapabilityId" + } + }, + "wireValue": "capability_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Unique ID or descriptor for the capability." + }, + { + "name": { + "name": { + "originalName": "quantity", + "camelCase": { + "unsafeName": "quantity", + "safeName": "quantity" + }, + "snakeCase": { + "unsafeName": "quantity", + "safeName": "quantity" + }, + "screamingSnakeCase": { + "unsafeName": "QUANTITY", + "safeName": "QUANTITY" + }, + "pascalCase": { + "unsafeName": "Quantity", + "safeName": "Quantity" + } + }, + "wireValue": "quantity" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Individual payload configuration." + }, + "anduril.tasks.v2.ReleasePayloadRelease_method": { + "name": { + "typeId": "anduril.tasks.v2.ReleasePayloadRelease_method", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ReleasePayloadRelease_method", + "camelCase": { + "unsafeName": "andurilTasksV2ReleasePayloadReleaseMethod", + "safeName": "andurilTasksV2ReleasePayloadReleaseMethod" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_release_payload_release_method", + "safeName": "anduril_tasks_v_2_release_payload_release_method" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD_RELEASE_METHOD", + "safeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD_RELEASE_METHOD" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ReleasePayloadReleaseMethod", + "safeName": "AndurilTasksV2ReleasePayloadReleaseMethod" + } + }, + "displayName": "ReleasePayloadRelease_method" + }, + "shape": { + "_type": "undiscriminatedUnion", + "members": [ + { + "type": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "google.protobuf.Empty", + "camelCase": { + "unsafeName": "googleProtobufEmpty", + "safeName": "googleProtobufEmpty" + }, + "snakeCase": { + "unsafeName": "google_protobuf_empty", + "safeName": "google_protobuf_empty" + }, + "screamingSnakeCase": { + "unsafeName": "GOOGLE_PROTOBUF_EMPTY", + "safeName": "GOOGLE_PROTOBUF_EMPTY" + }, + "pascalCase": { + "unsafeName": "GoogleProtobufEmpty", + "safeName": "GoogleProtobufEmpty" + } + }, + "typeId": "google.protobuf.Empty", + "default": null, + "inline": false, + "displayName": "precision_release" + }, + "docs": null + } + ] + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.tasks.v2.ReleasePayload": { + "name": { + "typeId": "anduril.tasks.v2.ReleasePayload", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ReleasePayload", + "camelCase": { + "unsafeName": "andurilTasksV2ReleasePayload", + "safeName": "andurilTasksV2ReleasePayload" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_release_payload", + "safeName": "anduril_tasks_v_2_release_payload" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD", + "safeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ReleasePayload", + "safeName": "AndurilTasksV2ReleasePayload" + } + }, + "displayName": "ReleasePayload" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "payloads", + "camelCase": { + "unsafeName": "payloads", + "safeName": "payloads" + }, + "snakeCase": { + "unsafeName": "payloads", + "safeName": "payloads" + }, + "screamingSnakeCase": { + "unsafeName": "PAYLOADS", + "safeName": "PAYLOADS" + }, + "pascalCase": { + "unsafeName": "Payloads", + "safeName": "Payloads" + } + }, + "wireValue": "payloads" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "container", + "container": { + "_type": "list", + "list": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.PayloadConfiguration", + "camelCase": { + "unsafeName": "andurilTasksV2PayloadConfiguration", + "safeName": "andurilTasksV2PayloadConfiguration" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_payload_configuration", + "safeName": "anduril_tasks_v_2_payload_configuration" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION", + "safeName": "ANDURIL_TASKS_V_2_PAYLOAD_CONFIGURATION" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2PayloadConfiguration", + "safeName": "AndurilTasksV2PayloadConfiguration" + } + }, + "typeId": "anduril.tasks.v2.PayloadConfiguration", + "default": null, + "inline": false, + "displayName": "payloads" + } + } + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The payload(s) that will be released" + }, + { + "name": { + "name": { + "originalName": "objective", + "camelCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "snakeCase": { + "unsafeName": "objective", + "safeName": "objective" + }, + "screamingSnakeCase": { + "unsafeName": "OBJECTIVE", + "safeName": "OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "Objective", + "safeName": "Objective" + } + }, + "wireValue": "objective" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.Objective", + "camelCase": { + "unsafeName": "andurilTasksV2Objective", + "safeName": "andurilTasksV2Objective" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_objective", + "safeName": "anduril_tasks_v_2_objective" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_OBJECTIVE", + "safeName": "ANDURIL_TASKS_V_2_OBJECTIVE" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2Objective", + "safeName": "AndurilTasksV2Objective" + } + }, + "typeId": "anduril.tasks.v2.Objective", + "default": null, + "inline": false, + "displayName": "objective" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Optional objective, of where the payload should be dropped. If omitted the payload will drop the current location" + }, + { + "name": { + "name": { + "originalName": "release_method", + "camelCase": { + "unsafeName": "releaseMethod", + "safeName": "releaseMethod" + }, + "snakeCase": { + "unsafeName": "release_method", + "safeName": "release_method" + }, + "screamingSnakeCase": { + "unsafeName": "RELEASE_METHOD", + "safeName": "RELEASE_METHOD" + }, + "pascalCase": { + "unsafeName": "ReleaseMethod", + "safeName": "ReleaseMethod" + } + }, + "wireValue": "release_method" + }, + "valueType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.tasks.v2.ReleasePayloadRelease_method", + "camelCase": { + "unsafeName": "andurilTasksV2ReleasePayloadReleaseMethod", + "safeName": "andurilTasksV2ReleasePayloadReleaseMethod" + }, + "snakeCase": { + "unsafeName": "anduril_tasks_v_2_release_payload_release_method", + "safeName": "anduril_tasks_v_2_release_payload_release_method" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD_RELEASE_METHOD", + "safeName": "ANDURIL_TASKS_V_2_RELEASE_PAYLOAD_RELEASE_METHOD" + }, + "pascalCase": { + "unsafeName": "AndurilTasksV2ReleasePayloadReleaseMethod", + "safeName": "AndurilTasksV2ReleasePayloadReleaseMethod" + } + }, + "typeId": "anduril.tasks.v2.ReleasePayloadRelease_method", + "default": null, + "inline": false, + "displayName": null + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": null + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "Releases a payload from the vehicle" + }, + "anduril.type.Attribution": { + "name": { + "typeId": "anduril.type.Attribution", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Attribution", + "camelCase": { + "unsafeName": "andurilTypeAttribution", + "safeName": "andurilTypeAttribution" + }, + "snakeCase": { + "unsafeName": "anduril_type_attribution", + "safeName": "anduril_type_attribution" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_ATTRIBUTION", + "safeName": "ANDURIL_TYPE_ATTRIBUTION" + }, + "pascalCase": { + "unsafeName": "AndurilTypeAttribution", + "safeName": "AndurilTypeAttribution" + } + }, + "displayName": "Attribution" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "timestamp", + "camelCase": { + "unsafeName": "timestamp", + "safeName": "timestamp" + }, + "snakeCase": { + "unsafeName": "timestamp", + "safeName": "timestamp" + }, + "screamingSnakeCase": { + "unsafeName": "TIMESTAMP", + "safeName": "TIMESTAMP" + }, + "pascalCase": { + "unsafeName": "Timestamp", + "safeName": "Timestamp" + } + }, + "wireValue": "timestamp" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "LONG", + "v2": { + "type": "long", + "default": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The timestamp at which the event occurred, in UTC epoch microseconds." + }, + { + "name": { + "name": { + "originalName": "user_id", + "camelCase": { + "unsafeName": "userId", + "safeName": "userId" + }, + "snakeCase": { + "unsafeName": "user_id", + "safeName": "user_id" + }, + "screamingSnakeCase": { + "unsafeName": "USER_ID", + "safeName": "USER_ID" + }, + "pascalCase": { + "unsafeName": "UserId", + "safeName": "UserId" + } + }, + "wireValue": "user_id" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "STRING", + "v2": { + "type": "string", + "default": null, + "validation": null + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The user ID that initiated the event." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": null + }, + "anduril.type.Grid": { + "name": { + "typeId": "anduril.type.Grid", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.Grid", + "camelCase": { + "unsafeName": "andurilTypeGrid", + "safeName": "andurilTypeGrid" + }, + "snakeCase": { + "unsafeName": "anduril_type_grid", + "safeName": "anduril_type_grid" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_GRID", + "safeName": "ANDURIL_TYPE_GRID" + }, + "pascalCase": { + "unsafeName": "AndurilTypeGrid", + "safeName": "AndurilTypeGrid" + } + }, + "displayName": "Grid" + }, + "shape": { + "_type": "object", + "properties": [ + { + "name": { + "name": { + "originalName": "bottom_left_pos", + "camelCase": { + "unsafeName": "bottomLeftPos", + "safeName": "bottomLeftPos" + }, + "snakeCase": { + "unsafeName": "bottom_left_pos", + "safeName": "bottom_left_pos" + }, + "screamingSnakeCase": { + "unsafeName": "BOTTOM_LEFT_POS", + "safeName": "BOTTOM_LEFT_POS" + }, + "pascalCase": { + "unsafeName": "BottomLeftPos", + "safeName": "BottomLeftPos" + } + }, + "wireValue": "bottom_left_pos" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLA", + "camelCase": { + "unsafeName": "andurilTypeLla", + "safeName": "andurilTypeLla" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla", + "safeName": "anduril_type_lla" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA", + "safeName": "ANDURIL_TYPE_LLA" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLla", + "safeName": "AndurilTypeLla" + } + }, + "typeId": "anduril.type.LLA", + "default": null, + "inline": false, + "displayName": "bottom_left_pos" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The bottom left extent of the 2d grid. This represents the\\n farthest corner on the grid cell, not the center of the\\n grid cell." + }, + { + "name": { + "name": { + "originalName": "top_right_pos", + "camelCase": { + "unsafeName": "topRightPos", + "safeName": "topRightPos" + }, + "snakeCase": { + "unsafeName": "top_right_pos", + "safeName": "top_right_pos" + }, + "screamingSnakeCase": { + "unsafeName": "TOP_RIGHT_POS", + "safeName": "TOP_RIGHT_POS" + }, + "pascalCase": { + "unsafeName": "TopRightPos", + "safeName": "TopRightPos" + } + }, + "wireValue": "top_right_pos" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.type.LLA", + "camelCase": { + "unsafeName": "andurilTypeLla", + "safeName": "andurilTypeLla" + }, + "snakeCase": { + "unsafeName": "anduril_type_lla", + "safeName": "anduril_type_lla" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TYPE_LLA", + "safeName": "ANDURIL_TYPE_LLA" + }, + "pascalCase": { + "unsafeName": "AndurilTypeLla", + "safeName": "AndurilTypeLla" + } + }, + "typeId": "anduril.type.LLA", + "default": null, + "inline": false, + "displayName": "top_right_pos" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The top right extent of the 2d grid. This represents the\\n farthest corner on the grid cell, not the center of the\\n grid cell." + }, + { + "name": { + "name": { + "originalName": "grid_width", + "camelCase": { + "unsafeName": "gridWidth", + "safeName": "gridWidth" + }, + "snakeCase": { + "unsafeName": "grid_width", + "safeName": "grid_width" + }, + "screamingSnakeCase": { + "unsafeName": "GRID_WIDTH", + "safeName": "GRID_WIDTH" + }, + "pascalCase": { + "unsafeName": "GridWidth", + "safeName": "GridWidth" + } + }, + "wireValue": "grid_width" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The width of the grid in number of cells." + }, + { + "name": { + "name": { + "originalName": "grid_height", + "camelCase": { + "unsafeName": "gridHeight", + "safeName": "gridHeight" + }, + "snakeCase": { + "unsafeName": "grid_height", + "safeName": "grid_height" + }, + "screamingSnakeCase": { + "unsafeName": "GRID_HEIGHT", + "safeName": "GRID_HEIGHT" + }, + "pascalCase": { + "unsafeName": "GridHeight", + "safeName": "GridHeight" + } + }, + "wireValue": "grid_height" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "primitive", + "primitive": { + "v1": "UINT", + "v2": { + "type": "uint" + } + } + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "The height of the grid in number of cells." + }, + { + "name": { + "name": { + "originalName": "cell_values", + "camelCase": { + "unsafeName": "cellValues", + "safeName": "cellValues" + }, + "snakeCase": { + "unsafeName": "cell_values", + "safeName": "cell_values" + }, + "screamingSnakeCase": { + "unsafeName": "CELL_VALUES", + "safeName": "CELL_VALUES" + }, + "pascalCase": { + "unsafeName": "CellValues", + "safeName": "CellValues" + } + }, + "wireValue": "cell_values" + }, + "valueType": { + "_type": "container", + "container": { + "_type": "optional", + "optional": { + "_type": "unknown" + } + } + }, + "propertyAccess": null, + "v2Examples": null, + "availability": null, + "docs": "Stores the cell values. Each byte contains 8 bits representing\\n binary values of cells. Cells are unravelled in row-major order,\\n with the first cell located at the top-left corner of the grid.\\n In a single byte, the smallest bit represents the left most cell." + } + ], + "extends": [], + "extendedProperties": [], + "extra-properties": false + }, + "autogeneratedExamples": [], + "userProvidedExamples": [], + "encoding": null, + "referencedTypes": [], + "source": null, + "inline": false, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": {} + }, + "availability": null, + "docs": "A 2d grid with binary values for each grid cell." + } + }, + "constants": { + "errorInstanceIdKey": { + "name": { + "originalName": "errorInstanceId", + "camelCase": { + "unsafeName": "errorInstanceId", + "safeName": "errorInstanceId" + }, + "snakeCase": { + "unsafeName": "error_instance_id", + "safeName": "error_instance_id" + }, + "screamingSnakeCase": { + "unsafeName": "ERROR_INSTANCE_ID", + "safeName": "ERROR_INSTANCE_ID" + }, + "pascalCase": { + "unsafeName": "ErrorInstanceId", + "safeName": "ErrorInstanceId" + } + }, + "wireValue": "errorInstanceId" + } + }, + "errors": {}, + "services": { + "anduril.entitymanager.v1.EntityManagerAPI": { + "name": { + "fernFilepath": { + "allParts": [ + { + "originalName": "anduril.entitymanager.v1", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1", + "safeName": "andurilEntitymanagerV1" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1", + "safeName": "anduril_entitymanager_v_1" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1", + "safeName": "ANDURIL_ENTITYMANAGER_V_1" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1", + "safeName": "AndurilEntitymanagerV1" + } + }, + { + "originalName": "EntityManagerAPI", + "camelCase": { + "unsafeName": "entityManagerApi", + "safeName": "entityManagerApi" + }, + "snakeCase": { + "unsafeName": "entity_manager_api", + "safeName": "entity_manager_api" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_MANAGER_API", + "safeName": "ENTITY_MANAGER_API" + }, + "pascalCase": { + "unsafeName": "EntityManagerApi", + "safeName": "EntityManagerApi" + } + } + ], + "packagePath": [ + { + "originalName": "anduril.entitymanager.v1", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1", + "safeName": "andurilEntitymanagerV1" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1", + "safeName": "anduril_entitymanager_v_1" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1", + "safeName": "ANDURIL_ENTITYMANAGER_V_1" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1", + "safeName": "AndurilEntitymanagerV1" + } + } + ], + "file": { + "originalName": "EntityManagerAPI", + "camelCase": { + "unsafeName": "entityManagerApi", + "safeName": "entityManagerApi" + }, + "snakeCase": { + "unsafeName": "entity_manager_api", + "safeName": "entity_manager_api" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_MANAGER_API", + "safeName": "ENTITY_MANAGER_API" + }, + "pascalCase": { + "unsafeName": "EntityManagerApi", + "safeName": "EntityManagerApi" + } + } + } + }, + "displayName": "EntityManagerAPI", + "basePath": { + "head": "", + "parts": [] + }, + "headers": [], + "pathParameters": [], + "availability": null, + "endpoints": [ + { + "id": "PublishEntity", + "name": { + "originalName": "anduril.entitymanager.v1.PublishEntity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PublishEntity", + "safeName": "andurilEntitymanagerV1PublishEntity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_publish_entity", + "safeName": "anduril_entitymanager_v_1_publish_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PublishEntity", + "safeName": "AndurilEntitymanagerV1PublishEntity" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PublishEntityRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PublishEntityRequest", + "safeName": "andurilEntitymanagerV1PublishEntityRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_publish_entity_request", + "safeName": "anduril_entitymanager_v_1_publish_entity_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PublishEntityRequest", + "safeName": "AndurilEntitymanagerV1PublishEntityRequest" + } + }, + "typeId": "anduril.entitymanager.v1.PublishEntityRequest", + "default": null, + "inline": false, + "displayName": "PublishEntityRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PublishEntityResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PublishEntityResponse", + "safeName": "andurilEntitymanagerV1PublishEntityResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_publish_entity_response", + "safeName": "anduril_entitymanager_v_1_publish_entity_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITY_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PublishEntityResponse", + "safeName": "AndurilEntitymanagerV1PublishEntityResponse" + } + }, + "typeId": "anduril.entitymanager.v1.PublishEntityResponse", + "default": null, + "inline": false, + "displayName": "PublishEntityResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "PublishEntity", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "0": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + } + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": {} + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "PublishEntity", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "PublishEntity", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "UNARY" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Create or update an entity and get a response confirming whether the Entity Manager API succesfully processes\\n the entity. Ideal for testing environments.\\n When publishing an entity, only your integration can modify or delete that entity; other sources, such as the\\n UI or other integrations, can't. If you're pushing entity updates so fast that your publish task can't keep\\n up with your update rate (a rough estimate of >= 1 Hz), use the PublishEntities request instead." + }, + { + "id": "PublishEntities", + "name": { + "originalName": "anduril.entitymanager.v1.PublishEntities", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PublishEntities", + "safeName": "andurilEntitymanagerV1PublishEntities" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_publish_entities", + "safeName": "anduril_entitymanager_v_1_publish_entities" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PublishEntities", + "safeName": "AndurilEntitymanagerV1PublishEntities" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PublishEntitiesRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PublishEntitiesRequest", + "safeName": "andurilEntitymanagerV1PublishEntitiesRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_publish_entities_request", + "safeName": "anduril_entitymanager_v_1_publish_entities_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PublishEntitiesRequest", + "safeName": "AndurilEntitymanagerV1PublishEntitiesRequest" + } + }, + "typeId": "anduril.entitymanager.v1.PublishEntitiesRequest", + "default": null, + "inline": false, + "displayName": "PublishEntitiesRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.PublishEntitiesResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1PublishEntitiesResponse", + "safeName": "andurilEntitymanagerV1PublishEntitiesResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_publish_entities_response", + "safeName": "anduril_entitymanager_v_1_publish_entities_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_PUBLISH_ENTITIES_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1PublishEntitiesResponse", + "safeName": "AndurilEntitymanagerV1PublishEntitiesResponse" + } + }, + "typeId": "anduril.entitymanager.v1.PublishEntitiesResponse", + "default": null, + "inline": false, + "displayName": "PublishEntitiesResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "PublishEntities", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "1": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + } + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": {} + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "PublishEntities", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "PublishEntities", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "CLIENT_STREAM" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Create or update one or more entities rapidly using PublishEntities, which doesn't return error messages\\n for invalid entities or provide server feedback. When publishing entities, only your integration can\\n modify or delete those entities; other sources, such as the UI or other integrations, can't.\\n When you use PublishEntities, you gain higher throughput at the expense of receiving no server responses or\\n validation. In addition, due to gRPC stream mechanics, you risk losing messages queued on the outgoing gRPC\\n buffer if the stream connection is lost prior to the messages being sent. If you need validation responses,\\n are developing in testing environments, or have lower entity update rates, use PublishEntity." + }, + { + "id": "GetEntity", + "name": { + "originalName": "anduril.entitymanager.v1.GetEntity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GetEntity", + "safeName": "andurilEntitymanagerV1GetEntity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_get_entity", + "safeName": "anduril_entitymanager_v_1_get_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GetEntity", + "safeName": "AndurilEntitymanagerV1GetEntity" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GetEntityRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GetEntityRequest", + "safeName": "andurilEntitymanagerV1GetEntityRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_get_entity_request", + "safeName": "anduril_entitymanager_v_1_get_entity_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GetEntityRequest", + "safeName": "AndurilEntitymanagerV1GetEntityRequest" + } + }, + "typeId": "anduril.entitymanager.v1.GetEntityRequest", + "default": null, + "inline": false, + "displayName": "GetEntityRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.GetEntityResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1GetEntityResponse", + "safeName": "andurilEntitymanagerV1GetEntityResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_get_entity_response", + "safeName": "anduril_entitymanager_v_1_get_entity_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_GET_ENTITY_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1GetEntityResponse", + "safeName": "AndurilEntitymanagerV1GetEntityResponse" + } + }, + "typeId": "anduril.entitymanager.v1.GetEntityResponse", + "default": null, + "inline": false, + "displayName": "GetEntityResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "GetEntity", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "2": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "entity_id": "example" + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": { + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + } + } + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "GetEntity", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "GetEntity", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "UNARY" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Get an entity using its entityId." + }, + { + "id": "OverrideEntity", + "name": { + "originalName": "anduril.entitymanager.v1.OverrideEntity", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OverrideEntity", + "safeName": "andurilEntitymanagerV1OverrideEntity" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override_entity", + "safeName": "anduril_entitymanager_v_1_override_entity" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OverrideEntity", + "safeName": "AndurilEntitymanagerV1OverrideEntity" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OverrideEntityRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OverrideEntityRequest", + "safeName": "andurilEntitymanagerV1OverrideEntityRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override_entity_request", + "safeName": "anduril_entitymanager_v_1_override_entity_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OverrideEntityRequest", + "safeName": "AndurilEntitymanagerV1OverrideEntityRequest" + } + }, + "typeId": "anduril.entitymanager.v1.OverrideEntityRequest", + "default": null, + "inline": false, + "displayName": "OverrideEntityRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.OverrideEntityResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1OverrideEntityResponse", + "safeName": "andurilEntitymanagerV1OverrideEntityResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_override_entity_response", + "safeName": "anduril_entitymanager_v_1_override_entity_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_OVERRIDE_ENTITY_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1OverrideEntityResponse", + "safeName": "AndurilEntitymanagerV1OverrideEntityResponse" + } + }, + "typeId": "anduril.entitymanager.v1.OverrideEntityResponse", + "default": null, + "inline": false, + "displayName": "OverrideEntityResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "OverrideEntity", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "3": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + }, + "field_path": [ + "example" + ], + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + } + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": { + "status": 0 + } + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "OverrideEntity", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "OverrideEntity", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "UNARY" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Override an Entity Component. An override is a definitive change to entity data. Any authorized user of service\\n can override overridable components on any entity. Only fields marked with overridable can be overridden.\\n When setting an override, the user or service setting the override is asserting that they are certain of the change\\n and the truth behind it." + }, + { + "id": "RemoveEntityOverride", + "name": { + "originalName": "anduril.entitymanager.v1.RemoveEntityOverride", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RemoveEntityOverride", + "safeName": "andurilEntitymanagerV1RemoveEntityOverride" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_remove_entity_override", + "safeName": "anduril_entitymanager_v_1_remove_entity_override" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RemoveEntityOverride", + "safeName": "AndurilEntitymanagerV1RemoveEntityOverride" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RemoveEntityOverrideRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RemoveEntityOverrideRequest", + "safeName": "andurilEntitymanagerV1RemoveEntityOverrideRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_remove_entity_override_request", + "safeName": "anduril_entitymanager_v_1_remove_entity_override_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RemoveEntityOverrideRequest", + "safeName": "AndurilEntitymanagerV1RemoveEntityOverrideRequest" + } + }, + "typeId": "anduril.entitymanager.v1.RemoveEntityOverrideRequest", + "default": null, + "inline": false, + "displayName": "RemoveEntityOverrideRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.RemoveEntityOverrideResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1RemoveEntityOverrideResponse", + "safeName": "andurilEntitymanagerV1RemoveEntityOverrideResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_remove_entity_override_response", + "safeName": "anduril_entitymanager_v_1_remove_entity_override_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_REMOVE_ENTITY_OVERRIDE_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1RemoveEntityOverrideResponse", + "safeName": "AndurilEntitymanagerV1RemoveEntityOverrideResponse" + } + }, + "typeId": "anduril.entitymanager.v1.RemoveEntityOverrideResponse", + "default": null, + "inline": false, + "displayName": "RemoveEntityOverrideResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "RemoveEntityOverride", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "4": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "entity_id": "example", + "field_path": [ + "example" + ] + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": {} + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "RemoveEntityOverride", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "RemoveEntityOverride", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "UNARY" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Remove an override for an Entity component." + }, + { + "id": "StreamEntityComponents", + "name": { + "originalName": "anduril.entitymanager.v1.StreamEntityComponents", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StreamEntityComponents", + "safeName": "andurilEntitymanagerV1StreamEntityComponents" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_stream_entity_components", + "safeName": "anduril_entitymanager_v_1_stream_entity_components" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StreamEntityComponents", + "safeName": "AndurilEntitymanagerV1StreamEntityComponents" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StreamEntityComponentsRequest", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StreamEntityComponentsRequest", + "safeName": "andurilEntitymanagerV1StreamEntityComponentsRequest" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_stream_entity_components_request", + "safeName": "anduril_entitymanager_v_1_stream_entity_components_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_REQUEST", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StreamEntityComponentsRequest", + "safeName": "AndurilEntitymanagerV1StreamEntityComponentsRequest" + } + }, + "typeId": "anduril.entitymanager.v1.StreamEntityComponentsRequest", + "default": null, + "inline": false, + "displayName": "StreamEntityComponentsRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.entitymanager.v1.StreamEntityComponentsResponse", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1StreamEntityComponentsResponse", + "safeName": "andurilEntitymanagerV1StreamEntityComponentsResponse" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1_stream_entity_components_response", + "safeName": "anduril_entitymanager_v_1_stream_entity_components_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_RESPONSE", + "safeName": "ANDURIL_ENTITYMANAGER_V_1_STREAM_ENTITY_COMPONENTS_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1StreamEntityComponentsResponse", + "safeName": "AndurilEntitymanagerV1StreamEntityComponentsResponse" + } + }, + "typeId": "anduril.entitymanager.v1.StreamEntityComponentsResponse", + "default": null, + "inline": false, + "displayName": "StreamEntityComponentsResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "StreamEntityComponents", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "5": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "components_to_include": [ + "example" + ], + "include_all_components": true, + "filter": { + "operation": { + "and": { + "children": { + "predicate_set": { + "predicates": [ + { + "field_path": "example", + "value": { + "type": { + "boolean_type": { + "value": true + } + } + }, + "comparator": 0 + } + ] + } + } + } + } + }, + "rate_limit": { + "update_per_entity_limit_ms": 42 + }, + "heartbeat_period_millis": 42, + "preexisting_only": true + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": { + "entity_event": { + "event_type": 0, + "time": { + "seconds": 42, + "nanos": 42 + }, + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": {}, + "sigma": {} + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": {}, + "sigma": {} + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + } + }, + "heartbeat": { + "timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "StreamEntityComponents", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "StreamEntityComponents", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "SERVER_STREAM" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Returns a stream of entities with specified components populated." + } + ], + "transport": null, + "encoding": null, + "audiences": null + }, + "anduril.taskmanager.v1.TaskManagerAPI": { + "name": { + "fernFilepath": { + "allParts": [ + { + "originalName": "anduril.taskmanager.v1", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1", + "safeName": "andurilTaskmanagerV1" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1", + "safeName": "anduril_taskmanager_v_1" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1", + "safeName": "ANDURIL_TASKMANAGER_V_1" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1", + "safeName": "AndurilTaskmanagerV1" + } + }, + { + "originalName": "TaskManagerAPI", + "camelCase": { + "unsafeName": "taskManagerApi", + "safeName": "taskManagerApi" + }, + "snakeCase": { + "unsafeName": "task_manager_api", + "safeName": "task_manager_api" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_MANAGER_API", + "safeName": "TASK_MANAGER_API" + }, + "pascalCase": { + "unsafeName": "TaskManagerApi", + "safeName": "TaskManagerApi" + } + } + ], + "packagePath": [ + { + "originalName": "anduril.taskmanager.v1", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1", + "safeName": "andurilTaskmanagerV1" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1", + "safeName": "anduril_taskmanager_v_1" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1", + "safeName": "ANDURIL_TASKMANAGER_V_1" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1", + "safeName": "AndurilTaskmanagerV1" + } + } + ], + "file": { + "originalName": "TaskManagerAPI", + "camelCase": { + "unsafeName": "taskManagerApi", + "safeName": "taskManagerApi" + }, + "snakeCase": { + "unsafeName": "task_manager_api", + "safeName": "task_manager_api" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_MANAGER_API", + "safeName": "TASK_MANAGER_API" + }, + "pascalCase": { + "unsafeName": "TaskManagerApi", + "safeName": "TaskManagerApi" + } + } + } + }, + "displayName": "TaskManagerAPI", + "basePath": { + "head": "", + "parts": [] + }, + "headers": [], + "pathParameters": [], + "availability": null, + "endpoints": [ + { + "id": "CreateTask", + "name": { + "originalName": "anduril.taskmanager.v1.CreateTask", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1CreateTask", + "safeName": "andurilTaskmanagerV1CreateTask" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_create_task", + "safeName": "anduril_taskmanager_v_1_create_task" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK", + "safeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1CreateTask", + "safeName": "AndurilTaskmanagerV1CreateTask" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.CreateTaskRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1CreateTaskRequest", + "safeName": "andurilTaskmanagerV1CreateTaskRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_create_task_request", + "safeName": "anduril_taskmanager_v_1_create_task_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1CreateTaskRequest", + "safeName": "AndurilTaskmanagerV1CreateTaskRequest" + } + }, + "typeId": "anduril.taskmanager.v1.CreateTaskRequest", + "default": null, + "inline": false, + "displayName": "CreateTaskRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.CreateTaskResponse", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1CreateTaskResponse", + "safeName": "andurilTaskmanagerV1CreateTaskResponse" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_create_task_response", + "safeName": "anduril_taskmanager_v_1_create_task_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_RESPONSE", + "safeName": "ANDURIL_TASKMANAGER_V_1_CREATE_TASK_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1CreateTaskResponse", + "safeName": "AndurilTaskmanagerV1CreateTaskResponse" + } + }, + "typeId": "anduril.taskmanager.v1.CreateTaskResponse", + "default": null, + "inline": false, + "displayName": "CreateTaskResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "CreateTask", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "0": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "display_name": "example", + "specification": { + "type_url": "example", + "value": "bytes" + }, + "author": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "relations": { + "assignee": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "parent_task_id": "example" + }, + "description": "example", + "is_executed_elsewhere": true, + "task_id": "example", + "initial_entities": [ + { + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": {}, + "sigma": {} + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": {}, + "sigma": {} + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + }, + "snapshot": true + } + ] + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": { + "task": { + "version": { + "task_id": "example", + "definition_version": 42, + "status_version": 42 + }, + "display_name": "example", + "specification": { + "type_url": "example", + "value": "bytes" + }, + "created_by": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "last_updated_by": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "last_update_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "status": 0, + "task_error": { + "code": 0, + "message": "example", + "error_details": { + "type_url": "example", + "value": "bytes" + } + }, + "progress": { + "type_url": "example", + "value": "bytes" + }, + "result": { + "type_url": "example", + "value": "bytes" + }, + "start_time": { + "seconds": 42, + "nanos": 42 + }, + "estimate": { + "type_url": "example", + "value": "bytes" + }, + "allocation": { + "active_agents": [ + { + "entity_id": "example" + } + ] + } + }, + "scheduled_time": { + "seconds": 42, + "nanos": 42 + }, + "relations": { + "assignee": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "parent_task_id": "example" + }, + "description": "example", + "is_executed_elsewhere": true, + "create_time": { + "seconds": 42, + "nanos": 42 + }, + "replication": { + "stale_time": { + "seconds": 42, + "nanos": 42 + } + }, + "initial_entities": [ + { + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": {} + }, + "maximum_frequency_hz": { + "frequency_hz": {} + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": {} + }, + "maximum_bandwidth": { + "bandwidth_hz": {} + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + }, + "snapshot": true + } + ], + "owner": { + "entity_id": "example" + } + } + } + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "CreateTask", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "CreateTask", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "UNARY" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Create a new Task." + }, + { + "id": "GetTask", + "name": { + "originalName": "anduril.taskmanager.v1.GetTask", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1GetTask", + "safeName": "andurilTaskmanagerV1GetTask" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_get_task", + "safeName": "anduril_taskmanager_v_1_get_task" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK", + "safeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1GetTask", + "safeName": "AndurilTaskmanagerV1GetTask" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.GetTaskRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1GetTaskRequest", + "safeName": "andurilTaskmanagerV1GetTaskRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_get_task_request", + "safeName": "anduril_taskmanager_v_1_get_task_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1GetTaskRequest", + "safeName": "AndurilTaskmanagerV1GetTaskRequest" + } + }, + "typeId": "anduril.taskmanager.v1.GetTaskRequest", + "default": null, + "inline": false, + "displayName": "GetTaskRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.GetTaskResponse", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1GetTaskResponse", + "safeName": "andurilTaskmanagerV1GetTaskResponse" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_get_task_response", + "safeName": "anduril_taskmanager_v_1_get_task_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_RESPONSE", + "safeName": "ANDURIL_TASKMANAGER_V_1_GET_TASK_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1GetTaskResponse", + "safeName": "AndurilTaskmanagerV1GetTaskResponse" + } + }, + "typeId": "anduril.taskmanager.v1.GetTaskResponse", + "default": null, + "inline": false, + "displayName": "GetTaskResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "GetTask", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "1": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "task_id": "example", + "definition_version": 42, + "task_view": 0 + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": { + "task": { + "version": { + "task_id": "example", + "definition_version": 42, + "status_version": 42 + }, + "display_name": "example", + "specification": { + "type_url": "example", + "value": "bytes" + }, + "created_by": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "last_updated_by": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "last_update_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "status": 0, + "task_error": { + "code": 0, + "message": "example", + "error_details": { + "type_url": "example", + "value": "bytes" + } + }, + "progress": { + "type_url": "example", + "value": "bytes" + }, + "result": { + "type_url": "example", + "value": "bytes" + }, + "start_time": { + "seconds": 42, + "nanos": 42 + }, + "estimate": { + "type_url": "example", + "value": "bytes" + }, + "allocation": { + "active_agents": [ + { + "entity_id": "example" + } + ] + } + }, + "scheduled_time": { + "seconds": 42, + "nanos": 42 + }, + "relations": { + "assignee": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "parent_task_id": "example" + }, + "description": "example", + "is_executed_elsewhere": true, + "create_time": { + "seconds": 42, + "nanos": 42 + }, + "replication": { + "stale_time": { + "seconds": 42, + "nanos": 42 + } + }, + "initial_entities": [ + { + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": {} + }, + "maximum_frequency_hz": { + "frequency_hz": {} + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": {} + }, + "maximum_bandwidth": { + "bandwidth_hz": {} + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + }, + "snapshot": true + } + ], + "owner": { + "entity_id": "example" + } + } + } + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "GetTask", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "GetTask", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "UNARY" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Get an existing Task." + }, + { + "id": "QueryTasks", + "name": { + "originalName": "anduril.taskmanager.v1.QueryTasks", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1QueryTasks", + "safeName": "andurilTaskmanagerV1QueryTasks" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_query_tasks", + "safeName": "anduril_taskmanager_v_1_query_tasks" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS", + "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1QueryTasks", + "safeName": "AndurilTaskmanagerV1QueryTasks" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.QueryTasksRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1QueryTasksRequest", + "safeName": "andurilTaskmanagerV1QueryTasksRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_query_tasks_request", + "safeName": "anduril_taskmanager_v_1_query_tasks_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1QueryTasksRequest", + "safeName": "AndurilTaskmanagerV1QueryTasksRequest" + } + }, + "typeId": "anduril.taskmanager.v1.QueryTasksRequest", + "default": null, + "inline": false, + "displayName": "QueryTasksRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.QueryTasksResponse", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1QueryTasksResponse", + "safeName": "andurilTaskmanagerV1QueryTasksResponse" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_query_tasks_response", + "safeName": "anduril_taskmanager_v_1_query_tasks_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_RESPONSE", + "safeName": "ANDURIL_TASKMANAGER_V_1_QUERY_TASKS_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1QueryTasksResponse", + "safeName": "AndurilTaskmanagerV1QueryTasksResponse" + } + }, + "typeId": "anduril.taskmanager.v1.QueryTasksResponse", + "default": null, + "inline": false, + "displayName": "QueryTasksResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "QueryTasks", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "2": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "parent_task_id": "example", + "page_token": "example", + "view": 0 + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": { + "tasks": [ + { + "version": { + "task_id": "example", + "definition_version": 42, + "status_version": 42 + }, + "display_name": "example", + "specification": { + "type_url": "example", + "value": "bytes" + }, + "created_by": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "last_updated_by": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "last_update_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "status": 0, + "task_error": { + "code": 0, + "message": "example", + "error_details": { + "type_url": "example", + "value": "bytes" + } + }, + "progress": { + "type_url": "example", + "value": "bytes" + }, + "result": { + "type_url": "example", + "value": "bytes" + }, + "start_time": { + "seconds": 42, + "nanos": 42 + }, + "estimate": { + "type_url": "example", + "value": "bytes" + }, + "allocation": { + "active_agents": [ + { + "entity_id": "example" + } + ] + } + }, + "scheduled_time": { + "seconds": 42, + "nanos": 42 + }, + "relations": { + "assignee": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "parent_task_id": "example" + }, + "description": "example", + "is_executed_elsewhere": true, + "create_time": { + "seconds": 42, + "nanos": 42 + }, + "replication": { + "stale_time": { + "seconds": 42, + "nanos": 42 + } + }, + "initial_entities": [ + { + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": {} + }, + "maximum_frequency_hz": { + "frequency_hz": {} + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": {} + }, + "maximum_bandwidth": { + "bandwidth_hz": {} + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + }, + "snapshot": true + } + ], + "owner": { + "entity_id": "example" + } + } + ], + "page_token": "example" + } + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "QueryTasks", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "QueryTasks", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "UNARY" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Find Tasks that match request criteria." + }, + { + "id": "UpdateStatus", + "name": { + "originalName": "anduril.taskmanager.v1.UpdateStatus", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1UpdateStatus", + "safeName": "andurilTaskmanagerV1UpdateStatus" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_update_status", + "safeName": "anduril_taskmanager_v_1_update_status" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS", + "safeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1UpdateStatus", + "safeName": "AndurilTaskmanagerV1UpdateStatus" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.UpdateStatusRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1UpdateStatusRequest", + "safeName": "andurilTaskmanagerV1UpdateStatusRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_update_status_request", + "safeName": "anduril_taskmanager_v_1_update_status_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1UpdateStatusRequest", + "safeName": "AndurilTaskmanagerV1UpdateStatusRequest" + } + }, + "typeId": "anduril.taskmanager.v1.UpdateStatusRequest", + "default": null, + "inline": false, + "displayName": "UpdateStatusRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.UpdateStatusResponse", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1UpdateStatusResponse", + "safeName": "andurilTaskmanagerV1UpdateStatusResponse" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_update_status_response", + "safeName": "anduril_taskmanager_v_1_update_status_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_RESPONSE", + "safeName": "ANDURIL_TASKMANAGER_V_1_UPDATE_STATUS_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1UpdateStatusResponse", + "safeName": "AndurilTaskmanagerV1UpdateStatusResponse" + } + }, + "typeId": "anduril.taskmanager.v1.UpdateStatusResponse", + "default": null, + "inline": false, + "displayName": "UpdateStatusResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "UpdateStatus", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "3": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "status_update": { + "version": { + "task_id": "example", + "definition_version": 42, + "status_version": 42 + }, + "status": { + "status": 0, + "task_error": { + "code": 0, + "message": "example", + "error_details": { + "type_url": "example", + "value": "bytes" + } + }, + "progress": { + "type_url": "example", + "value": "bytes" + }, + "result": { + "type_url": "example", + "value": "bytes" + }, + "start_time": { + "seconds": 42, + "nanos": 42 + }, + "estimate": { + "type_url": "example", + "value": "bytes" + }, + "allocation": { + "active_agents": [ + { + "entity_id": "example" + } + ] + } + }, + "author": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "scheduled_time": { + "seconds": 42, + "nanos": 42 + } + } + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": { + "task": { + "version": { + "task_id": "example", + "definition_version": 42, + "status_version": 42 + }, + "display_name": "example", + "specification": { + "type_url": "example", + "value": "bytes" + }, + "created_by": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "last_updated_by": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "last_update_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "status": 0, + "task_error": { + "code": 0, + "message": "example", + "error_details": { + "type_url": "example", + "value": "bytes" + } + }, + "progress": { + "type_url": "example", + "value": "bytes" + }, + "result": { + "type_url": "example", + "value": "bytes" + }, + "start_time": { + "seconds": 42, + "nanos": 42 + }, + "estimate": { + "type_url": "example", + "value": "bytes" + }, + "allocation": { + "active_agents": [ + { + "entity_id": "example" + } + ] + } + }, + "scheduled_time": { + "seconds": 42, + "nanos": 42 + }, + "relations": { + "assignee": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "parent_task_id": "example" + }, + "description": "example", + "is_executed_elsewhere": true, + "create_time": { + "seconds": 42, + "nanos": 42 + }, + "replication": { + "stale_time": { + "seconds": 42, + "nanos": 42 + } + }, + "initial_entities": [ + { + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": {} + }, + "maximum_frequency_hz": { + "frequency_hz": {} + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": {} + }, + "maximum_bandwidth": { + "bandwidth_hz": {} + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + }, + "snapshot": true + } + ], + "owner": { + "entity_id": "example" + } + } + } + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "UpdateStatus", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "UpdateStatus", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "UNARY" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Update the status of a Task." + }, + { + "id": "ListenAsAgent", + "name": { + "originalName": "anduril.taskmanager.v1.ListenAsAgent", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ListenAsAgent", + "safeName": "andurilTaskmanagerV1ListenAsAgent" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_listen_as_agent", + "safeName": "anduril_taskmanager_v_1_listen_as_agent" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT", + "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ListenAsAgent", + "safeName": "AndurilTaskmanagerV1ListenAsAgent" + } + }, + "requestBody": { + "type": "reference", + "requestBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ListenAsAgentRequest", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ListenAsAgentRequest", + "safeName": "andurilTaskmanagerV1ListenAsAgentRequest" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_request", + "safeName": "anduril_taskmanager_v_1_listen_as_agent_request" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST", + "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_REQUEST" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ListenAsAgentRequest", + "safeName": "AndurilTaskmanagerV1ListenAsAgentRequest" + } + }, + "typeId": "anduril.taskmanager.v1.ListenAsAgentRequest", + "default": null, + "inline": false, + "displayName": "ListenAsAgentRequest" + }, + "docs": null, + "contentType": "application/proto", + "v2Examples": null + }, + "v2RequestBodies": null, + "response": { + "body": { + "type": "json", + "value": { + "type": "response", + "responseBodyType": { + "_type": "named", + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "name": { + "originalName": "anduril.taskmanager.v1.ListenAsAgentResponse", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1ListenAsAgentResponse", + "safeName": "andurilTaskmanagerV1ListenAsAgentResponse" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1_listen_as_agent_response", + "safeName": "anduril_taskmanager_v_1_listen_as_agent_response" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE", + "safeName": "ANDURIL_TASKMANAGER_V_1_LISTEN_AS_AGENT_RESPONSE" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1ListenAsAgentResponse", + "safeName": "AndurilTaskmanagerV1ListenAsAgentResponse" + } + }, + "typeId": "anduril.taskmanager.v1.ListenAsAgentResponse", + "default": null, + "inline": false, + "displayName": "ListenAsAgentResponse" + }, + "docs": null, + "v2Examples": null + } + }, + "status-code": null, + "isWildcardStatusCode": null + }, + "v2Responses": null, + "displayName": "ListenAsAgent", + "method": "POST", + "baseUrl": null, + "v2BaseUrls": null, + "v2Examples": { + "userSpecifiedExamples": {}, + "autogeneratedExamples": { + "4": { + "displayName": null, + "request": { + "endpoint": { + "method": "POST", + "path": "" + }, + "baseURL": null, + "environment": null, + "auth": null, + "headers": null, + "pathParameters": null, + "queryParameters": null, + "requestBody": { + "agent_selector": { + "entity_ids": { + "entity_ids": [ + "example" + ] + } + } + }, + "docs": null + }, + "response": { + "statusCode": 200, + "body": { + "type": "json", + "value": { + "request": { + "execute_request": { + "task": { + "version": { + "task_id": "example", + "definition_version": 42, + "status_version": 42 + }, + "display_name": "example", + "specification": { + "type_url": "example", + "value": "bytes" + }, + "created_by": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "last_updated_by": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "last_update_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "status": 0, + "task_error": { + "code": 0, + "message": "example", + "error_details": { + "type_url": "example", + "value": "bytes" + } + }, + "progress": { + "type_url": "example", + "value": "bytes" + }, + "result": { + "type_url": "example", + "value": "bytes" + }, + "start_time": { + "seconds": 42, + "nanos": 42 + }, + "estimate": { + "type_url": "example", + "value": "bytes" + }, + "allocation": { + "active_agents": [ + { + "entity_id": "example" + } + ] + } + }, + "scheduled_time": { + "seconds": 42, + "nanos": 42 + }, + "relations": { + "assignee": { + "on_behalf_of": {}, + "agent": { + "system": { + "service_name": "example", + "entity_id": "example", + "manages_own_scheduling": true + } + } + }, + "parent_task_id": "example" + }, + "description": "example", + "is_executed_elsewhere": true, + "create_time": { + "seconds": 42, + "nanos": 42 + }, + "replication": { + "stale_time": { + "seconds": 42, + "nanos": 42 + } + }, + "initial_entities": [ + { + "entity": { + "entity_id": "example", + "description": "example", + "is_live": true, + "created_time": { + "seconds": 42, + "nanos": 42 + }, + "expiry_time": { + "seconds": 42, + "nanos": 42 + }, + "status": { + "platform_activity": "example", + "role": "example" + }, + "location": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "velocity_enu": { + "e": 42, + "n": 42, + "u": 42 + }, + "speed_mps": { + "value": 42 + }, + "acceleration": { + "e": 42, + "n": 42, + "u": 42 + }, + "attitude_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "location_uncertainty": { + "position_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "velocity_enu_cov": { + "mxx": 42, + "mxy": 42, + "mxz": 42, + "myy": 42, + "myz": 42, + "mzz": 42 + }, + "position_error_ellipse": { + "probability": { + "value": 42 + }, + "semi_major_axis_m": { + "value": 42 + }, + "semi_minor_axis_m": { + "value": 42 + }, + "orientation_d": { + "value": 42 + } + } + }, + "geo_shape": { + "shape": { + "point": { + "position": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + } + } + }, + "geo_details": { + "type": 0 + }, + "aliases": { + "alternate_ids": [ + { + "id": "example", + "type": 0 + } + ], + "name": "example" + }, + "tracked": { + "track_quality_wrapper": { + "value": 42 + }, + "sensor_hits": { + "value": 42 + }, + "number_of_objects": { + "lower_bound": 42, + "upper_bound": 42 + }, + "radar_cross_section": { + "value": 42 + }, + "last_measurement_time": { + "seconds": 42, + "nanos": 42 + }, + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + }, + "correlation": { + "membership": { + "correlation_set_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + }, + "membership": { + "primary": {} + } + }, + "decorrelation": { + "all": { + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + }, + "decorrelated_entities": [ + { + "entity_id": "example", + "metadata": { + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "replication_mode": 0, + "type": 0 + } + } + ] + }, + "correlation": { + "primary": { + "secondary_entity_ids": [ + "example" + ] + } + } + }, + "mil_view": { + "disposition": 0, + "environment": 0, + "nationality": 0 + }, + "ontology": { + "platform_type": "example", + "specific_type": "example", + "template": 0 + }, + "sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "maximum_frequency_hz": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + }, + "maximum_bandwidth": { + "bandwidth_hz": { + "value": 42 + } + } + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "upper_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_right": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "bottom_left": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + } + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "center_ray_pose": { + "pos": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": { + "value": 42 + }, + "altitude_agl_meters": { + "value": 42 + }, + "altitude_asf_meters": { + "value": 42 + }, + "pressure_depth_meters": { + "value": 42 + } + }, + "orientation": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "payloads": { + "payload_configurations": [ + { + "config": { + "capability_id": "example", + "quantity": 42, + "effective_environment": [ + 0 + ], + "payload_operational_state": 0, + "payload_description": "example" + } + } + ] + }, + "power_state": { + "source_id_to_state": [ + null + ] + }, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "overrides": { + "override": [ + { + "request_id": "example", + "field_path": "example", + "masked_field_value": {}, + "status": 0, + "provenance": { + "integration_name": "example", + "data_type": "example", + "source_id": "example", + "source_update_time": { + "seconds": 42, + "nanos": 42 + }, + "source_description": "example" + }, + "type": 0, + "request_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + ] + }, + "indicators": { + "simulated": { + "value": true + }, + "exercise": { + "value": true + }, + "emergency": { + "value": true + }, + "c2": { + "value": true + }, + "egressable": { + "value": true + }, + "starred": { + "value": true + } + }, + "target_priority": { + "high_value_target": { + "is_high_value_target": true, + "target_priority": 42, + "target_matches": [ + { + "high_value_target_list_id": "example", + "high_value_target_description_id": "example" + } + ], + "is_high_payoff_target": true + }, + "threat": { + "is_threat": true + } + }, + "signal": { + "bandwidth_hz": { + "value": 42 + }, + "signal_to_noise_ratio": { + "value": 42 + }, + "emitter_notations": [ + { + "emitter_notation": "example", + "confidence": { + "value": 42 + } + } + ], + "pulse_width_s": { + "value": 42 + }, + "pulse_repetition_interval": { + "pulse_repetition_interval_s": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + }, + "scan_characteristics": { + "scan_type": 0, + "scan_period_s": { + "value": 42 + } + }, + "frequency_measurement": { + "frequency_center": { + "frequency_hz": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + }, + "report": { + "line_of_bearing": { + "angle_of_arrival": { + "relative_pose": { + "pos": { + "lon": 42, + "lat": 42, + "alt": 42, + "is2d": true, + "altitude_reference": 0 + }, + "att_enu": { + "x": 42, + "y": 42, + "z": 42, + "w": 42 + } + }, + "bearing_elevation_covariance_rad2": { + "mxx": 42, + "mxy": 42, + "myy": 42 + } + }, + "detection_range": { + "range_estimate_m": { + "value": { + "value": 42 + }, + "sigma": { + "value": 42 + } + } + } + } + } + }, + "transponder_codes": { + "mode1": 42, + "mode2": 42, + "mode3": 42, + "mode4_interrogation_response": 0, + "mode5": { + "mode5_interrogation_response": 0, + "mode5": 42, + "mode5_platform_id": 42 + }, + "mode_s": { + "id": "example", + "address": 42 + } + }, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "task_catalog": { + "task_definitions": [ + { + "task_specification_url": "example" + } + ] + }, + "relationships": { + "relationships": [ + { + "related_entity_id": "example", + "relationship_id": "example", + "relationship_type": { + "type": { + "tracked_by": { + "actively_tracking_sensors": { + "sensors": [ + { + "sensor_id": "example", + "operational_state": 0, + "sensor_type": 0, + "sensor_description": "example", + "rf_configuraton": { + "frequency_range_hz": [ + { + "minimum_frequency_hz": {}, + "maximum_frequency_hz": {} + } + ], + "bandwidth_range_hz": [ + { + "minimum_bandwidth": {}, + "maximum_bandwidth": {} + } + ] + }, + "last_detection_timestamp": { + "seconds": 42, + "nanos": 42 + }, + "fields_of_view": [ + { + "fov_id": 42, + "mount_id": "example", + "projected_frustum": { + "upper_left": {}, + "upper_right": {}, + "bottom_right": {}, + "bottom_left": {} + }, + "projected_center_ray": { + "latitude_degrees": 42, + "longitude_degrees": 42, + "altitude_hae_meters": {}, + "altitude_agl_meters": {}, + "altitude_asf_meters": {}, + "pressure_depth_meters": {} + }, + "center_ray_pose": { + "pos": {}, + "orientation": {} + }, + "horizontal_fov": 42, + "vertical_fov": 42, + "range": { + "value": 42 + }, + "mode": 0 + } + ] + } + ] + }, + "last_measurement_timestamp": { + "seconds": 42, + "nanos": 42 + } + } + } + } + } + ] + }, + "visual_details": { + "range_rings": { + "min_distance_m": { + "value": 42 + }, + "max_distance_m": { + "value": 42 + }, + "ring_count": 42, + "ring_line_color": { + "red": 42, + "green": 42, + "blue": 42, + "alpha": { + "value": 42 + } + } + } + }, + "dimensions": { + "length_m": 42 + }, + "route_details": { + "destination_name": "example", + "estimated_arrival_time": { + "seconds": 42, + "nanos": 42 + } + }, + "schedules": { + "schedules": [ + { + "windows": [ + { + "cron_expression": "example", + "duration_millis": 42 + } + ], + "schedule_id": "example", + "schedule_type": 0 + } + ] + }, + "health": { + "connection_status": 0, + "health_status": 0, + "components": [ + { + "id": "example", + "name": "example", + "health": 0, + "messages": [ + { + "status": 0, + "message": "example" + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + } + } + ], + "update_time": { + "seconds": 42, + "nanos": 42 + }, + "active_alerts": [ + { + "alert_code": "example", + "description": "example", + "level": 0, + "activated_time": { + "seconds": 42, + "nanos": 42 + }, + "active_conditions": [ + { + "condition_code": "example", + "description": "example" + } + ] + } + ] + }, + "group_details": { + "group_type": { + "team": {} + } + }, + "supplies": { + "fuel": [ + { + "fuel_id": "example", + "name": "example", + "reported_date": { + "seconds": 42, + "nanos": 42 + }, + "amount_gallons": 42, + "max_authorized_capacity_gallons": 42, + "operational_requirement_gallons": 42, + "data_classification": { + "default": { + "level": 0, + "caveats": [ + "example" + ] + }, + "fields": [ + { + "field_path": "example", + "classification_information": { + "level": 0, + "caveats": [ + "example" + ] + } + } + ] + }, + "data_source": "example" + } + ] + }, + "orbit": { + "orbit_mean_elements": { + "metadata": { + "creation_date": { + "seconds": 42, + "nanos": 42 + }, + "originator": { + "value": "example" + }, + "message_id": { + "value": "example" + }, + "ref_frame": 0, + "ref_frame_epoch": { + "seconds": 42, + "nanos": 42 + }, + "mean_element_theory": 0 + }, + "mean_keplerian_elements": { + "epoch": { + "seconds": 42, + "nanos": 42 + }, + "eccentricity": 42, + "inclination_deg": 42, + "ra_of_asc_node_deg": 42, + "arg_of_pericenter_deg": 42, + "mean_anomaly_deg": 42, + "gm": { + "value": 42 + }, + "line2_field8": { + "semi_major_axis_km": 42 + } + }, + "tle_parameters": { + "ephemeris_type": { + "value": 42 + }, + "classification_type": { + "value": "example" + }, + "norad_cat_id": { + "value": 42 + }, + "element_set_no": { + "value": 42 + }, + "rev_at_epoch": { + "value": 42 + }, + "mean_motion_dot": { + "value": 42 + }, + "line1_field11": { + "bstar": 42 + }, + "line1_field10": { + "mean_motion_ddot": 42 + } + } + } + } + }, + "snapshot": true + } + ], + "owner": { + "entity_id": "example" + } + } + } + } + } + }, + "docs": null + }, + "codeSamples": [] + } + } + }, + "path": { + "head": "ListenAsAgent", + "parts": [] + }, + "pathParameters": [], + "queryParameters": [], + "headers": [], + "sdkRequest": null, + "errors": [], + "auth": false, + "security": null, + "userSpecifiedExamples": [], + "autogeneratedExamples": [], + "idempotent": false, + "basePath": null, + "fullPath": { + "head": "ListenAsAgent", + "parts": [] + }, + "allPathParameters": [], + "pagination": null, + "transport": null, + "source": { + "type": "proto", + "methodType": "SERVER_STREAM" + }, + "audiences": [], + "retries": null, + "apiPlayground": null, + "availability": null, + "docs": "Stream Tasks ready for RPC Agent execution that match agent selector (ex: entity_ids).\\n Intended for use by Taskable Agents that need to receive Tasks ready for execution by RPC." + } + ], + "transport": null, + "encoding": null, + "audiences": null + } + }, + "webhookGroups": {}, + "subpackages": { + "subpackage_anduril.entitymanager.v1": { + "name": { + "originalName": "anduril.entitymanager.v1", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1", + "safeName": "andurilEntitymanagerV1" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1", + "safeName": "anduril_entitymanager_v_1" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1", + "safeName": "ANDURIL_ENTITYMANAGER_V_1" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1", + "safeName": "AndurilEntitymanagerV1" + } + }, + "displayName": "anduril.entitymanager.v1", + "fernFilepath": { + "allParts": [ + { + "originalName": "anduril.entitymanager.v1", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1", + "safeName": "andurilEntitymanagerV1" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1", + "safeName": "anduril_entitymanager_v_1" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1", + "safeName": "ANDURIL_ENTITYMANAGER_V_1" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1", + "safeName": "AndurilEntitymanagerV1" + } + } + ], + "packagePath": [], + "file": { + "originalName": "anduril.entitymanager.v1", + "camelCase": { + "unsafeName": "andurilEntitymanagerV1", + "safeName": "andurilEntitymanagerV1" + }, + "snakeCase": { + "unsafeName": "anduril_entitymanager_v_1", + "safeName": "anduril_entitymanager_v_1" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_ENTITYMANAGER_V_1", + "safeName": "ANDURIL_ENTITYMANAGER_V_1" + }, + "pascalCase": { + "unsafeName": "AndurilEntitymanagerV1", + "safeName": "AndurilEntitymanagerV1" + } + } + }, + "service": null, + "types": [], + "errors": [], + "subpackages": [ + "subpackage_anduril.entitymanager.v1/EntityManagerAPI" + ], + "webhooks": null, + "websocket": null, + "hasEndpointsInTree": false, + "navigationConfig": null, + "docs": null + }, + "subpackage_anduril.entitymanager.v1/EntityManagerAPI": { + "name": { + "originalName": "EntityManagerAPI", + "camelCase": { + "unsafeName": "entityManagerApi", + "safeName": "entityManagerApi" + }, + "snakeCase": { + "unsafeName": "entity_manager_api", + "safeName": "entity_manager_api" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_MANAGER_API", + "safeName": "ENTITY_MANAGER_API" + }, + "pascalCase": { + "unsafeName": "EntityManagerApi", + "safeName": "EntityManagerApi" + } + }, + "displayName": "EntityManagerAPI", + "fernFilepath": { + "allParts": [ + { + "originalName": "EntityManagerAPI", + "camelCase": { + "unsafeName": "entityManagerApi", + "safeName": "entityManagerApi" + }, + "snakeCase": { + "unsafeName": "entity_manager_api", + "safeName": "entity_manager_api" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_MANAGER_API", + "safeName": "ENTITY_MANAGER_API" + }, + "pascalCase": { + "unsafeName": "EntityManagerApi", + "safeName": "EntityManagerApi" + } + } + ], + "packagePath": [], + "file": { + "originalName": "EntityManagerAPI", + "camelCase": { + "unsafeName": "entityManagerApi", + "safeName": "entityManagerApi" + }, + "snakeCase": { + "unsafeName": "entity_manager_api", + "safeName": "entity_manager_api" + }, + "screamingSnakeCase": { + "unsafeName": "ENTITY_MANAGER_API", + "safeName": "ENTITY_MANAGER_API" + }, + "pascalCase": { + "unsafeName": "EntityManagerApi", + "safeName": "EntityManagerApi" + } + } + }, + "service": "anduril.entitymanager.v1.EntityManagerAPI", + "types": [], + "errors": [], + "subpackages": [], + "webhooks": null, + "websocket": null, + "hasEndpointsInTree": false, + "navigationConfig": null, + "docs": null + }, + "subpackage_anduril.taskmanager.v1": { + "name": { + "originalName": "anduril.taskmanager.v1", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1", + "safeName": "andurilTaskmanagerV1" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1", + "safeName": "anduril_taskmanager_v_1" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1", + "safeName": "ANDURIL_TASKMANAGER_V_1" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1", + "safeName": "AndurilTaskmanagerV1" + } + }, + "displayName": "anduril.taskmanager.v1", + "fernFilepath": { + "allParts": [ + { + "originalName": "anduril.taskmanager.v1", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1", + "safeName": "andurilTaskmanagerV1" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1", + "safeName": "anduril_taskmanager_v_1" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1", + "safeName": "ANDURIL_TASKMANAGER_V_1" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1", + "safeName": "AndurilTaskmanagerV1" + } + } + ], + "packagePath": [], + "file": { + "originalName": "anduril.taskmanager.v1", + "camelCase": { + "unsafeName": "andurilTaskmanagerV1", + "safeName": "andurilTaskmanagerV1" + }, + "snakeCase": { + "unsafeName": "anduril_taskmanager_v_1", + "safeName": "anduril_taskmanager_v_1" + }, + "screamingSnakeCase": { + "unsafeName": "ANDURIL_TASKMANAGER_V_1", + "safeName": "ANDURIL_TASKMANAGER_V_1" + }, + "pascalCase": { + "unsafeName": "AndurilTaskmanagerV1", + "safeName": "AndurilTaskmanagerV1" + } + } + }, + "service": null, + "types": [], + "errors": [], + "subpackages": [ + "subpackage_anduril.taskmanager.v1/TaskManagerAPI" + ], + "webhooks": null, + "websocket": null, + "hasEndpointsInTree": false, + "navigationConfig": null, + "docs": null + }, + "subpackage_anduril.taskmanager.v1/TaskManagerAPI": { + "name": { + "originalName": "TaskManagerAPI", + "camelCase": { + "unsafeName": "taskManagerApi", + "safeName": "taskManagerApi" + }, + "snakeCase": { + "unsafeName": "task_manager_api", + "safeName": "task_manager_api" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_MANAGER_API", + "safeName": "TASK_MANAGER_API" + }, + "pascalCase": { + "unsafeName": "TaskManagerApi", + "safeName": "TaskManagerApi" + } + }, + "displayName": "TaskManagerAPI", + "fernFilepath": { + "allParts": [ + { + "originalName": "TaskManagerAPI", + "camelCase": { + "unsafeName": "taskManagerApi", + "safeName": "taskManagerApi" + }, + "snakeCase": { + "unsafeName": "task_manager_api", + "safeName": "task_manager_api" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_MANAGER_API", + "safeName": "TASK_MANAGER_API" + }, + "pascalCase": { + "unsafeName": "TaskManagerApi", + "safeName": "TaskManagerApi" + } + } + ], + "packagePath": [], + "file": { + "originalName": "TaskManagerAPI", + "camelCase": { + "unsafeName": "taskManagerApi", + "safeName": "taskManagerApi" + }, + "snakeCase": { + "unsafeName": "task_manager_api", + "safeName": "task_manager_api" + }, + "screamingSnakeCase": { + "unsafeName": "TASK_MANAGER_API", + "safeName": "TASK_MANAGER_API" + }, + "pascalCase": { + "unsafeName": "TaskManagerApi", + "safeName": "TaskManagerApi" + } + } + }, + "service": "anduril.taskmanager.v1.TaskManagerAPI", + "types": [], + "errors": [], + "subpackages": [], + "webhooks": null, + "websocket": null, + "hasEndpointsInTree": false, + "navigationConfig": null, + "docs": null + } + }, + "websocketChannels": {}, + "rootPackage": { + "service": null, + "types": [], + "errors": [], + "subpackages": [ + "subpackage_anduril.entitymanager.v1", + "subpackage_anduril.taskmanager.v1" + ], + "fernFilepath": { + "allParts": [], + "packagePath": [], + "file": null + }, + "webhooks": null, + "websocket": null, + "hasEndpointsInTree": false, + "navigationConfig": null, + "docs": null + }, + "fdrApiDefinitionId": null, + "apiVersion": null, + "idempotencyHeaders": [], + "pathParameters": [], + "errorDiscriminationStrategy": { + "type": "statusCode" + }, + "variables": [], + "serviceTypeReferenceInfo": { + "sharedTypes": [], + "typesReferencedOnlyByService": {} + }, + "readmeConfig": null, + "sourceConfig": null, + "publishConfig": null, + "dynamic": null, + "sdkConfig": { + "hasFileDownloadEndpoints": false, + "hasPaginatedEndpoints": false, + "hasStreamingEndpoints": false, + "isAuthMandatory": true, + "platformHeaders": { + "language": "", + "sdkName": "", + "sdkVersion": "", + "userAgent": null + } + }, + "audiences": [], + "generationMetadata": null, + "apiPlayground": null +}" +`; From 140e5183dd172284e9dcbe975a6ccdd92954c4b1 Mon Sep 17 00:00:00 2001 From: Tanmay Singh Date: Sun, 7 Dec 2025 12:38:42 -0500 Subject: [PATCH 5/8] chore: update dynamic IR snapshot to include inline field MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude --- .../src/__test__/__snapshots__/generateDynamicIR.test.ts.snap | 2 ++ 1 file changed, 2 insertions(+) diff --git a/packages/snippets/core/src/__test__/__snapshots__/generateDynamicIR.test.ts.snap b/packages/snippets/core/src/__test__/__snapshots__/generateDynamicIR.test.ts.snap index c775f0ea2078..f872a72a0b2f 100644 --- a/packages/snippets/core/src/__test__/__snapshots__/generateDynamicIR.test.ts.snap +++ b/packages/snippets/core/src/__test__/__snapshots__/generateDynamicIR.test.ts.snap @@ -11,6 +11,7 @@ exports[`generateDynamicIR > go 1`] = ` "file": undefined, "packagePath": [], }, + "inline": undefined, "name": { "camelCase": { "safeName": "getTestData", @@ -62,6 +63,7 @@ exports[`generateDynamicIR > go 1`] = ` "file": undefined, "packagePath": [], }, + "inline": undefined, "name": { "camelCase": { "safeName": "getTestDataResponse", From 9823ad1e2e5e8ba6022b0ab613bbc9f50af93a59 Mon Sep 17 00:00:00 2001 From: Tanmay Singh Date: Sun, 7 Dec 2025 12:47:03 -0500 Subject: [PATCH 6/8] chore(java): remove java-inline-types from allowedFailures MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Now that inline types are correctly handled in dynamic snippets, remove the following fixtures from allowedFailures: - java-inline-types:inline - java-inline-types:no-wrapped-aliases - java-inline-types:enable-forward-compatible-enums 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude --- seed/java-sdk/seed.yml | 3 --- 1 file changed, 3 deletions(-) diff --git a/seed/java-sdk/seed.yml b/seed/java-sdk/seed.yml index 173c9737dd13..726e678c1c95 100644 --- a/seed/java-sdk/seed.yml +++ b/seed/java-sdk/seed.yml @@ -306,7 +306,6 @@ allowedFailures: - exhaustive:publish-to - exhaustive:signed_publish - extends - - java-inline-types:no-wrapped-aliases - nullable-optional:with-nullable-annotation - nullable-optional:collapse-optional-nullable - oauth-client-credentials @@ -322,8 +321,6 @@ allowedFailures: # Snippet failures; many of these failures are due to the fact that a # required list of query parameters is not actually required by the builder. - any-auth - - java-inline-types:inline - - java-inline-types:enable-forward-compatible-enums - nullable:wrapped-aliases - nullable:no-custom-config - pagination-custom From b8b169c8b5534480f8c23c7dc3a8eb3b217c87cc Mon Sep 17 00:00:00 2001 From: Tanmay Singh Date: Sun, 7 Dec 2025 12:59:48 -0500 Subject: [PATCH 7/8] chore: update createSampleIr snapshot to include inline field MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude --- .../createSampleIr/snapshots/example-definition-1.ir.json | 3 +++ 1 file changed, 3 insertions(+) diff --git a/packages/commons/test-utils/src/__test__/createSampleIr/snapshots/example-definition-1.ir.json b/packages/commons/test-utils/src/__test__/createSampleIr/snapshots/example-definition-1.ir.json index bd500b184069..119527d85c53 100644 --- a/packages/commons/test-utils/src/__test__/createSampleIr/snapshots/example-definition-1.ir.json +++ b/packages/commons/test-utils/src/__test__/createSampleIr/snapshots/example-definition-1.ir.json @@ -107,6 +107,7 @@ }, "packagePath": [], }, + "inline": undefined, "name": { "camelCase": { "safeName": "order", @@ -368,6 +369,7 @@ }, "packagePath": [], }, + "inline": undefined, "name": { "camelCase": { "safeName": "orderItem", @@ -531,6 +533,7 @@ }, "packagePath": [], }, + "inline": undefined, "name": { "camelCase": { "safeName": "orderStatus", From d5cfcc83f55d1e24e74194c01758c58d8b64c78c Mon Sep 17 00:00:00 2001 From: Tanmay Singh Date: Sun, 7 Dec 2025 13:07:58 -0500 Subject: [PATCH 8/8] chore: update IR v61-to-v60 migration snapshot to include inline field MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude --- .../__test__/__snapshots__/migrateFromV61ToV60.test.ts.snap | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/packages/cli/generation/ir-migrations/src/migrations/v61-to-v60/__test__/__snapshots__/migrateFromV61ToV60.test.ts.snap b/packages/cli/generation/ir-migrations/src/migrations/v61-to-v60/__test__/__snapshots__/migrateFromV61ToV60.test.ts.snap index 9f463bd83082..b51948d07a0a 100644 --- a/packages/cli/generation/ir-migrations/src/migrations/v61-to-v60/__test__/__snapshots__/migrateFromV61ToV60.test.ts.snap +++ b/packages/cli/generation/ir-migrations/src/migrations/v61-to-v60/__test__/__snapshots__/migrateFromV61ToV60.test.ts.snap @@ -103,6 +103,7 @@ exports[`migrateFromV61ToV60 > streaming 1`] = ` }, "packagePath": [], }, + "inline": undefined, "name": { "camelCase": { "safeName": "generate", @@ -241,6 +242,7 @@ exports[`migrateFromV61ToV60 > streaming 1`] = ` }, "packagePath": [], }, + "inline": undefined, "name": { "camelCase": { "safeName": "generateequest", @@ -320,6 +322,7 @@ exports[`migrateFromV61ToV60 > streaming 1`] = ` }, "packagePath": [], }, + "inline": undefined, "name": { "camelCase": { "safeName": "generateStream", @@ -458,6 +461,7 @@ exports[`migrateFromV61ToV60 > streaming 1`] = ` }, "packagePath": [], }, + "inline": undefined, "name": { "camelCase": { "safeName": "generateStreamRequest", @@ -543,6 +547,7 @@ exports[`migrateFromV61ToV60 > streaming 1`] = ` }, "packagePath": [], }, + "inline": undefined, "name": { "camelCase": { "safeName": "streamResponse",