Skip to content

palantir/foundry-platform-python

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 

Repository files navigation

Foundry Platform SDK

Supported Python Versions PyPI Version License

Warning

This SDK is incubating and subject to change.

The Foundry Platform SDK is a Python SDK built on top of the Foundry API. Review Foundry API documentation for more details.

Note

This Python package is automatically generated based on the Foundry API specification.

Foundry Platform SDK vs. Ontology SDK

Palantir provides two different Python Software Development Kits (SDKs) for interacting with Foundry. Make sure to choose the correct SDK for your use case. As a general rule of thumb, any applications which leverage the Ontology should use the Ontology SDK for a superior development experience.

Important

Make sure to understand the difference between the Foundry SDK and the Ontology SDK. Review this section before continuing with the installation of this library.

Ontology SDK

The Ontology SDK allows you to access the full power of the Ontology directly from your development environment. You can generate the Ontology SDK using the Developer Console, a portal for creating and managing applications using Palantir APIs. Review the Ontology SDK documentation for more information.

Foundry Platform SDK

The Foundry Platform Software Development Kit (SDK) is generated from the Foundry API specification file. The intention of this SDK is to encompass endpoints related to interacting with the platform itself. Although there are Ontology services included by this SDK, this SDK surfaces endpoints for interacting with Ontological resources such as object types, link types, and action types. In contrast, the OSDK allows you to interact with objects, links and Actions (for example, querying your objects, applying an action).

Installation

You can install the Python package using pip:

pip install foundry-platform-sdk

API Versioning

Every endpoint of the Foundry API is versioned using a version number that appears in the URL. For example, v1 endpoints look like this:

https://<hostname>/api/v1/...

This SDK exposes several clients, one for each major version of the API. For example, the latest major version of the SDK is v2 and is exposed using the FoundryClient located in the foundry.v2 package. To use this SDK, you must choose the specific client (or clients) you would like to use.

More information about how the API is versioned can be found here.

Authorization and client initalization

There are two options for authorizing the SDK.

User token

Warning

User tokens are associated with your personal Foundry user account and must not be used in production applications or committed to shared or public code repositories. We recommend you store test API tokens as environment variables during development. For authorizing production applications, you should register an OAuth2 application (see OAuth2 Client below for more details).

You can pass in the hostname and token as keyword arguments when initializing the UserTokenAuth:

import foundry
import foundry.v2

foundry_client = foundry.v2.FoundryClient(
    auth=foundry.UserTokenAuth(token=os.environ["BEARER_TOKEN"]),
    hostname="example.palantirfoundry.com",
)

OAuth2 Client

OAuth2 clients are the recommended way to connect to Foundry in production applications. Currently, this SDK natively supports the client credentials grant flow. The token obtained by this grant can be used to access resources on behalf of the created service user. To use this authentication method, you will first need to register a third-party application in Foundry by following the guide on third-party application registration.

To use the confidential client functionality, you first need to contstruct a ConfidentialClientAuth object. As these service user tokens have a short lifespan (one hour), we automatically retry all operations one time if a 401 (Unauthorized) error is thrown after refreshing the token.

import foundry

auth = foundry.ConfidentialClientAuth(
    client_id=os.environ["CLIENT_ID"],
    client_secret=os.environ["CLIENT_SECRET"],
    scopes=[...],  # optional list of scopes
)

Important

Make sure to select the appropriate scopes when initializating the ConfidentialClientAuth. You can find the relevant scopes in the endpoint documentation.

After creating the ConfidentialClientAuth object, pass it in to the FoundryClient,

import foundry.v2

foundry_client = foundry.v2.FoundryClient(auth=auth, hostname="example.palantirfoundry.com")

Tip

If you want to use the ConfidentialClientAuth class independently of the FoundryClient, you can use the get_token() method to get the token. You will have to provide a hostname when instantiating the ConfidentialClientAuth object, for example ConfidentialClientAuth(..., hostname="example.palantirfoundry.com").

Quickstart

Follow the installation procedure and determine which authentication method is best suited for your instance before following this example. For simplicity, the UserTokenAuth class will be used for demonstration purposes.

from foundry.v1 import FoundryClient
import foundry
from pprint import pprint

foundry_client = FoundryClient(
    auth=foundry.UserTokenAuth(...), hostname="example.palantirfoundry.com"
)

# DatasetRid | datasetRid
dataset_rid = "ri.foundry.main.dataset.c26f11c8-cdb3-4f44-9f5d-9816ea1c82da"
# BranchId |
branch_id = "my-branch"
# Optional[TransactionRid] |
transaction_rid = None


try:
    api_response = foundry_client.datasets.Dataset.Branch.create(
        dataset_rid,
        branch_id=branch_id,
        transaction_rid=transaction_rid,
    )
    print("The create response:\n")
    pprint(api_response)
except foundry.PalantirRPCException as e:
    print("HTTP error when calling Branch.create: %s\n" % e)

Want to learn more about this Foundry SDK library? Review the following sections.

↳ Error handling: Learn more about HTTP & data validation error handling
↳ Pagination: Learn how to work with paginated endpoints in the SDK
↳ Streaming: Learn how to stream binary data from Foundry
↳ Static type analysis: Learn about the static type analysis capabilities of this library
↳ HTTP Session Configuration: Learn how to configure the HTTP session.

Error handling

Data validation

The SDK employs Pydantic for runtime validation of arguments. In the example below, we are passing in a number to transaction_rid which should actually be a string type:

foundry_client.datasets.Dataset.Branch.create(
    "ri.foundry.main.dataset.abc",
    name="123",
    transaction_rid=123,
)

If you did this, you would receive an error that looks something like:

pydantic_core._pydantic_core.ValidationError: 1 validation error for create
transaction_rid
  Input should be a valid string [type=string_type, input_value=123, input_type=int]
    For further information visit https://errors.pydantic.dev/2.5/v/string_type

To handle these errors, you can catch pydantic.ValidationError. To learn more, see the Pydantic error documentation.

Tip

Pydantic works with static type checkers such as pyright for an improved developer experience. See Static Type Analysis below for more information.

HTTP exceptions

When an HTTP error status is returned, a PalantirRPCException is thrown. There are several subclasses that be caught for more specific conditions, all of which inherit from PalantirRPCException.

Status Code Error Class
400 BadRequestError
401 UnauthorizedError
403 PermissionDeniedError
404 NotFoundError
422 UnprocessableEntityError
429 RateLimitError
>=500,<600 InternalServerError
Other PalantirRPCException
from foundry import PalantirRPCException
from foundry import NotFoundError
from foundry import RateLimitError


try:
    api_response = foundry_client.datasets.Transaction.abort(dataset_rid, transaction_rid)
    ...
except NotFoundError as e:
    print("Dataset or Transaction not found", e)
except RateLimitError as e:
    print("We are aborting too many Transactions", e)
except PalantirRPCException as e:
    print("Another HTTP exception occurred", e)

All HTTP exceptions will have the following properties. See the Foundry API docs for details about the Foundry error information.

Property Type Description
name str The Palantir error name. See the Foundry API docs.
error_instance_id str The Palantir error instance ID. See the Foundry API docs.
parameters Dict[str, Any] The Palantir error parameters. See the Foundry API docs.

Other exceptions

There are a handful of other exception classes that could be thrown when instantiating or using a client.

ErrorClass Thrown Directly Description
NotAuthenticated Yes You used either ConfidentialClientAuth or PublicClientAuth to make an API call without going through the OAuth process first.
ConnectionError Yes An issue occurred when connecting to the server. This also catches ProxyError.
ProxyError Yes An issue occurred when connecting to or authenticating with a proxy server.
TimeoutError No The request timed out. This catches both ConnectTimeout, ReadTimeout and WriteTimeout.
ConnectTimeout Yes The request timed out when attempting to connect to the server.
ReadTimeout Yes The server did not send any data in the allotted amount of time.
WriteTimeout Yes There was a timeout when writing data to the server.
StreamConsumedError Yes The content of the given stream has already been consumed.
SDKInternalError Yes An unexpected issue occurred and should be reported.

Pagination

When calling any iterator endpoints, we return a Pager class designed to simplify the process of working with paginated API endpoints. This class provides a convenient way to fetch, iterate over, and manage pages of data, while handling the underlying pagination logic.

To iterate over all items, you can simply create a Pager instance and use it in a for loop, like this:

for branch in foundry_client.datasets.Dataset.Branch.list(dataset_rid):
    print(branch)

This will automatically fetch and iterate through all the pages of data from the specified API endpoint. For more granular control, you can manually fetch each page using the next_page_token.

page = foundry_client.datasets.Dataset.Branch.list(dataset_rid)
while page.next_page_token:
    for branch in page.data:
        print(branch)

    page = foundry_client.datasets.Dataset.Branch.list(dataset_rid, page_token=page.next_page_token)

Streaming

This SDK supports streaming binary data using a separate streaming client accessible under with_streaming_response on each Resource. To ensure the stream is closed, you need to use a context manager when making a request with this client.

# Non-streaming response
with open("profile_picture.png", "wb") as f:
    f.write(foundry_client.admin.User.profile_picture(user_id))

# Streaming response
with open("profile_picture.png", "wb") as f:
    with foundry_client.admin.User.with_streaming_response.profile_picture(user_id) as response:
        for chunk in response.iter_bytes():
            f.write(chunk)

Static type analysis

This library uses Pydantic for creating and validating data models which you will see in the method definitions (see Documentation for Models below for a full list of models). All request parameters with nested fields are typed as a Union between a Pydantic BaseModel class and a TypedDict whereas responses use Pydantic class. For example, here is how Group.search method is defined in the Admin namespace:

    @pydantic.validate_call
    @handle_unexpected
    def search(
        self,
        *,
        where: Union[GroupSearchFilter, GroupSearchFilterDict],
        page_size: Optional[PageSize] = None,
        page_token: Optional[PageToken] = None,
        preview: Optional[PreviewMode] = None,
        request_timeout: Optional[Annotated[int, pydantic.Field(gt=0)]] = None,
    ) -> SearchGroupsResponse:
        ...

In this example, GroupSearchFilter is a BaseModel class and GroupSearchFilterDict is a TypedDict class. When calling this method, you can choose whether to pass in a class instance or a dict.

import foundry.v2
from foundry.v2.admin.models import GroupSearchFilter

client = foundry.v2.FoundryClient(...)

# Class instance
result = client.admin.Group.search(where=GroupSearchFilter(type="queryString", value="John Doe"))

# Dict
result = client.admin.Group.search(where={"type": "queryString", "value": "John Doe"})

Tip

A Pydantic model can be converted into its TypedDict representation using the to_dict method. For example, if you handle a variable of type Branch and you called to_dict() on that variable you would receive a BranchDict variable.

If you are using a static type checker (for example, mypy, pyright), you get static type analysis for the arguments you provide to the function and with the response. For example, if you pass an int to name but name expects a string or if you try to access branchName on the returned Branch object (the property is actually called name), you will get the following errors:

branch = foundry_client.datasets.Dataset.Branch.create(
    "ri.foundry.main.dataset.abc",
    # ERROR: "Literal[123]" is incompatible with "BranchName"
    name=123,
)
# ERROR: Cannot access member "branchName" for type "Branch"
print(branch.branchName)

HTTP Session Configuration

You can configure various parts of the HTTP session using the Config class.

from foundry import Config
from foundry import UserTokenAuth
from foundry.v2 imoprt FoundryClient

client = FoundryClient(
    auth=UserTokenAuth(...),
    hostname="example.palantirfoundry.com",
    config=Config(
        # Set the default headers for every request
        default_headers={"Foo": "Bar"},
        # Default to a 60 second timeout
        timeout=60,
        # Create a proxy for the https protocol
        proxies={
            "https": "https://10.10.1.10:1080"
        },
    )
)

The full list of options can be found below.

  • default_headers (dict[str, str]): HTTP headers to include with all requests.
  • proxies (dict["http" | "https", str]): Proxies to use for HTTP and HTTPS requests.
  • timeout (int | float): The default timeout for all requests in seconds.
  • verify (bool | str): SSL verification, can be a boolean or a path to a CA bundle. Defaults to True.
  • default_params (dict[str, Any]): URL query parameters to include with all requests.
  • scheme ("http" | "https"): URL scheme to use ('http' or 'https'). Defaults to 'https'.

SSL Certificate Verification

In addition to the Config class, the SSL certificate file used for verification can be set using the following environment variables (in order of precedence):

  • REQUESTS_CA_BUNDLE
  • SSL_CERT_FILE

The SDK will only check for the presence of these environment variables if the verify option is set to True (the default value). If verify is set to False, the environment variables will be ignored.

Common errors

This section will document any user-related errors with information on how you may be able to resolve them.

ApiFeaturePreviewUsageOnly

This error indicates you are trying to use an endpoint in public preview and have not set preview=True when calling the endpoint. Before doing so, note that this endpoint is in preview state and breaking changes may occur at any time.

During the first phase of an endpoint's lifecycle, it may be in Public Preview state. This indicates that the endpoint is in development and is not intended for production use.

Documentation for V2 API endpoints

Namespace Resource Operation HTTP request
Admin Group create POST /v2/admin/groups
Admin Group delete DELETE /v2/admin/groups/{groupId}
Admin Group get GET /v2/admin/groups/{groupId}
Admin Group get_batch POST /v2/admin/groups/getBatch
Admin Group list GET /v2/admin/groups
Admin Group page GET /v2/admin/groups
Admin Group search POST /v2/admin/groups/search
Admin GroupMember add POST /v2/admin/groups/{groupId}/groupMembers/add
Admin GroupMember list GET /v2/admin/groups/{groupId}/groupMembers
Admin GroupMember page GET /v2/admin/groups/{groupId}/groupMembers
Admin GroupMember remove POST /v2/admin/groups/{groupId}/groupMembers/remove
Admin GroupMembership list GET /v2/admin/users/{userId}/groupMemberships
Admin GroupMembership page GET /v2/admin/users/{userId}/groupMemberships
Admin GroupProviderInfo get GET /v2/admin/groups/{groupId}/providerInfo
Admin GroupProviderInfo replace PUT /v2/admin/groups/{groupId}/providerInfo
Admin Marking create POST /v2/admin/markings
Admin Marking get GET /v2/admin/markings/{markingId}
Admin Marking get_batch POST /v2/admin/markings/getBatch
Admin Marking list GET /v2/admin/markings
Admin Marking page GET /v2/admin/markings
Admin MarkingCategory get GET /v2/admin/markingCategories/{markingCategoryId}
Admin MarkingCategory list GET /v2/admin/markingCategories
Admin MarkingCategory page GET /v2/admin/markingCategories
Admin MarkingMember add POST /v2/admin/markings/{markingId}/markingMembers/add
Admin MarkingMember list GET /v2/admin/markings/{markingId}/markingMembers
Admin MarkingMember page GET /v2/admin/markings/{markingId}/markingMembers
Admin MarkingMember remove POST /v2/admin/markings/{markingId}/markingMembers/remove
Admin MarkingRoleAssignment add POST /v2/admin/markings/{markingId}/roleAssignments/add
Admin MarkingRoleAssignment list GET /v2/admin/markings/{markingId}/roleAssignments
Admin MarkingRoleAssignment page GET /v2/admin/markings/{markingId}/roleAssignments
Admin MarkingRoleAssignment remove POST /v2/admin/markings/{markingId}/roleAssignments/remove
Admin Organization get GET /v2/admin/organizations/{organizationRid}
Admin Organization replace PUT /v2/admin/organizations/{organizationRid}
Admin User delete DELETE /v2/admin/users/{userId}
Admin User get GET /v2/admin/users/{userId}
Admin User get_batch POST /v2/admin/users/getBatch
Admin User get_current GET /v2/admin/users/getCurrent
Admin User get_markings GET /v2/admin/users/{userId}/getMarkings
Admin User list GET /v2/admin/users
Admin User page GET /v2/admin/users
Admin User profile_picture GET /v2/admin/users/{userId}/profilePicture
Admin User search POST /v2/admin/users/search
Admin UserProviderInfo get GET /v2/admin/users/{userId}/providerInfo
Admin UserProviderInfo replace PUT /v2/admin/users/{userId}/providerInfo
AipAgents Agent all_sessions GET /v2/aipAgents/agents/allSessions
AipAgents Agent all_sessions_page GET /v2/aipAgents/agents/allSessions
AipAgents Agent get GET /v2/aipAgents/agents/{agentRid}
AipAgents AgentVersion get GET /v2/aipAgents/agents/{agentRid}/agentVersions/{agentVersionString}
AipAgents AgentVersion list GET /v2/aipAgents/agents/{agentRid}/agentVersions
AipAgents AgentVersion page GET /v2/aipAgents/agents/{agentRid}/agentVersions
AipAgents Content get GET /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/content
AipAgents Session blocking_continue POST /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/blockingContinue
AipAgents Session cancel POST /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/cancel
AipAgents Session create POST /v2/aipAgents/agents/{agentRid}/sessions
AipAgents Session get GET /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}
AipAgents Session list GET /v2/aipAgents/agents/{agentRid}/sessions
AipAgents Session page GET /v2/aipAgents/agents/{agentRid}/sessions
AipAgents Session rag_context PUT /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/ragContext
AipAgents Session streaming_continue POST /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/streamingContinue
Connectivity Connection update_secrets POST /v2/connectivity/connections/{connectionRid}/updateSecrets
Connectivity FileImport create POST /v2/connectivity/connections/{connectionRid}/fileImports
Connectivity FileImport delete DELETE /v2/connectivity/connections/{connectionRid}/fileImports/{fileImportRid}
Connectivity FileImport execute POST /v2/connectivity/connections/{connectionRid}/fileImports/{fileImportRid}/execute
Connectivity FileImport get GET /v2/connectivity/connections/{connectionRid}/fileImports/{fileImportRid}
Connectivity FileImport list GET /v2/connectivity/connections/{connectionRid}/fileImports
Connectivity FileImport page GET /v2/connectivity/connections/{connectionRid}/fileImports
Connectivity TableImport create POST /v2/connectivity/connections/{connectionRid}/tableImports
Connectivity TableImport delete DELETE /v2/connectivity/connections/{connectionRid}/tableImports/{tableImportRid}
Connectivity TableImport execute POST /v2/connectivity/connections/{connectionRid}/tableImports/{tableImportRid}/execute
Connectivity TableImport get GET /v2/connectivity/connections/{connectionRid}/tableImports/{tableImportRid}
Connectivity TableImport list GET /v2/connectivity/connections/{connectionRid}/tableImports
Connectivity TableImport page GET /v2/connectivity/connections/{connectionRid}/tableImports
Datasets Branch create POST /v2/datasets/{datasetRid}/branches
Datasets Branch delete DELETE /v2/datasets/{datasetRid}/branches/{branchName}
Datasets Branch get GET /v2/datasets/{datasetRid}/branches/{branchName}
Datasets Branch list GET /v2/datasets/{datasetRid}/branches
Datasets Branch page GET /v2/datasets/{datasetRid}/branches
Datasets Dataset create POST /v2/datasets
Datasets Dataset get GET /v2/datasets/{datasetRid}
Datasets Dataset read_table GET /v2/datasets/{datasetRid}/readTable
Datasets File content GET /v2/datasets/{datasetRid}/files/{filePath}/content
Datasets File delete DELETE /v2/datasets/{datasetRid}/files/{filePath}
Datasets File get GET /v2/datasets/{datasetRid}/files/{filePath}
Datasets File list GET /v2/datasets/{datasetRid}/files
Datasets File page GET /v2/datasets/{datasetRid}/files
Datasets File upload POST /v2/datasets/{datasetRid}/files/{filePath}/upload
Datasets Transaction abort POST /v2/datasets/{datasetRid}/transactions/{transactionRid}/abort
Datasets Transaction commit POST /v2/datasets/{datasetRid}/transactions/{transactionRid}/commit
Datasets Transaction create POST /v2/datasets/{datasetRid}/transactions
Datasets Transaction get GET /v2/datasets/{datasetRid}/transactions/{transactionRid}
Filesystem Folder children GET /v2/filesystem/folders/{folderRid}/children
Filesystem Folder children_page GET /v2/filesystem/folders/{folderRid}/children
Filesystem Folder create POST /v2/filesystem/folders
Filesystem Folder get GET /v2/filesystem/folders/{folderRid}
OntologiesV2 Action apply POST /v2/ontologies/{ontology}/actions/{action}/apply
OntologiesV2 Action apply_batch POST /v2/ontologies/{ontology}/actions/{action}/applyBatch
OntologiesV2 ActionType get GET /v2/ontologies/{ontology}/actionTypes/{actionType}
OntologiesV2 ActionType list GET /v2/ontologies/{ontology}/actionTypes
OntologiesV2 ActionType page GET /v2/ontologies/{ontology}/actionTypes
OntologiesV2 Attachment get GET /v2/ontologies/attachments/{attachmentRid}
OntologiesV2 Attachment read GET /v2/ontologies/attachments/{attachmentRid}/content
OntologiesV2 Attachment upload POST /v2/ontologies/attachments/upload
OntologiesV2 AttachmentProperty get_attachment GET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/attachments/{property}
OntologiesV2 AttachmentProperty get_attachment_by_rid GET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/attachments/{property}/{attachmentRid}
OntologiesV2 AttachmentProperty read_attachment GET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/attachments/{property}/content
OntologiesV2 AttachmentProperty read_attachment_by_rid GET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/attachments/{property}/{attachmentRid}/content
OntologiesV2 LinkedObject get_linked_object GET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/links/{linkType}/{linkedObjectPrimaryKey}
OntologiesV2 LinkedObject list_linked_objects GET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/links/{linkType}
OntologiesV2 LinkedObject page_linked_objects GET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/links/{linkType}
OntologiesV2 ObjectType get GET /v2/ontologies/{ontology}/objectTypes/{objectType}
OntologiesV2 ObjectType get_outgoing_link_type GET /v2/ontologies/{ontology}/objectTypes/{objectType}/outgoingLinkTypes/{linkType}
OntologiesV2 ObjectType list GET /v2/ontologies/{ontology}/objectTypes
OntologiesV2 ObjectType list_outgoing_link_types GET /v2/ontologies/{ontology}/objectTypes/{objectType}/outgoingLinkTypes
OntologiesV2 ObjectType page GET /v2/ontologies/{ontology}/objectTypes
OntologiesV2 ObjectType page_outgoing_link_types GET /v2/ontologies/{ontology}/objectTypes/{objectType}/outgoingLinkTypes
OntologiesV2 Ontology get GET /v2/ontologies/{ontology}
OntologiesV2 OntologyObject aggregate POST /v2/ontologies/{ontology}/objects/{objectType}/aggregate
OntologiesV2 OntologyObject get GET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}
OntologiesV2 OntologyObject list GET /v2/ontologies/{ontology}/objects/{objectType}
OntologiesV2 OntologyObject page GET /v2/ontologies/{ontology}/objects/{objectType}
OntologiesV2 OntologyObject search POST /v2/ontologies/{ontology}/objects/{objectType}/search
OntologiesV2 OntologyObjectSet aggregate POST /v2/ontologies/{ontology}/objectSets/aggregate
OntologiesV2 OntologyObjectSet load POST /v2/ontologies/{ontology}/objectSets/loadObjects
OntologiesV2 Query execute POST /v2/ontologies/{ontology}/queries/{queryApiName}/execute
OntologiesV2 QueryType get GET /v2/ontologies/{ontology}/queryTypes/{queryApiName}
OntologiesV2 QueryType list GET /v2/ontologies/{ontology}/queryTypes
OntologiesV2 QueryType page GET /v2/ontologies/{ontology}/queryTypes
OntologiesV2 TimeSeriesPropertyV2 get_first_point GET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/timeseries/{property}/firstPoint
OntologiesV2 TimeSeriesPropertyV2 get_last_point GET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/timeseries/{property}/lastPoint
OntologiesV2 TimeSeriesPropertyV2 stream_points POST /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/timeseries/{property}/streamPoints
Orchestration Build cancel POST /v2/orchestration/builds/{buildRid}/cancel
Orchestration Build create POST /v2/orchestration/builds/create
Orchestration Build get GET /v2/orchestration/builds/{buildRid}
Orchestration Build get_batch POST /v2/orchestration/builds/getBatch
Orchestration Schedule create POST /v2/orchestration/schedules
Orchestration Schedule delete DELETE /v2/orchestration/schedules/{scheduleRid}
Orchestration Schedule get GET /v2/orchestration/schedules/{scheduleRid}
Orchestration Schedule pause POST /v2/orchestration/schedules/{scheduleRid}/pause
Orchestration Schedule replace PUT /v2/orchestration/schedules/{scheduleRid}
Orchestration Schedule run POST /v2/orchestration/schedules/{scheduleRid}/run
Orchestration Schedule runs GET /v2/orchestration/schedules/{scheduleRid}/runs
Orchestration Schedule runs_page GET /v2/orchestration/schedules/{scheduleRid}/runs
Orchestration Schedule unpause POST /v2/orchestration/schedules/{scheduleRid}/unpause
Orchestration ScheduleVersion get GET /v2/orchestration/scheduleVersions/{scheduleVersionRid}
Orchestration ScheduleVersion schedule GET /v2/orchestration/scheduleVersions/{scheduleVersionRid}/schedule
Streams Dataset create POST /v2/streams/datasets/create
Streams Stream create POST /v2/streams/datasets/{datasetRid}/streams
Streams Stream get GET /v2/streams/datasets/{datasetRid}/streams/{streamBranchName}
Streams Stream publish_binary_record POST /v2/highScale/streams/datasets/{datasetRid}/streams/{streamBranchName}/publishBinaryRecord
Streams Stream publish_record POST /v2/highScale/streams/datasets/{datasetRid}/streams/{streamBranchName}/publishRecord
Streams Stream publish_records POST /v2/highScale/streams/datasets/{datasetRid}/streams/{streamBranchName}/publishRecords
Streams Stream reset POST /v2/streams/datasets/{datasetRid}/streams/{streamBranchName}/reset
ThirdPartyApplications Version delete DELETE /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/versions/{versionVersion}
ThirdPartyApplications Version get GET /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/versions/{versionVersion}
ThirdPartyApplications Version list GET /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/versions
ThirdPartyApplications Version page GET /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/versions
ThirdPartyApplications Version upload POST /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/versions/upload
ThirdPartyApplications Website deploy POST /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/deploy
ThirdPartyApplications Website get GET /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website
ThirdPartyApplications Website undeploy POST /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/undeploy

Documentation for V1 API endpoints

Namespace Resource Operation HTTP request
Datasets Branch create POST /v1/datasets/{datasetRid}/branches
Datasets Branch delete DELETE /v1/datasets/{datasetRid}/branches/{branchId}
Datasets Branch get GET /v1/datasets/{datasetRid}/branches/{branchId}
Datasets Branch list GET /v1/datasets/{datasetRid}/branches
Datasets Branch page GET /v1/datasets/{datasetRid}/branches
Datasets Dataset create POST /v1/datasets
Datasets Dataset get GET /v1/datasets/{datasetRid}
Datasets Dataset read GET /v1/datasets/{datasetRid}/readTable
Datasets File delete DELETE /v1/datasets/{datasetRid}/files/{filePath}
Datasets File get GET /v1/datasets/{datasetRid}/files/{filePath}
Datasets File list GET /v1/datasets/{datasetRid}/files
Datasets File page GET /v1/datasets/{datasetRid}/files
Datasets File read GET /v1/datasets/{datasetRid}/files/{filePath}/content
Datasets File upload POST /v1/datasets/{datasetRid}/files:upload
Datasets Transaction abort POST /v1/datasets/{datasetRid}/transactions/{transactionRid}/abort
Datasets Transaction commit POST /v1/datasets/{datasetRid}/transactions/{transactionRid}/commit
Datasets Transaction create POST /v1/datasets/{datasetRid}/transactions
Datasets Transaction get GET /v1/datasets/{datasetRid}/transactions/{transactionRid}
Ontologies Action apply POST /v1/ontologies/{ontologyRid}/actions/{actionType}/apply
Ontologies Action apply_batch POST /v1/ontologies/{ontologyRid}/actions/{actionType}/applyBatch
Ontologies Action validate POST /v1/ontologies/{ontologyRid}/actions/{actionType}/validate
Ontologies ActionType get GET /v1/ontologies/{ontologyRid}/actionTypes/{actionTypeApiName}
Ontologies ActionType list GET /v1/ontologies/{ontologyRid}/actionTypes
Ontologies ActionType page GET /v1/ontologies/{ontologyRid}/actionTypes
Ontologies ObjectType get GET /v1/ontologies/{ontologyRid}/objectTypes/{objectType}
Ontologies ObjectType get_outgoing_link_type GET /v1/ontologies/{ontologyRid}/objectTypes/{objectType}/outgoingLinkTypes/{linkType}
Ontologies ObjectType list GET /v1/ontologies/{ontologyRid}/objectTypes
Ontologies ObjectType list_outgoing_link_types GET /v1/ontologies/{ontologyRid}/objectTypes/{objectType}/outgoingLinkTypes
Ontologies ObjectType page GET /v1/ontologies/{ontologyRid}/objectTypes
Ontologies ObjectType page_outgoing_link_types GET /v1/ontologies/{ontologyRid}/objectTypes/{objectType}/outgoingLinkTypes
Ontologies Ontology get GET /v1/ontologies/{ontologyRid}
Ontologies Ontology list GET /v1/ontologies
Ontologies OntologyObject aggregate POST /v1/ontologies/{ontologyRid}/objects/{objectType}/aggregate
Ontologies OntologyObject get GET /v1/ontologies/{ontologyRid}/objects/{objectType}/{primaryKey}
Ontologies OntologyObject get_linked_object GET /v1/ontologies/{ontologyRid}/objects/{objectType}/{primaryKey}/links/{linkType}/{linkedObjectPrimaryKey}
Ontologies OntologyObject list GET /v1/ontologies/{ontologyRid}/objects/{objectType}
Ontologies OntologyObject list_linked_objects GET /v1/ontologies/{ontologyRid}/objects/{objectType}/{primaryKey}/links/{linkType}
Ontologies OntologyObject page GET /v1/ontologies/{ontologyRid}/objects/{objectType}
Ontologies OntologyObject page_linked_objects GET /v1/ontologies/{ontologyRid}/objects/{objectType}/{primaryKey}/links/{linkType}
Ontologies OntologyObject search POST /v1/ontologies/{ontologyRid}/objects/{objectType}/search
Ontologies Query execute POST /v1/ontologies/{ontologyRid}/queries/{queryApiName}/execute
Ontologies QueryType get GET /v1/ontologies/{ontologyRid}/queryTypes/{queryApiName}
Ontologies QueryType list GET /v1/ontologies/{ontologyRid}/queryTypes
Ontologies QueryType page GET /v1/ontologies/{ontologyRid}/queryTypes

Documentation for V2 models

Namespace Name Import
Admin AttributeName from foundry.v2.admin.models import AttributeName
Admin AttributeValue from foundry.v2.admin.models import AttributeValue
Admin AttributeValues from foundry.v2.admin.models import AttributeValues
Admin Enrollment from foundry.v2.admin.models import Enrollment
Admin EnrollmentDict from foundry.v2.admin.models import EnrollmentDict
Admin EnrollmentName from foundry.v2.admin.models import EnrollmentName
Admin GetGroupsBatchRequestElement from foundry.v2.admin.models import GetGroupsBatchRequestElement
Admin GetGroupsBatchRequestElementDict from foundry.v2.admin.models import GetGroupsBatchRequestElementDict
Admin GetGroupsBatchResponse from foundry.v2.admin.models import GetGroupsBatchResponse
Admin GetGroupsBatchResponseDict from foundry.v2.admin.models import GetGroupsBatchResponseDict
Admin GetMarkingsBatchRequestElement from foundry.v2.admin.models import GetMarkingsBatchRequestElement
Admin GetMarkingsBatchRequestElementDict from foundry.v2.admin.models import GetMarkingsBatchRequestElementDict
Admin GetMarkingsBatchResponse from foundry.v2.admin.models import GetMarkingsBatchResponse
Admin GetMarkingsBatchResponseDict from foundry.v2.admin.models import GetMarkingsBatchResponseDict
Admin GetUserMarkingsResponse from foundry.v2.admin.models import GetUserMarkingsResponse
Admin GetUserMarkingsResponseDict from foundry.v2.admin.models import GetUserMarkingsResponseDict
Admin GetUsersBatchRequestElement from foundry.v2.admin.models import GetUsersBatchRequestElement
Admin GetUsersBatchRequestElementDict from foundry.v2.admin.models import GetUsersBatchRequestElementDict
Admin GetUsersBatchResponse from foundry.v2.admin.models import GetUsersBatchResponse
Admin GetUsersBatchResponseDict from foundry.v2.admin.models import GetUsersBatchResponseDict
Admin Group from foundry.v2.admin.models import Group
Admin GroupDict from foundry.v2.admin.models import GroupDict
Admin GroupMember from foundry.v2.admin.models import GroupMember
Admin GroupMemberDict from foundry.v2.admin.models import GroupMemberDict
Admin GroupMembership from foundry.v2.admin.models import GroupMembership
Admin GroupMembershipDict from foundry.v2.admin.models import GroupMembershipDict
Admin GroupMembershipExpiration from foundry.v2.admin.models import GroupMembershipExpiration
Admin GroupName from foundry.v2.admin.models import GroupName
Admin GroupProviderInfo from foundry.v2.admin.models import GroupProviderInfo
Admin GroupProviderInfoDict from foundry.v2.admin.models import GroupProviderInfoDict
Admin GroupSearchFilter from foundry.v2.admin.models import GroupSearchFilter
Admin GroupSearchFilterDict from foundry.v2.admin.models import GroupSearchFilterDict
Admin Host from foundry.v2.admin.models import Host
Admin HostDict from foundry.v2.admin.models import HostDict
Admin HostName from foundry.v2.admin.models import HostName
Admin ListGroupMembershipsResponse from foundry.v2.admin.models import ListGroupMembershipsResponse
Admin ListGroupMembershipsResponseDict from foundry.v2.admin.models import ListGroupMembershipsResponseDict
Admin ListGroupMembersResponse from foundry.v2.admin.models import ListGroupMembersResponse
Admin ListGroupMembersResponseDict from foundry.v2.admin.models import ListGroupMembersResponseDict
Admin ListGroupsResponse from foundry.v2.admin.models import ListGroupsResponse
Admin ListGroupsResponseDict from foundry.v2.admin.models import ListGroupsResponseDict
Admin ListHostsResponse from foundry.v2.admin.models import ListHostsResponse
Admin ListHostsResponseDict from foundry.v2.admin.models import ListHostsResponseDict
Admin ListMarkingCategoriesResponse from foundry.v2.admin.models import ListMarkingCategoriesResponse
Admin ListMarkingCategoriesResponseDict from foundry.v2.admin.models import ListMarkingCategoriesResponseDict
Admin ListMarkingMembersResponse from foundry.v2.admin.models import ListMarkingMembersResponse
Admin ListMarkingMembersResponseDict from foundry.v2.admin.models import ListMarkingMembersResponseDict
Admin ListMarkingRoleAssignmentsResponse from foundry.v2.admin.models import ListMarkingRoleAssignmentsResponse
Admin ListMarkingRoleAssignmentsResponseDict from foundry.v2.admin.models import ListMarkingRoleAssignmentsResponseDict
Admin ListMarkingsResponse from foundry.v2.admin.models import ListMarkingsResponse
Admin ListMarkingsResponseDict from foundry.v2.admin.models import ListMarkingsResponseDict
Admin ListUsersResponse from foundry.v2.admin.models import ListUsersResponse
Admin ListUsersResponseDict from foundry.v2.admin.models import ListUsersResponseDict
Admin Marking from foundry.v2.admin.models import Marking
Admin MarkingCategory from foundry.v2.admin.models import MarkingCategory
Admin MarkingCategoryDict from foundry.v2.admin.models import MarkingCategoryDict
Admin MarkingCategoryId from foundry.v2.admin.models import MarkingCategoryId
Admin MarkingCategoryName from foundry.v2.admin.models import MarkingCategoryName
Admin MarkingCategoryType from foundry.v2.admin.models import MarkingCategoryType
Admin MarkingDict from foundry.v2.admin.models import MarkingDict
Admin MarkingMember from foundry.v2.admin.models import MarkingMember
Admin MarkingMemberDict from foundry.v2.admin.models import MarkingMemberDict
Admin MarkingName from foundry.v2.admin.models import MarkingName
Admin MarkingRole from foundry.v2.admin.models import MarkingRole
Admin MarkingRoleAssignment from foundry.v2.admin.models import MarkingRoleAssignment
Admin MarkingRoleAssignmentDict from foundry.v2.admin.models import MarkingRoleAssignmentDict
Admin MarkingRoleUpdate from foundry.v2.admin.models import MarkingRoleUpdate
Admin MarkingRoleUpdateDict from foundry.v2.admin.models import MarkingRoleUpdateDict
Admin MarkingType from foundry.v2.admin.models import MarkingType
Admin Organization from foundry.v2.admin.models import Organization
Admin OrganizationDict from foundry.v2.admin.models import OrganizationDict
Admin OrganizationName from foundry.v2.admin.models import OrganizationName
Admin PrincipalFilterType from foundry.v2.admin.models import PrincipalFilterType
Admin ProviderId from foundry.v2.admin.models import ProviderId
Admin SearchGroupsResponse from foundry.v2.admin.models import SearchGroupsResponse
Admin SearchGroupsResponseDict from foundry.v2.admin.models import SearchGroupsResponseDict
Admin SearchUsersResponse from foundry.v2.admin.models import SearchUsersResponse
Admin SearchUsersResponseDict from foundry.v2.admin.models import SearchUsersResponseDict
Admin User from foundry.v2.admin.models import User
Admin UserDict from foundry.v2.admin.models import UserDict
Admin UserProviderInfo from foundry.v2.admin.models import UserProviderInfo
Admin UserProviderInfoDict from foundry.v2.admin.models import UserProviderInfoDict
Admin UserSearchFilter from foundry.v2.admin.models import UserSearchFilter
Admin UserSearchFilterDict from foundry.v2.admin.models import UserSearchFilterDict
Admin UserUsername from foundry.v2.admin.models import UserUsername
AipAgents Agent from foundry.v2.aip_agents.models import Agent
AipAgents AgentDict from foundry.v2.aip_agents.models import AgentDict
AipAgents AgentMarkdownResponse from foundry.v2.aip_agents.models import AgentMarkdownResponse
AipAgents AgentMetadata from foundry.v2.aip_agents.models import AgentMetadata
AipAgents AgentMetadataDict from foundry.v2.aip_agents.models import AgentMetadataDict
AipAgents AgentRid from foundry.v2.aip_agents.models import AgentRid
AipAgents AgentSessionRagContextResponse from foundry.v2.aip_agents.models import AgentSessionRagContextResponse
AipAgents AgentSessionRagContextResponseDict from foundry.v2.aip_agents.models import AgentSessionRagContextResponseDict
AipAgents AgentsSessionsPage from foundry.v2.aip_agents.models import AgentsSessionsPage
AipAgents AgentsSessionsPageDict from foundry.v2.aip_agents.models import AgentsSessionsPageDict
AipAgents AgentVersion from foundry.v2.aip_agents.models import AgentVersion
AipAgents AgentVersionDetails from foundry.v2.aip_agents.models import AgentVersionDetails
AipAgents AgentVersionDetailsDict from foundry.v2.aip_agents.models import AgentVersionDetailsDict
AipAgents AgentVersionDict from foundry.v2.aip_agents.models import AgentVersionDict
AipAgents AgentVersionString from foundry.v2.aip_agents.models import AgentVersionString
AipAgents CancelSessionResponse from foundry.v2.aip_agents.models import CancelSessionResponse
AipAgents CancelSessionResponseDict from foundry.v2.aip_agents.models import CancelSessionResponseDict
AipAgents Content from foundry.v2.aip_agents.models import Content
AipAgents ContentDict from foundry.v2.aip_agents.models import ContentDict
AipAgents FunctionRetrievedContext from foundry.v2.aip_agents.models import FunctionRetrievedContext
AipAgents FunctionRetrievedContextDict from foundry.v2.aip_agents.models import FunctionRetrievedContextDict
AipAgents InputContext from foundry.v2.aip_agents.models import InputContext
AipAgents InputContextDict from foundry.v2.aip_agents.models import InputContextDict
AipAgents ListAgentVersionsResponse from foundry.v2.aip_agents.models import ListAgentVersionsResponse
AipAgents ListAgentVersionsResponseDict from foundry.v2.aip_agents.models import ListAgentVersionsResponseDict
AipAgents ListSessionsResponse from foundry.v2.aip_agents.models import ListSessionsResponse
AipAgents ListSessionsResponseDict from foundry.v2.aip_agents.models import ListSessionsResponseDict
AipAgents MessageId from foundry.v2.aip_agents.models import MessageId
AipAgents ObjectContext from foundry.v2.aip_agents.models import ObjectContext
AipAgents ObjectContextDict from foundry.v2.aip_agents.models import ObjectContextDict
AipAgents ObjectSetParameter from foundry.v2.aip_agents.models import ObjectSetParameter
AipAgents ObjectSetParameterDict from foundry.v2.aip_agents.models import ObjectSetParameterDict
AipAgents ObjectSetParameterValue from foundry.v2.aip_agents.models import ObjectSetParameterValue
AipAgents ObjectSetParameterValueDict from foundry.v2.aip_agents.models import ObjectSetParameterValueDict
AipAgents ObjectSetParameterValueUpdate from foundry.v2.aip_agents.models import ObjectSetParameterValueUpdate
AipAgents ObjectSetParameterValueUpdateDict from foundry.v2.aip_agents.models import ObjectSetParameterValueUpdateDict
AipAgents Parameter from foundry.v2.aip_agents.models import Parameter
AipAgents ParameterAccessMode from foundry.v2.aip_agents.models import ParameterAccessMode
AipAgents ParameterDict from foundry.v2.aip_agents.models import ParameterDict
AipAgents ParameterId from foundry.v2.aip_agents.models import ParameterId
AipAgents ParameterType from foundry.v2.aip_agents.models import ParameterType
AipAgents ParameterTypeDict from foundry.v2.aip_agents.models import ParameterTypeDict
AipAgents ParameterValue from foundry.v2.aip_agents.models import ParameterValue
AipAgents ParameterValueDict from foundry.v2.aip_agents.models import ParameterValueDict
AipAgents ParameterValueUpdate from foundry.v2.aip_agents.models import ParameterValueUpdate
AipAgents ParameterValueUpdateDict from foundry.v2.aip_agents.models import ParameterValueUpdateDict
AipAgents Session from foundry.v2.aip_agents.models import Session
AipAgents SessionDict from foundry.v2.aip_agents.models import SessionDict
AipAgents SessionExchange from foundry.v2.aip_agents.models import SessionExchange
AipAgents SessionExchangeContexts from foundry.v2.aip_agents.models import SessionExchangeContexts
AipAgents SessionExchangeContextsDict from foundry.v2.aip_agents.models import SessionExchangeContextsDict
AipAgents SessionExchangeDict from foundry.v2.aip_agents.models import SessionExchangeDict
AipAgents SessionExchangeResult from foundry.v2.aip_agents.models import SessionExchangeResult
AipAgents SessionExchangeResultDict from foundry.v2.aip_agents.models import SessionExchangeResultDict
AipAgents SessionMetadata from foundry.v2.aip_agents.models import SessionMetadata
AipAgents SessionMetadataDict from foundry.v2.aip_agents.models import SessionMetadataDict
AipAgents SessionRid from foundry.v2.aip_agents.models import SessionRid
AipAgents StringParameter from foundry.v2.aip_agents.models import StringParameter
AipAgents StringParameterDict from foundry.v2.aip_agents.models import StringParameterDict
AipAgents StringParameterValue from foundry.v2.aip_agents.models import StringParameterValue
AipAgents StringParameterValueDict from foundry.v2.aip_agents.models import StringParameterValueDict
AipAgents UserTextInput from foundry.v2.aip_agents.models import UserTextInput
AipAgents UserTextInputDict from foundry.v2.aip_agents.models import UserTextInputDict
Connectivity AgentProxyRuntime from foundry.v2.connectivity.models import AgentProxyRuntime
Connectivity AgentProxyRuntimeDict from foundry.v2.connectivity.models import AgentProxyRuntimeDict
Connectivity AgentRid from foundry.v2.connectivity.models import AgentRid
Connectivity AgentWorkerRuntime from foundry.v2.connectivity.models import AgentWorkerRuntime
Connectivity AgentWorkerRuntimeDict from foundry.v2.connectivity.models import AgentWorkerRuntimeDict
Connectivity AsPlaintextValue from foundry.v2.connectivity.models import AsPlaintextValue
Connectivity AsPlaintextValueDict from foundry.v2.connectivity.models import AsPlaintextValueDict
Connectivity AsSecretName from foundry.v2.connectivity.models import AsSecretName
Connectivity AsSecretNameDict from foundry.v2.connectivity.models import AsSecretNameDict
Connectivity AwsAccessKey from foundry.v2.connectivity.models import AwsAccessKey
Connectivity AwsAccessKeyDict from foundry.v2.connectivity.models import AwsAccessKeyDict
Connectivity BasicCredentials from foundry.v2.connectivity.models import BasicCredentials
Connectivity BasicCredentialsDict from foundry.v2.connectivity.models import BasicCredentialsDict
Connectivity CloudIdentity from foundry.v2.connectivity.models import CloudIdentity
Connectivity CloudIdentityDict from foundry.v2.connectivity.models import CloudIdentityDict
Connectivity CloudIdentityRid from foundry.v2.connectivity.models import CloudIdentityRid
Connectivity Connection from foundry.v2.connectivity.models import Connection
Connectivity ConnectionConfiguration from foundry.v2.connectivity.models import ConnectionConfiguration
Connectivity ConnectionConfigurationDict from foundry.v2.connectivity.models import ConnectionConfigurationDict
Connectivity ConnectionDict from foundry.v2.connectivity.models import ConnectionDict
Connectivity ConnectionDisplayName from foundry.v2.connectivity.models import ConnectionDisplayName
Connectivity ConnectionRid from foundry.v2.connectivity.models import ConnectionRid
Connectivity CreateConnectionRequestAgentProxyRuntime from foundry.v2.connectivity.models import CreateConnectionRequestAgentProxyRuntime
Connectivity CreateConnectionRequestAgentProxyRuntimeDict from foundry.v2.connectivity.models import CreateConnectionRequestAgentProxyRuntimeDict
Connectivity CreateConnectionRequestAgentWorkerRuntime from foundry.v2.connectivity.models import CreateConnectionRequestAgentWorkerRuntime
Connectivity CreateConnectionRequestAgentWorkerRuntimeDict from foundry.v2.connectivity.models import CreateConnectionRequestAgentWorkerRuntimeDict
Connectivity CreateConnectionRequestConnectionConfiguration from foundry.v2.connectivity.models import CreateConnectionRequestConnectionConfiguration
Connectivity CreateConnectionRequestConnectionConfigurationDict from foundry.v2.connectivity.models import CreateConnectionRequestConnectionConfigurationDict
Connectivity CreateConnectionRequestDirectConnectionRuntime from foundry.v2.connectivity.models import CreateConnectionRequestDirectConnectionRuntime
Connectivity CreateConnectionRequestDirectConnectionRuntimeDict from foundry.v2.connectivity.models import CreateConnectionRequestDirectConnectionRuntimeDict
Connectivity CreateConnectionRequestRuntimePlatform from foundry.v2.connectivity.models import CreateConnectionRequestRuntimePlatform
Connectivity CreateConnectionRequestRuntimePlatformDict from foundry.v2.connectivity.models import CreateConnectionRequestRuntimePlatformDict
Connectivity CreateConnectionRequestS3ConnectionConfiguration from foundry.v2.connectivity.models import CreateConnectionRequestS3ConnectionConfiguration
Connectivity CreateConnectionRequestS3ConnectionConfigurationDict from foundry.v2.connectivity.models import CreateConnectionRequestS3ConnectionConfigurationDict
Connectivity CreateTableImportRequestJdbcImportConfig from foundry.v2.connectivity.models import CreateTableImportRequestJdbcImportConfig
Connectivity CreateTableImportRequestJdbcImportConfigDict from foundry.v2.connectivity.models import CreateTableImportRequestJdbcImportConfigDict
Connectivity CreateTableImportRequestMicrosoftAccessImportConfig from foundry.v2.connectivity.models import CreateTableImportRequestMicrosoftAccessImportConfig
Connectivity CreateTableImportRequestMicrosoftAccessImportConfigDict from foundry.v2.connectivity.models import CreateTableImportRequestMicrosoftAccessImportConfigDict
Connectivity CreateTableImportRequestMicrosoftSqlServerImportConfig from foundry.v2.connectivity.models import CreateTableImportRequestMicrosoftSqlServerImportConfig
Connectivity CreateTableImportRequestMicrosoftSqlServerImportConfigDict from foundry.v2.connectivity.models import CreateTableImportRequestMicrosoftSqlServerImportConfigDict
Connectivity CreateTableImportRequestOracleImportConfig from foundry.v2.connectivity.models import CreateTableImportRequestOracleImportConfig
Connectivity CreateTableImportRequestOracleImportConfigDict from foundry.v2.connectivity.models import CreateTableImportRequestOracleImportConfigDict
Connectivity CreateTableImportRequestPostgreSqlImportConfig from foundry.v2.connectivity.models import CreateTableImportRequestPostgreSqlImportConfig
Connectivity CreateTableImportRequestPostgreSqlImportConfigDict from foundry.v2.connectivity.models import CreateTableImportRequestPostgreSqlImportConfigDict
Connectivity CreateTableImportRequestTableImportConfig from foundry.v2.connectivity.models import CreateTableImportRequestTableImportConfig
Connectivity CreateTableImportRequestTableImportConfigDict from foundry.v2.connectivity.models import CreateTableImportRequestTableImportConfigDict
Connectivity DirectConnectionRuntime from foundry.v2.connectivity.models import DirectConnectionRuntime
Connectivity DirectConnectionRuntimeDict from foundry.v2.connectivity.models import DirectConnectionRuntimeDict
Connectivity EncryptedProperty from foundry.v2.connectivity.models import EncryptedProperty
Connectivity EncryptedPropertyDict from foundry.v2.connectivity.models import EncryptedPropertyDict
Connectivity FileAnyPathMatchesFilter from foundry.v2.connectivity.models import FileAnyPathMatchesFilter
Connectivity FileAnyPathMatchesFilterDict from foundry.v2.connectivity.models import FileAnyPathMatchesFilterDict
Connectivity FileAtLeastCountFilter from foundry.v2.connectivity.models import FileAtLeastCountFilter
Connectivity FileAtLeastCountFilterDict from foundry.v2.connectivity.models import FileAtLeastCountFilterDict
Connectivity FileChangedSinceLastUploadFilter from foundry.v2.connectivity.models import FileChangedSinceLastUploadFilter
Connectivity FileChangedSinceLastUploadFilterDict from foundry.v2.connectivity.models import FileChangedSinceLastUploadFilterDict
Connectivity FileImport from foundry.v2.connectivity.models import FileImport
Connectivity FileImportCustomFilter from foundry.v2.connectivity.models import FileImportCustomFilter
Connectivity FileImportCustomFilterDict from foundry.v2.connectivity.models import FileImportCustomFilterDict
Connectivity FileImportDict from foundry.v2.connectivity.models import FileImportDict
Connectivity FileImportDisplayName from foundry.v2.connectivity.models import FileImportDisplayName
Connectivity FileImportFilter from foundry.v2.connectivity.models import FileImportFilter
Connectivity FileImportFilterDict from foundry.v2.connectivity.models import FileImportFilterDict
Connectivity FileImportMode from foundry.v2.connectivity.models import FileImportMode
Connectivity FileImportRid from foundry.v2.connectivity.models import FileImportRid
Connectivity FileLastModifiedAfterFilter from foundry.v2.connectivity.models import FileLastModifiedAfterFilter
Connectivity FileLastModifiedAfterFilterDict from foundry.v2.connectivity.models import FileLastModifiedAfterFilterDict
Connectivity FilePathMatchesFilter from foundry.v2.connectivity.models import FilePathMatchesFilter
Connectivity FilePathMatchesFilterDict from foundry.v2.connectivity.models import FilePathMatchesFilterDict
Connectivity FilePathNotMatchesFilter from foundry.v2.connectivity.models import FilePathNotMatchesFilter
Connectivity FilePathNotMatchesFilterDict from foundry.v2.connectivity.models import FilePathNotMatchesFilterDict
Connectivity FileProperty from foundry.v2.connectivity.models import FileProperty
Connectivity FilesCountLimitFilter from foundry.v2.connectivity.models import FilesCountLimitFilter
Connectivity FilesCountLimitFilterDict from foundry.v2.connectivity.models import FilesCountLimitFilterDict
Connectivity FileSizeFilter from foundry.v2.connectivity.models import FileSizeFilter
Connectivity FileSizeFilterDict from foundry.v2.connectivity.models import FileSizeFilterDict
Connectivity JdbcImportConfig from foundry.v2.connectivity.models import JdbcImportConfig
Connectivity JdbcImportConfigDict from foundry.v2.connectivity.models import JdbcImportConfigDict
Connectivity ListFileImportsResponse from foundry.v2.connectivity.models import ListFileImportsResponse
Connectivity ListFileImportsResponseDict from foundry.v2.connectivity.models import ListFileImportsResponseDict
Connectivity ListTableImportsResponse from foundry.v2.connectivity.models import ListTableImportsResponse
Connectivity ListTableImportsResponseDict from foundry.v2.connectivity.models import ListTableImportsResponseDict
Connectivity MicrosoftAccessImportConfig from foundry.v2.connectivity.models import MicrosoftAccessImportConfig
Connectivity MicrosoftAccessImportConfigDict from foundry.v2.connectivity.models import MicrosoftAccessImportConfigDict
Connectivity MicrosoftSqlServerImportConfig from foundry.v2.connectivity.models import MicrosoftSqlServerImportConfig
Connectivity MicrosoftSqlServerImportConfigDict from foundry.v2.connectivity.models import MicrosoftSqlServerImportConfigDict
Connectivity NetworkEgressPolicyRid from foundry.v2.connectivity.models import NetworkEgressPolicyRid
Connectivity Oidc from foundry.v2.connectivity.models import Oidc
Connectivity OidcDict from foundry.v2.connectivity.models import OidcDict
Connectivity OracleImportConfig from foundry.v2.connectivity.models import OracleImportConfig
Connectivity OracleImportConfigDict from foundry.v2.connectivity.models import OracleImportConfigDict
Connectivity PlaintextValue from foundry.v2.connectivity.models import PlaintextValue
Connectivity PostgreSqlImportConfig from foundry.v2.connectivity.models import PostgreSqlImportConfig
Connectivity PostgreSqlImportConfigDict from foundry.v2.connectivity.models import PostgreSqlImportConfigDict
Connectivity Protocol from foundry.v2.connectivity.models import Protocol
Connectivity Region from foundry.v2.connectivity.models import Region
Connectivity RuntimePlatform from foundry.v2.connectivity.models import RuntimePlatform
Connectivity RuntimePlatformDict from foundry.v2.connectivity.models import RuntimePlatformDict
Connectivity S3AuthenticationMode from foundry.v2.connectivity.models import S3AuthenticationMode
Connectivity S3AuthenticationModeDict from foundry.v2.connectivity.models import S3AuthenticationModeDict
Connectivity S3ConnectionConfiguration from foundry.v2.connectivity.models import S3ConnectionConfiguration
Connectivity S3ConnectionConfigurationDict from foundry.v2.connectivity.models import S3ConnectionConfigurationDict
Connectivity S3KmsConfiguration from foundry.v2.connectivity.models import S3KmsConfiguration
Connectivity S3KmsConfigurationDict from foundry.v2.connectivity.models import S3KmsConfigurationDict
Connectivity S3ProxyConfiguration from foundry.v2.connectivity.models import S3ProxyConfiguration
Connectivity S3ProxyConfigurationDict from foundry.v2.connectivity.models import S3ProxyConfigurationDict
Connectivity SecretName from foundry.v2.connectivity.models import SecretName
Connectivity StsRoleConfiguration from foundry.v2.connectivity.models import StsRoleConfiguration
Connectivity StsRoleConfigurationDict from foundry.v2.connectivity.models import StsRoleConfigurationDict
Connectivity TableImport from foundry.v2.connectivity.models import TableImport
Connectivity TableImportAllowSchemaChanges from foundry.v2.connectivity.models import TableImportAllowSchemaChanges
Connectivity TableImportConfig from foundry.v2.connectivity.models import TableImportConfig
Connectivity TableImportConfigDict from foundry.v2.connectivity.models import TableImportConfigDict
Connectivity TableImportDict from foundry.v2.connectivity.models import TableImportDict
Connectivity TableImportDisplayName from foundry.v2.connectivity.models import TableImportDisplayName
Connectivity TableImportMode from foundry.v2.connectivity.models import TableImportMode
Connectivity TableImportRid from foundry.v2.connectivity.models import TableImportRid
Core AnyType from foundry.v2.core.models import AnyType
Core AnyTypeDict from foundry.v2.core.models import AnyTypeDict
Core ArrayFieldType from foundry.v2.core.models import ArrayFieldType
Core ArrayFieldTypeDict from foundry.v2.core.models import ArrayFieldTypeDict
Core AttachmentType from foundry.v2.core.models import AttachmentType
Core AttachmentTypeDict from foundry.v2.core.models import AttachmentTypeDict
Core BinaryType from foundry.v2.core.models import BinaryType
Core BinaryTypeDict from foundry.v2.core.models import BinaryTypeDict
Core BooleanType from foundry.v2.core.models import BooleanType
Core BooleanTypeDict from foundry.v2.core.models import BooleanTypeDict
Core ByteType from foundry.v2.core.models import ByteType
Core ByteTypeDict from foundry.v2.core.models import ByteTypeDict
Core ChangeDataCaptureConfiguration from foundry.v2.core.models import ChangeDataCaptureConfiguration
Core ChangeDataCaptureConfigurationDict from foundry.v2.core.models import ChangeDataCaptureConfigurationDict
Core CipherTextType from foundry.v2.core.models import CipherTextType
Core CipherTextTypeDict from foundry.v2.core.models import CipherTextTypeDict
Core ContentLength from foundry.v2.core.models import ContentLength
Core ContentType from foundry.v2.core.models import ContentType
Core CreatedBy from foundry.v2.core.models import CreatedBy
Core CreatedTime from foundry.v2.core.models import CreatedTime
Core CustomMetadata from foundry.v2.core.models import CustomMetadata
Core DateType from foundry.v2.core.models import DateType
Core DateTypeDict from foundry.v2.core.models import DateTypeDict
Core DecimalType from foundry.v2.core.models import DecimalType
Core DecimalTypeDict from foundry.v2.core.models import DecimalTypeDict
Core DisplayName from foundry.v2.core.models import DisplayName
Core Distance from foundry.v2.core.models import Distance
Core DistanceDict from foundry.v2.core.models import DistanceDict
Core DistanceUnit from foundry.v2.core.models import DistanceUnit
Core DoubleType from foundry.v2.core.models import DoubleType
Core DoubleTypeDict from foundry.v2.core.models import DoubleTypeDict
Core Duration from foundry.v2.core.models import Duration
Core DurationDict from foundry.v2.core.models import DurationDict
Core EmbeddingModel from foundry.v2.core.models import EmbeddingModel
Core EmbeddingModelDict from foundry.v2.core.models import EmbeddingModelDict
Core EnrollmentRid from foundry.v2.core.models import EnrollmentRid
Core Field from foundry.v2.core.models import Field
Core FieldDataType from foundry.v2.core.models import FieldDataType
Core FieldDataTypeDict from foundry.v2.core.models import FieldDataTypeDict
Core FieldDict from foundry.v2.core.models import FieldDict
Core FieldName from foundry.v2.core.models import FieldName
Core FieldSchema from foundry.v2.core.models import FieldSchema
Core FieldSchemaDict from foundry.v2.core.models import FieldSchemaDict
Core Filename from foundry.v2.core.models import Filename
Core FilePath from foundry.v2.core.models import FilePath
Core FilterBinaryTypeDict from foundry.v2.core.models import FilterBinaryTypeDict
Core FilterBooleanTypeDict from foundry.v2.core.models import FilterBooleanTypeDict
Core FilterDateTimeTypeDict from foundry.v2.core.models import FilterDateTimeTypeDict
Core FilterDateTypeDict from foundry.v2.core.models import FilterDateTypeDict
Core FilterDoubleTypeDict from foundry.v2.core.models import FilterDoubleTypeDict
Core FilterEnumTypeDict from foundry.v2.core.models import FilterEnumTypeDict
Core FilterFloatTypeDict from foundry.v2.core.models import FilterFloatTypeDict
Core FilterIntegerTypeDict from foundry.v2.core.models import FilterIntegerTypeDict
Core FilterLongTypeDict from foundry.v2.core.models import FilterLongTypeDict
Core FilterRidTypeDict from foundry.v2.core.models import FilterRidTypeDict
Core FilterStringTypeDict from foundry.v2.core.models import FilterStringTypeDict
Core FilterTypeDict from foundry.v2.core.models import FilterTypeDict
Core FilterUuidTypeDict from foundry.v2.core.models import FilterUuidTypeDict
Core FloatType from foundry.v2.core.models import FloatType
Core FloatTypeDict from foundry.v2.core.models import FloatTypeDict
Core FoundryLiveDeployment from foundry.v2.core.models import FoundryLiveDeployment
Core FoundryLiveDeploymentDict from foundry.v2.core.models import FoundryLiveDeploymentDict
Core FullRowChangeDataCaptureConfiguration from foundry.v2.core.models import FullRowChangeDataCaptureConfiguration
Core FullRowChangeDataCaptureConfigurationDict from foundry.v2.core.models import FullRowChangeDataCaptureConfigurationDict
Core GeoPointType from foundry.v2.core.models import GeoPointType
Core GeoPointTypeDict from foundry.v2.core.models import GeoPointTypeDict
Core GeoShapeType from foundry.v2.core.models import GeoShapeType
Core GeoShapeTypeDict from foundry.v2.core.models import GeoShapeTypeDict
Core GeotimeSeriesReferenceType from foundry.v2.core.models import GeotimeSeriesReferenceType
Core GeotimeSeriesReferenceTypeDict from foundry.v2.core.models import GeotimeSeriesReferenceTypeDict
Core GroupName from foundry.v2.core.models import GroupName
Core GroupRid from foundry.v2.core.models import GroupRid
Core IntegerType from foundry.v2.core.models import IntegerType
Core IntegerTypeDict from foundry.v2.core.models import IntegerTypeDict
Core LmsEmbeddingModel from foundry.v2.core.models import LmsEmbeddingModel
Core LmsEmbeddingModelDict from foundry.v2.core.models import LmsEmbeddingModelDict
Core LmsEmbeddingModelValue from foundry.v2.core.models import LmsEmbeddingModelValue
Core LongType from foundry.v2.core.models import LongType
Core LongTypeDict from foundry.v2.core.models import LongTypeDict
Core MapFieldType from foundry.v2.core.models import MapFieldType
Core MapFieldTypeDict from foundry.v2.core.models import MapFieldTypeDict
Core MarkingId from foundry.v2.core.models import MarkingId
Core MarkingType from foundry.v2.core.models import MarkingType
Core MarkingTypeDict from foundry.v2.core.models import MarkingTypeDict
Core MediaReferenceType from foundry.v2.core.models import MediaReferenceType
Core MediaReferenceTypeDict from foundry.v2.core.models import MediaReferenceTypeDict
Core MediaSetRid from foundry.v2.core.models import MediaSetRid
Core MediaType from foundry.v2.core.models import MediaType
Core NullType from foundry.v2.core.models import NullType
Core NullTypeDict from foundry.v2.core.models import NullTypeDict
Core OrderByDirection from foundry.v2.core.models import OrderByDirection
Core OrganizationRid from foundry.v2.core.models import OrganizationRid
Core PageSize from foundry.v2.core.models import PageSize
Core PageToken from foundry.v2.core.models import PageToken
Core PreviewMode from foundry.v2.core.models import PreviewMode
Core PrincipalId from foundry.v2.core.models import PrincipalId
Core PrincipalType from foundry.v2.core.models import PrincipalType
Core Realm from foundry.v2.core.models import Realm
Core ReleaseStatus from foundry.v2.core.models import ReleaseStatus
Core RoleId from foundry.v2.core.models import RoleId
Core ShortType from foundry.v2.core.models import ShortType
Core ShortTypeDict from foundry.v2.core.models import ShortTypeDict
Core SizeBytes from foundry.v2.core.models import SizeBytes
Core StreamSchema from foundry.v2.core.models import StreamSchema
Core StreamSchemaDict from foundry.v2.core.models import StreamSchemaDict
Core StringType from foundry.v2.core.models import StringType
Core StringTypeDict from foundry.v2.core.models import StringTypeDict
Core StructFieldName from foundry.v2.core.models import StructFieldName
Core StructFieldType from foundry.v2.core.models import StructFieldType
Core StructFieldTypeDict from foundry.v2.core.models import StructFieldTypeDict
Core TimeSeriesItemType from foundry.v2.core.models import TimeSeriesItemType
Core TimeSeriesItemTypeDict from foundry.v2.core.models import TimeSeriesItemTypeDict
Core TimeseriesType from foundry.v2.core.models import TimeseriesType
Core TimeseriesTypeDict from foundry.v2.core.models import TimeseriesTypeDict
Core TimestampType from foundry.v2.core.models import TimestampType
Core TimestampTypeDict from foundry.v2.core.models import TimestampTypeDict
Core TimeUnit from foundry.v2.core.models import TimeUnit
Core TotalCount from foundry.v2.core.models import TotalCount
Core UnsupportedType from foundry.v2.core.models import UnsupportedType
Core UnsupportedTypeDict from foundry.v2.core.models import UnsupportedTypeDict
Core UpdatedBy from foundry.v2.core.models import UpdatedBy
Core UpdatedTime from foundry.v2.core.models import UpdatedTime
Core UserId from foundry.v2.core.models import UserId
Core VectorSimilarityFunction from foundry.v2.core.models import VectorSimilarityFunction
Core VectorSimilarityFunctionDict from foundry.v2.core.models import VectorSimilarityFunctionDict
Core VectorSimilarityFunctionValue from foundry.v2.core.models import VectorSimilarityFunctionValue
Core VectorType from foundry.v2.core.models import VectorType
Core VectorTypeDict from foundry.v2.core.models import VectorTypeDict
Core ZoneId from foundry.v2.core.models import ZoneId
Datasets Branch from foundry.v2.datasets.models import Branch
Datasets BranchDict from foundry.v2.datasets.models import BranchDict
Datasets BranchName from foundry.v2.datasets.models import BranchName
Datasets Dataset from foundry.v2.datasets.models import Dataset
Datasets DatasetDict from foundry.v2.datasets.models import DatasetDict
Datasets DatasetName from foundry.v2.datasets.models import DatasetName
Datasets DatasetRid from foundry.v2.datasets.models import DatasetRid
Datasets File from foundry.v2.datasets.models import File
Datasets FileDict from foundry.v2.datasets.models import FileDict
Datasets FileUpdatedTime from foundry.v2.datasets.models import FileUpdatedTime
Datasets ListBranchesResponse from foundry.v2.datasets.models import ListBranchesResponse
Datasets ListBranchesResponseDict from foundry.v2.datasets.models import ListBranchesResponseDict
Datasets ListFilesResponse from foundry.v2.datasets.models import ListFilesResponse
Datasets ListFilesResponseDict from foundry.v2.datasets.models import ListFilesResponseDict
Datasets TableExportFormat from foundry.v2.datasets.models import TableExportFormat
Datasets Transaction from foundry.v2.datasets.models import Transaction
Datasets TransactionCreatedTime from foundry.v2.datasets.models import TransactionCreatedTime
Datasets TransactionDict from foundry.v2.datasets.models import TransactionDict
Datasets TransactionRid from foundry.v2.datasets.models import TransactionRid
Datasets TransactionStatus from foundry.v2.datasets.models import TransactionStatus
Datasets TransactionType from foundry.v2.datasets.models import TransactionType
Filesystem AccessRequirements from foundry.v2.filesystem.models import AccessRequirements
Filesystem AccessRequirementsDict from foundry.v2.filesystem.models import AccessRequirementsDict
Filesystem Everyone from foundry.v2.filesystem.models import Everyone
Filesystem EveryoneDict from foundry.v2.filesystem.models import EveryoneDict
Filesystem Folder from foundry.v2.filesystem.models import Folder
Filesystem FolderDict from foundry.v2.filesystem.models import FolderDict
Filesystem FolderRid from foundry.v2.filesystem.models import FolderRid
Filesystem FolderType from foundry.v2.filesystem.models import FolderType
Filesystem IsDirectlyApplied from foundry.v2.filesystem.models import IsDirectlyApplied
Filesystem ListChildrenOfFolderResponse from foundry.v2.filesystem.models import ListChildrenOfFolderResponse
Filesystem ListChildrenOfFolderResponseDict from foundry.v2.filesystem.models import ListChildrenOfFolderResponseDict
Filesystem ListMarkingsOfResourceResponse from foundry.v2.filesystem.models import ListMarkingsOfResourceResponse
Filesystem ListMarkingsOfResourceResponseDict from foundry.v2.filesystem.models import ListMarkingsOfResourceResponseDict
Filesystem ListOrganizationsOfProjectResponse from foundry.v2.filesystem.models import ListOrganizationsOfProjectResponse
Filesystem ListOrganizationsOfProjectResponseDict from foundry.v2.filesystem.models import ListOrganizationsOfProjectResponseDict
Filesystem ListResourceRolesResponse from foundry.v2.filesystem.models import ListResourceRolesResponse
Filesystem ListResourceRolesResponseDict from foundry.v2.filesystem.models import ListResourceRolesResponseDict
Filesystem Marking from foundry.v2.filesystem.models import Marking
Filesystem MarkingDict from foundry.v2.filesystem.models import MarkingDict
Filesystem Organization from foundry.v2.filesystem.models import Organization
Filesystem OrganizationDict from foundry.v2.filesystem.models import OrganizationDict
Filesystem PrincipalWithId from foundry.v2.filesystem.models import PrincipalWithId
Filesystem PrincipalWithIdDict from foundry.v2.filesystem.models import PrincipalWithIdDict
Filesystem Project from foundry.v2.filesystem.models import Project
Filesystem ProjectDict from foundry.v2.filesystem.models import ProjectDict
Filesystem ProjectRid from foundry.v2.filesystem.models import ProjectRid
Filesystem ProjectTemplateRid from foundry.v2.filesystem.models import ProjectTemplateRid
Filesystem ProjectTemplateVariableId from foundry.v2.filesystem.models import ProjectTemplateVariableId
Filesystem ProjectTemplateVariableValue from foundry.v2.filesystem.models import ProjectTemplateVariableValue
Filesystem Resource from foundry.v2.filesystem.models import Resource
Filesystem ResourceDict from foundry.v2.filesystem.models import ResourceDict
Filesystem ResourceDisplayName from foundry.v2.filesystem.models import ResourceDisplayName
Filesystem ResourcePath from foundry.v2.filesystem.models import ResourcePath
Filesystem ResourceRid from foundry.v2.filesystem.models import ResourceRid
Filesystem ResourceRole from foundry.v2.filesystem.models import ResourceRole
Filesystem ResourceRoleDict from foundry.v2.filesystem.models import ResourceRoleDict
Filesystem ResourceRolePrincipal from foundry.v2.filesystem.models import ResourceRolePrincipal
Filesystem ResourceRolePrincipalDict from foundry.v2.filesystem.models import ResourceRolePrincipalDict
Filesystem ResourceType from foundry.v2.filesystem.models import ResourceType
Filesystem SpaceRid from foundry.v2.filesystem.models import SpaceRid
Filesystem TrashStatus from foundry.v2.filesystem.models import TrashStatus
Functions DataValue from foundry.v2.functions.models import DataValue
Functions ExecuteQueryResponse from foundry.v2.functions.models import ExecuteQueryResponse
Functions ExecuteQueryResponseDict from foundry.v2.functions.models import ExecuteQueryResponseDict
Functions FunctionRid from foundry.v2.functions.models import FunctionRid
Functions FunctionVersion from foundry.v2.functions.models import FunctionVersion
Functions Parameter from foundry.v2.functions.models import Parameter
Functions ParameterDict from foundry.v2.functions.models import ParameterDict
Functions ParameterId from foundry.v2.functions.models import ParameterId
Functions Query from foundry.v2.functions.models import Query
Functions QueryAggregationKeyType from foundry.v2.functions.models import QueryAggregationKeyType
Functions QueryAggregationKeyTypeDict from foundry.v2.functions.models import QueryAggregationKeyTypeDict
Functions QueryAggregationRangeSubType from foundry.v2.functions.models import QueryAggregationRangeSubType
Functions QueryAggregationRangeSubTypeDict from foundry.v2.functions.models import QueryAggregationRangeSubTypeDict
Functions QueryAggregationRangeType from foundry.v2.functions.models import QueryAggregationRangeType
Functions QueryAggregationRangeTypeDict from foundry.v2.functions.models import QueryAggregationRangeTypeDict
Functions QueryAggregationValueType from foundry.v2.functions.models import QueryAggregationValueType
Functions QueryAggregationValueTypeDict from foundry.v2.functions.models import QueryAggregationValueTypeDict
Functions QueryApiName from foundry.v2.functions.models import QueryApiName
Functions QueryArrayType from foundry.v2.functions.models import QueryArrayType
Functions QueryArrayTypeDict from foundry.v2.functions.models import QueryArrayTypeDict
Functions QueryDataType from foundry.v2.functions.models import QueryDataType
Functions QueryDataTypeDict from foundry.v2.functions.models import QueryDataTypeDict
Functions QueryDict from foundry.v2.functions.models import QueryDict
Functions QueryRuntimeErrorParameter from foundry.v2.functions.models import QueryRuntimeErrorParameter
Functions QuerySetType from foundry.v2.functions.models import QuerySetType
Functions QuerySetTypeDict from foundry.v2.functions.models import QuerySetTypeDict
Functions QueryStructField from foundry.v2.functions.models import QueryStructField
Functions QueryStructFieldDict from foundry.v2.functions.models import QueryStructFieldDict
Functions QueryStructType from foundry.v2.functions.models import QueryStructType
Functions QueryStructTypeDict from foundry.v2.functions.models import QueryStructTypeDict
Functions QueryUnionType from foundry.v2.functions.models import QueryUnionType
Functions QueryUnionTypeDict from foundry.v2.functions.models import QueryUnionTypeDict
Functions StructFieldName from foundry.v2.functions.models import StructFieldName
Functions ThreeDimensionalAggregation from foundry.v2.functions.models import ThreeDimensionalAggregation
Functions ThreeDimensionalAggregationDict from foundry.v2.functions.models import ThreeDimensionalAggregationDict
Functions TwoDimensionalAggregation from foundry.v2.functions.models import TwoDimensionalAggregation
Functions TwoDimensionalAggregationDict from foundry.v2.functions.models import TwoDimensionalAggregationDict
Functions ValueType from foundry.v2.functions.models import ValueType
Functions ValueTypeApiName from foundry.v2.functions.models import ValueTypeApiName
Functions ValueTypeDataType from foundry.v2.functions.models import ValueTypeDataType
Functions ValueTypeDataTypeArrayType from foundry.v2.functions.models import ValueTypeDataTypeArrayType
Functions ValueTypeDataTypeArrayTypeDict from foundry.v2.functions.models import ValueTypeDataTypeArrayTypeDict
Functions ValueTypeDataTypeBinaryType from foundry.v2.functions.models import ValueTypeDataTypeBinaryType
Functions ValueTypeDataTypeBinaryTypeDict from foundry.v2.functions.models import ValueTypeDataTypeBinaryTypeDict
Functions ValueTypeDataTypeBooleanType from foundry.v2.functions.models import ValueTypeDataTypeBooleanType
Functions ValueTypeDataTypeBooleanTypeDict from foundry.v2.functions.models import ValueTypeDataTypeBooleanTypeDict
Functions ValueTypeDataTypeByteType from foundry.v2.functions.models import ValueTypeDataTypeByteType
Functions ValueTypeDataTypeByteTypeDict from foundry.v2.functions.models import ValueTypeDataTypeByteTypeDict
Functions ValueTypeDataTypeDateType from foundry.v2.functions.models import ValueTypeDataTypeDateType
Functions ValueTypeDataTypeDateTypeDict from foundry.v2.functions.models import ValueTypeDataTypeDateTypeDict
Functions ValueTypeDataTypeDecimalType from foundry.v2.functions.models import ValueTypeDataTypeDecimalType
Functions ValueTypeDataTypeDecimalTypeDict from foundry.v2.functions.models import ValueTypeDataTypeDecimalTypeDict
Functions ValueTypeDataTypeDict from foundry.v2.functions.models import ValueTypeDataTypeDict
Functions ValueTypeDataTypeDoubleType from foundry.v2.functions.models import ValueTypeDataTypeDoubleType
Functions ValueTypeDataTypeDoubleTypeDict from foundry.v2.functions.models import ValueTypeDataTypeDoubleTypeDict
Functions ValueTypeDataTypeFloatType from foundry.v2.functions.models import ValueTypeDataTypeFloatType
Functions ValueTypeDataTypeFloatTypeDict from foundry.v2.functions.models import ValueTypeDataTypeFloatTypeDict
Functions ValueTypeDataTypeIntegerType from foundry.v2.functions.models import ValueTypeDataTypeIntegerType
Functions ValueTypeDataTypeIntegerTypeDict from foundry.v2.functions.models import ValueTypeDataTypeIntegerTypeDict
Functions ValueTypeDataTypeLongType from foundry.v2.functions.models import ValueTypeDataTypeLongType
Functions ValueTypeDataTypeLongTypeDict from foundry.v2.functions.models import ValueTypeDataTypeLongTypeDict
Functions ValueTypeDataTypeMapType from foundry.v2.functions.models import ValueTypeDataTypeMapType
Functions ValueTypeDataTypeMapTypeDict from foundry.v2.functions.models import ValueTypeDataTypeMapTypeDict
Functions ValueTypeDataTypeOptionalType from foundry.v2.functions.models import ValueTypeDataTypeOptionalType
Functions ValueTypeDataTypeOptionalTypeDict from foundry.v2.functions.models import ValueTypeDataTypeOptionalTypeDict
Functions ValueTypeDataTypeShortType from foundry.v2.functions.models import ValueTypeDataTypeShortType
Functions ValueTypeDataTypeShortTypeDict from foundry.v2.functions.models import ValueTypeDataTypeShortTypeDict
Functions ValueTypeDataTypeStringType from foundry.v2.functions.models import ValueTypeDataTypeStringType
Functions ValueTypeDataTypeStringTypeDict from foundry.v2.functions.models import ValueTypeDataTypeStringTypeDict
Functions ValueTypeDataTypeStructElement from foundry.v2.functions.models import ValueTypeDataTypeStructElement
Functions ValueTypeDataTypeStructElementDict from foundry.v2.functions.models import ValueTypeDataTypeStructElementDict
Functions ValueTypeDataTypeStructFieldIdentifier from foundry.v2.functions.models import ValueTypeDataTypeStructFieldIdentifier
Functions ValueTypeDataTypeStructType from foundry.v2.functions.models import ValueTypeDataTypeStructType
Functions ValueTypeDataTypeStructTypeDict from foundry.v2.functions.models import ValueTypeDataTypeStructTypeDict
Functions ValueTypeDataTypeTimestampType from foundry.v2.functions.models import ValueTypeDataTypeTimestampType
Functions ValueTypeDataTypeTimestampTypeDict from foundry.v2.functions.models import ValueTypeDataTypeTimestampTypeDict
Functions ValueTypeDataTypeUnionType from foundry.v2.functions.models import ValueTypeDataTypeUnionType
Functions ValueTypeDataTypeUnionTypeDict from foundry.v2.functions.models import ValueTypeDataTypeUnionTypeDict
Functions ValueTypeDataTypeValueTypeReference from foundry.v2.functions.models import ValueTypeDataTypeValueTypeReference
Functions ValueTypeDataTypeValueTypeReferenceDict from foundry.v2.functions.models import ValueTypeDataTypeValueTypeReferenceDict
Functions ValueTypeDescription from foundry.v2.functions.models import ValueTypeDescription
Functions ValueTypeDict from foundry.v2.functions.models import ValueTypeDict
Functions ValueTypeReference from foundry.v2.functions.models import ValueTypeReference
Functions ValueTypeReferenceDict from foundry.v2.functions.models import ValueTypeReferenceDict
Functions ValueTypeRid from foundry.v2.functions.models import ValueTypeRid
Functions ValueTypeVersion from foundry.v2.functions.models import ValueTypeVersion
Functions ValueTypeVersionId from foundry.v2.functions.models import ValueTypeVersionId
Functions VersionId from foundry.v2.functions.models import VersionId
Functions VersionIdDict from foundry.v2.functions.models import VersionIdDict
Geo BBox from foundry.v2.geo.models import BBox
Geo Coordinate from foundry.v2.geo.models import Coordinate
Geo Feature from foundry.v2.geo.models import Feature
Geo FeatureCollection from foundry.v2.geo.models import FeatureCollection
Geo FeatureCollectionDict from foundry.v2.geo.models import FeatureCollectionDict
Geo FeatureCollectionTypes from foundry.v2.geo.models import FeatureCollectionTypes
Geo FeatureCollectionTypesDict from foundry.v2.geo.models import FeatureCollectionTypesDict
Geo FeatureDict from foundry.v2.geo.models import FeatureDict
Geo FeaturePropertyKey from foundry.v2.geo.models import FeaturePropertyKey
Geo Geometry from foundry.v2.geo.models import Geometry
Geo GeometryCollection from foundry.v2.geo.models import GeometryCollection
Geo GeometryCollectionDict from foundry.v2.geo.models import GeometryCollectionDict
Geo GeometryDict from foundry.v2.geo.models import GeometryDict
Geo GeoPoint from foundry.v2.geo.models import GeoPoint
Geo GeoPointDict from foundry.v2.geo.models import GeoPointDict
Geo LinearRing from foundry.v2.geo.models import LinearRing
Geo LineString from foundry.v2.geo.models import LineString
Geo LineStringCoordinates from foundry.v2.geo.models import LineStringCoordinates
Geo LineStringDict from foundry.v2.geo.models import LineStringDict
Geo MultiLineString from foundry.v2.geo.models import MultiLineString
Geo MultiLineStringDict from foundry.v2.geo.models import MultiLineStringDict
Geo MultiPoint from foundry.v2.geo.models import MultiPoint
Geo MultiPointDict from foundry.v2.geo.models import MultiPointDict
Geo MultiPolygon from foundry.v2.geo.models import MultiPolygon
Geo MultiPolygonDict from foundry.v2.geo.models import MultiPolygonDict
Geo Polygon from foundry.v2.geo.models import Polygon
Geo PolygonDict from foundry.v2.geo.models import PolygonDict
Geo Position from foundry.v2.geo.models import Position
Ontologies AbsoluteTimeRange from foundry.v2.ontologies.models import AbsoluteTimeRange
Ontologies AbsoluteTimeRangeDict from foundry.v2.ontologies.models import AbsoluteTimeRangeDict
Ontologies ActionParameterArrayType from foundry.v2.ontologies.models import ActionParameterArrayType
Ontologies ActionParameterArrayTypeDict from foundry.v2.ontologies.models import ActionParameterArrayTypeDict
Ontologies ActionParameterType from foundry.v2.ontologies.models import ActionParameterType
Ontologies ActionParameterTypeDict from foundry.v2.ontologies.models import ActionParameterTypeDict
Ontologies ActionParameterV2 from foundry.v2.ontologies.models import ActionParameterV2
Ontologies ActionParameterV2Dict from foundry.v2.ontologies.models import ActionParameterV2Dict
Ontologies ActionResults from foundry.v2.ontologies.models import ActionResults
Ontologies ActionResultsDict from foundry.v2.ontologies.models import ActionResultsDict
Ontologies ActionTypeApiName from foundry.v2.ontologies.models import ActionTypeApiName
Ontologies ActionTypeRid from foundry.v2.ontologies.models import ActionTypeRid
Ontologies ActionTypeV2 from foundry.v2.ontologies.models import ActionTypeV2
Ontologies ActionTypeV2Dict from foundry.v2.ontologies.models import ActionTypeV2Dict
Ontologies ActivePropertyTypeStatus from foundry.v2.ontologies.models import ActivePropertyTypeStatus
Ontologies ActivePropertyTypeStatusDict from foundry.v2.ontologies.models import ActivePropertyTypeStatusDict
Ontologies AddLink from foundry.v2.ontologies.models import AddLink
Ontologies AddLinkDict from foundry.v2.ontologies.models import AddLinkDict
Ontologies AddObject from foundry.v2.ontologies.models import AddObject
Ontologies AddObjectDict from foundry.v2.ontologies.models import AddObjectDict
Ontologies AggregateObjectsResponseItemV2 from foundry.v2.ontologies.models import AggregateObjectsResponseItemV2
Ontologies AggregateObjectsResponseItemV2Dict from foundry.v2.ontologies.models import AggregateObjectsResponseItemV2Dict
Ontologies AggregateObjectsResponseV2 from foundry.v2.ontologies.models import AggregateObjectsResponseV2
Ontologies AggregateObjectsResponseV2Dict from foundry.v2.ontologies.models import AggregateObjectsResponseV2Dict
Ontologies AggregationAccuracy from foundry.v2.ontologies.models import AggregationAccuracy
Ontologies AggregationAccuracyRequest from foundry.v2.ontologies.models import AggregationAccuracyRequest
Ontologies AggregationDurationGroupingV2 from foundry.v2.ontologies.models import AggregationDurationGroupingV2
Ontologies AggregationDurationGroupingV2Dict from foundry.v2.ontologies.models import AggregationDurationGroupingV2Dict
Ontologies AggregationExactGroupingV2 from foundry.v2.ontologies.models import AggregationExactGroupingV2
Ontologies AggregationExactGroupingV2Dict from foundry.v2.ontologies.models import AggregationExactGroupingV2Dict
Ontologies AggregationFixedWidthGroupingV2 from foundry.v2.ontologies.models import AggregationFixedWidthGroupingV2
Ontologies AggregationFixedWidthGroupingV2Dict from foundry.v2.ontologies.models import AggregationFixedWidthGroupingV2Dict
Ontologies AggregationGroupByV2 from foundry.v2.ontologies.models import AggregationGroupByV2
Ontologies AggregationGroupByV2Dict from foundry.v2.ontologies.models import AggregationGroupByV2Dict
Ontologies AggregationGroupKeyV2 from foundry.v2.ontologies.models import AggregationGroupKeyV2
Ontologies AggregationGroupValueV2 from foundry.v2.ontologies.models import AggregationGroupValueV2
Ontologies AggregationMetricName from foundry.v2.ontologies.models import AggregationMetricName
Ontologies AggregationMetricResultV2 from foundry.v2.ontologies.models import AggregationMetricResultV2
Ontologies AggregationMetricResultV2Dict from foundry.v2.ontologies.models import AggregationMetricResultV2Dict
Ontologies AggregationRangesGroupingV2 from foundry.v2.ontologies.models import AggregationRangesGroupingV2
Ontologies AggregationRangesGroupingV2Dict from foundry.v2.ontologies.models import AggregationRangesGroupingV2Dict
Ontologies AggregationRangeV2 from foundry.v2.ontologies.models import AggregationRangeV2
Ontologies AggregationRangeV2Dict from foundry.v2.ontologies.models import AggregationRangeV2Dict
Ontologies AggregationV2 from foundry.v2.ontologies.models import AggregationV2
Ontologies AggregationV2Dict from foundry.v2.ontologies.models import AggregationV2Dict
Ontologies AndQueryV2 from foundry.v2.ontologies.models import AndQueryV2
Ontologies AndQueryV2Dict from foundry.v2.ontologies.models import AndQueryV2Dict
Ontologies ApplyActionMode from foundry.v2.ontologies.models import ApplyActionMode
Ontologies ApplyActionRequestOptions from foundry.v2.ontologies.models import ApplyActionRequestOptions
Ontologies ApplyActionRequestOptionsDict from foundry.v2.ontologies.models import ApplyActionRequestOptionsDict
Ontologies ApproximateDistinctAggregationV2 from foundry.v2.ontologies.models import ApproximateDistinctAggregationV2
Ontologies ApproximateDistinctAggregationV2Dict from foundry.v2.ontologies.models import ApproximateDistinctAggregationV2Dict
Ontologies ApproximatePercentileAggregationV2 from foundry.v2.ontologies.models import ApproximatePercentileAggregationV2
Ontologies ApproximatePercentileAggregationV2Dict from foundry.v2.ontologies.models import ApproximatePercentileAggregationV2Dict
Ontologies ArraySizeConstraint from foundry.v2.ontologies.models import ArraySizeConstraint
Ontologies ArraySizeConstraintDict from foundry.v2.ontologies.models import ArraySizeConstraintDict
Ontologies ArtifactRepositoryRid from foundry.v2.ontologies.models import ArtifactRepositoryRid
Ontologies AttachmentMetadataResponse from foundry.v2.ontologies.models import AttachmentMetadataResponse
Ontologies AttachmentMetadataResponseDict from foundry.v2.ontologies.models import AttachmentMetadataResponseDict
Ontologies AttachmentRid from foundry.v2.ontologies.models import AttachmentRid
Ontologies AttachmentV2 from foundry.v2.ontologies.models import AttachmentV2
Ontologies AttachmentV2Dict from foundry.v2.ontologies.models import AttachmentV2Dict
Ontologies AvgAggregationV2 from foundry.v2.ontologies.models import AvgAggregationV2
Ontologies AvgAggregationV2Dict from foundry.v2.ontologies.models import AvgAggregationV2Dict
Ontologies BatchApplyActionRequestItem from foundry.v2.ontologies.models import BatchApplyActionRequestItem
Ontologies BatchApplyActionRequestItemDict from foundry.v2.ontologies.models import BatchApplyActionRequestItemDict
Ontologies BatchApplyActionRequestOptions from foundry.v2.ontologies.models import BatchApplyActionRequestOptions
Ontologies BatchApplyActionRequestOptionsDict from foundry.v2.ontologies.models import BatchApplyActionRequestOptionsDict
Ontologies BatchApplyActionResponseV2 from foundry.v2.ontologies.models import BatchApplyActionResponseV2
Ontologies BatchApplyActionResponseV2Dict from foundry.v2.ontologies.models import BatchApplyActionResponseV2Dict
Ontologies BlueprintIcon from foundry.v2.ontologies.models import BlueprintIcon
Ontologies BlueprintIconDict from foundry.v2.ontologies.models import BlueprintIconDict
Ontologies BoundingBoxValue from foundry.v2.ontologies.models import BoundingBoxValue
Ontologies BoundingBoxValueDict from foundry.v2.ontologies.models import BoundingBoxValueDict
Ontologies CenterPoint from foundry.v2.ontologies.models import CenterPoint
Ontologies CenterPointDict from foundry.v2.ontologies.models import CenterPointDict
Ontologies CenterPointTypes from foundry.v2.ontologies.models import CenterPointTypes
Ontologies CenterPointTypesDict from foundry.v2.ontologies.models import CenterPointTypesDict
Ontologies ContainsAllTermsInOrderPrefixLastTerm from foundry.v2.ontologies.models import ContainsAllTermsInOrderPrefixLastTerm
Ontologies ContainsAllTermsInOrderPrefixLastTermDict from foundry.v2.ontologies.models import ContainsAllTermsInOrderPrefixLastTermDict
Ontologies ContainsAllTermsInOrderQuery from foundry.v2.ontologies.models import ContainsAllTermsInOrderQuery
Ontologies ContainsAllTermsInOrderQueryDict from foundry.v2.ontologies.models import ContainsAllTermsInOrderQueryDict
Ontologies ContainsAllTermsQuery from foundry.v2.ontologies.models import ContainsAllTermsQuery
Ontologies ContainsAllTermsQueryDict from foundry.v2.ontologies.models import ContainsAllTermsQueryDict
Ontologies ContainsAnyTermQuery from foundry.v2.ontologies.models import ContainsAnyTermQuery
Ontologies ContainsAnyTermQueryDict from foundry.v2.ontologies.models import ContainsAnyTermQueryDict
Ontologies ContainsQueryV2 from foundry.v2.ontologies.models import ContainsQueryV2
Ontologies ContainsQueryV2Dict from foundry.v2.ontologies.models import ContainsQueryV2Dict
Ontologies CountAggregationV2 from foundry.v2.ontologies.models import CountAggregationV2
Ontologies CountAggregationV2Dict from foundry.v2.ontologies.models import CountAggregationV2Dict
Ontologies CountObjectsResponseV2 from foundry.v2.ontologies.models import CountObjectsResponseV2
Ontologies CountObjectsResponseV2Dict from foundry.v2.ontologies.models import CountObjectsResponseV2Dict
Ontologies CreateInterfaceObjectRule from foundry.v2.ontologies.models import CreateInterfaceObjectRule
Ontologies CreateInterfaceObjectRuleDict from foundry.v2.ontologies.models import CreateInterfaceObjectRuleDict
Ontologies CreateLinkRule from foundry.v2.ontologies.models import CreateLinkRule
Ontologies CreateLinkRuleDict from foundry.v2.ontologies.models import CreateLinkRuleDict
Ontologies CreateObjectRule from foundry.v2.ontologies.models import CreateObjectRule
Ontologies CreateObjectRuleDict from foundry.v2.ontologies.models import CreateObjectRuleDict
Ontologies CreateTemporaryObjectSetResponseV2 from foundry.v2.ontologies.models import CreateTemporaryObjectSetResponseV2
Ontologies CreateTemporaryObjectSetResponseV2Dict from foundry.v2.ontologies.models import CreateTemporaryObjectSetResponseV2Dict
Ontologies DataValue from foundry.v2.ontologies.models import DataValue
Ontologies DeleteInterfaceObjectRule from foundry.v2.ontologies.models import DeleteInterfaceObjectRule
Ontologies DeleteInterfaceObjectRuleDict from foundry.v2.ontologies.models import DeleteInterfaceObjectRuleDict
Ontologies DeleteLinkRule from foundry.v2.ontologies.models import DeleteLinkRule
Ontologies DeleteLinkRuleDict from foundry.v2.ontologies.models import DeleteLinkRuleDict
Ontologies DeleteObjectRule from foundry.v2.ontologies.models import DeleteObjectRule
Ontologies DeleteObjectRuleDict from foundry.v2.ontologies.models import DeleteObjectRuleDict
Ontologies DeprecatedPropertyTypeStatus from foundry.v2.ontologies.models import DeprecatedPropertyTypeStatus
Ontologies DeprecatedPropertyTypeStatusDict from foundry.v2.ontologies.models import DeprecatedPropertyTypeStatusDict
Ontologies DerivedPropertyApiName from foundry.v2.ontologies.models import DerivedPropertyApiName
Ontologies DerivedPropertyDefinition from foundry.v2.ontologies.models import DerivedPropertyDefinition
Ontologies DerivedPropertyDefinitionDict from foundry.v2.ontologies.models import DerivedPropertyDefinitionDict
Ontologies DoesNotIntersectBoundingBoxQuery from foundry.v2.ontologies.models import DoesNotIntersectBoundingBoxQuery
Ontologies DoesNotIntersectBoundingBoxQueryDict from foundry.v2.ontologies.models import DoesNotIntersectBoundingBoxQueryDict
Ontologies DoesNotIntersectPolygonQuery from foundry.v2.ontologies.models import DoesNotIntersectPolygonQuery
Ontologies DoesNotIntersectPolygonQueryDict from foundry.v2.ontologies.models import DoesNotIntersectPolygonQueryDict
Ontologies EqualsQueryV2 from foundry.v2.ontologies.models import EqualsQueryV2
Ontologies EqualsQueryV2Dict from foundry.v2.ontologies.models import EqualsQueryV2Dict
Ontologies ExactDistinctAggregationV2 from foundry.v2.ontologies.models import ExactDistinctAggregationV2
Ontologies ExactDistinctAggregationV2Dict from foundry.v2.ontologies.models import ExactDistinctAggregationV2Dict
Ontologies ExamplePropertyTypeStatus from foundry.v2.ontologies.models import ExamplePropertyTypeStatus
Ontologies ExamplePropertyTypeStatusDict from foundry.v2.ontologies.models import ExamplePropertyTypeStatusDict
Ontologies ExecuteQueryResponse from foundry.v2.ontologies.models import ExecuteQueryResponse
Ontologies ExecuteQueryResponseDict from foundry.v2.ontologies.models import ExecuteQueryResponseDict
Ontologies ExperimentalPropertyTypeStatus from foundry.v2.ontologies.models import ExperimentalPropertyTypeStatus
Ontologies ExperimentalPropertyTypeStatusDict from foundry.v2.ontologies.models import ExperimentalPropertyTypeStatusDict
Ontologies FunctionRid from foundry.v2.ontologies.models import FunctionRid
Ontologies FunctionVersion from foundry.v2.ontologies.models import FunctionVersion
Ontologies FuzzyV2 from foundry.v2.ontologies.models import FuzzyV2
Ontologies GetSelectedPropertyOperation from foundry.v2.ontologies.models import GetSelectedPropertyOperation
Ontologies GetSelectedPropertyOperationDict from foundry.v2.ontologies.models import GetSelectedPropertyOperationDict
Ontologies GroupMemberConstraint from foundry.v2.ontologies.models import GroupMemberConstraint
Ontologies GroupMemberConstraintDict from foundry.v2.ontologies.models import GroupMemberConstraintDict
Ontologies GteQueryV2 from foundry.v2.ontologies.models import GteQueryV2
Ontologies GteQueryV2Dict from foundry.v2.ontologies.models import GteQueryV2Dict
Ontologies GtQueryV2 from foundry.v2.ontologies.models import GtQueryV2
Ontologies GtQueryV2Dict from foundry.v2.ontologies.models import GtQueryV2Dict
Ontologies Icon from foundry.v2.ontologies.models import Icon
Ontologies IconDict from foundry.v2.ontologies.models import IconDict
Ontologies InQuery from foundry.v2.ontologies.models import InQuery
Ontologies InQueryDict from foundry.v2.ontologies.models import InQueryDict
Ontologies InterfaceLinkType from foundry.v2.ontologies.models import InterfaceLinkType
Ontologies InterfaceLinkTypeApiName from foundry.v2.ontologies.models import InterfaceLinkTypeApiName
Ontologies InterfaceLinkTypeCardinality from foundry.v2.ontologies.models import InterfaceLinkTypeCardinality
Ontologies InterfaceLinkTypeDict from foundry.v2.ontologies.models import InterfaceLinkTypeDict
Ontologies InterfaceLinkTypeLinkedEntityApiName from foundry.v2.ontologies.models import InterfaceLinkTypeLinkedEntityApiName
Ontologies InterfaceLinkTypeLinkedEntityApiNameDict from foundry.v2.ontologies.models import InterfaceLinkTypeLinkedEntityApiNameDict
Ontologies InterfaceLinkTypeRid from foundry.v2.ontologies.models import InterfaceLinkTypeRid
Ontologies InterfaceType from foundry.v2.ontologies.models import InterfaceType
Ontologies InterfaceTypeApiName from foundry.v2.ontologies.models import InterfaceTypeApiName
Ontologies InterfaceTypeDict from foundry.v2.ontologies.models import InterfaceTypeDict
Ontologies InterfaceTypeRid from foundry.v2.ontologies.models import InterfaceTypeRid
Ontologies IntersectsBoundingBoxQuery from foundry.v2.ontologies.models import IntersectsBoundingBoxQuery
Ontologies IntersectsBoundingBoxQueryDict from foundry.v2.ontologies.models import IntersectsBoundingBoxQueryDict
Ontologies IntersectsPolygonQuery from foundry.v2.ontologies.models import IntersectsPolygonQuery
Ontologies IntersectsPolygonQueryDict from foundry.v2.ontologies.models import IntersectsPolygonQueryDict
Ontologies IsNullQueryV2 from foundry.v2.ontologies.models import IsNullQueryV2
Ontologies IsNullQueryV2Dict from foundry.v2.ontologies.models import IsNullQueryV2Dict
Ontologies LinkedInterfaceTypeApiName from foundry.v2.ontologies.models import LinkedInterfaceTypeApiName
Ontologies LinkedInterfaceTypeApiNameDict from foundry.v2.ontologies.models import LinkedInterfaceTypeApiNameDict
Ontologies LinkedObjectTypeApiName from foundry.v2.ontologies.models import LinkedObjectTypeApiName
Ontologies LinkedObjectTypeApiNameDict from foundry.v2.ontologies.models import LinkedObjectTypeApiNameDict
Ontologies LinkSideObject from foundry.v2.ontologies.models import LinkSideObject
Ontologies LinkSideObjectDict from foundry.v2.ontologies.models import LinkSideObjectDict
Ontologies LinkTypeApiName from foundry.v2.ontologies.models import LinkTypeApiName
Ontologies LinkTypeRid from foundry.v2.ontologies.models import LinkTypeRid
Ontologies LinkTypeSideCardinality from foundry.v2.ontologies.models import LinkTypeSideCardinality
Ontologies LinkTypeSideV2 from foundry.v2.ontologies.models import LinkTypeSideV2
Ontologies LinkTypeSideV2Dict from foundry.v2.ontologies.models import LinkTypeSideV2Dict
Ontologies ListActionTypesResponseV2 from foundry.v2.ontologies.models import ListActionTypesResponseV2
Ontologies ListActionTypesResponseV2Dict from foundry.v2.ontologies.models import ListActionTypesResponseV2Dict
Ontologies ListAttachmentsResponseV2 from foundry.v2.ontologies.models import ListAttachmentsResponseV2
Ontologies ListAttachmentsResponseV2Dict from foundry.v2.ontologies.models import ListAttachmentsResponseV2Dict
Ontologies ListInterfaceTypesResponse from foundry.v2.ontologies.models import ListInterfaceTypesResponse
Ontologies ListInterfaceTypesResponseDict from foundry.v2.ontologies.models import ListInterfaceTypesResponseDict
Ontologies ListLinkedObjectsResponseV2 from foundry.v2.ontologies.models import ListLinkedObjectsResponseV2
Ontologies ListLinkedObjectsResponseV2Dict from foundry.v2.ontologies.models import ListLinkedObjectsResponseV2Dict
Ontologies ListObjectsResponseV2 from foundry.v2.ontologies.models import ListObjectsResponseV2
Ontologies ListObjectsResponseV2Dict from foundry.v2.ontologies.models import ListObjectsResponseV2Dict
Ontologies ListObjectTypesV2Response from foundry.v2.ontologies.models import ListObjectTypesV2Response
Ontologies ListObjectTypesV2ResponseDict from foundry.v2.ontologies.models import ListObjectTypesV2ResponseDict
Ontologies ListOutgoingLinkTypesResponseV2 from foundry.v2.ontologies.models import ListOutgoingLinkTypesResponseV2
Ontologies ListOutgoingLinkTypesResponseV2Dict from foundry.v2.ontologies.models import ListOutgoingLinkTypesResponseV2Dict
Ontologies ListQueryTypesResponseV2 from foundry.v2.ontologies.models import ListQueryTypesResponseV2
Ontologies ListQueryTypesResponseV2Dict from foundry.v2.ontologies.models import ListQueryTypesResponseV2Dict
Ontologies LoadObjectSetResponseV2 from foundry.v2.ontologies.models import LoadObjectSetResponseV2
Ontologies LoadObjectSetResponseV2Dict from foundry.v2.ontologies.models import LoadObjectSetResponseV2Dict
Ontologies LogicRule from foundry.v2.ontologies.models import LogicRule
Ontologies LogicRuleDict from foundry.v2.ontologies.models import LogicRuleDict
Ontologies LteQueryV2 from foundry.v2.ontologies.models import LteQueryV2
Ontologies LteQueryV2Dict from foundry.v2.ontologies.models import LteQueryV2Dict
Ontologies LtQueryV2 from foundry.v2.ontologies.models import LtQueryV2
Ontologies LtQueryV2Dict from foundry.v2.ontologies.models import LtQueryV2Dict
Ontologies MaxAggregationV2 from foundry.v2.ontologies.models import MaxAggregationV2
Ontologies MaxAggregationV2Dict from foundry.v2.ontologies.models import MaxAggregationV2Dict
Ontologies MethodObjectSet from foundry.v2.ontologies.models import MethodObjectSet
Ontologies MethodObjectSetDict from foundry.v2.ontologies.models import MethodObjectSetDict
Ontologies MinAggregationV2 from foundry.v2.ontologies.models import MinAggregationV2
Ontologies MinAggregationV2Dict from foundry.v2.ontologies.models import MinAggregationV2Dict
Ontologies ModifyInterfaceObjectRule from foundry.v2.ontologies.models import ModifyInterfaceObjectRule
Ontologies ModifyInterfaceObjectRuleDict from foundry.v2.ontologies.models import ModifyInterfaceObjectRuleDict
Ontologies ModifyObject from foundry.v2.ontologies.models import ModifyObject
Ontologies ModifyObjectDict from foundry.v2.ontologies.models import ModifyObjectDict
Ontologies ModifyObjectRule from foundry.v2.ontologies.models import ModifyObjectRule
Ontologies ModifyObjectRuleDict from foundry.v2.ontologies.models import ModifyObjectRuleDict
Ontologies NotQueryV2 from foundry.v2.ontologies.models import NotQueryV2
Ontologies NotQueryV2Dict from foundry.v2.ontologies.models import NotQueryV2Dict
Ontologies ObjectEdit from foundry.v2.ontologies.models import ObjectEdit
Ontologies ObjectEditDict from foundry.v2.ontologies.models import ObjectEditDict
Ontologies ObjectEdits from foundry.v2.ontologies.models import ObjectEdits
Ontologies ObjectEditsDict from foundry.v2.ontologies.models import ObjectEditsDict
Ontologies ObjectPropertyType from foundry.v2.ontologies.models import ObjectPropertyType
Ontologies ObjectPropertyTypeDict from foundry.v2.ontologies.models import ObjectPropertyTypeDict
Ontologies ObjectPropertyValueConstraint from foundry.v2.ontologies.models import ObjectPropertyValueConstraint
Ontologies ObjectPropertyValueConstraintDict from foundry.v2.ontologies.models import ObjectPropertyValueConstraintDict
Ontologies ObjectQueryResultConstraint from foundry.v2.ontologies.models import ObjectQueryResultConstraint
Ontologies ObjectQueryResultConstraintDict from foundry.v2.ontologies.models import ObjectQueryResultConstraintDict
Ontologies ObjectRid from foundry.v2.ontologies.models import ObjectRid
Ontologies ObjectSet from foundry.v2.ontologies.models import ObjectSet
Ontologies ObjectSetAsBaseObjectTypesType from foundry.v2.ontologies.models import ObjectSetAsBaseObjectTypesType
Ontologies ObjectSetAsBaseObjectTypesTypeDict from foundry.v2.ontologies.models import ObjectSetAsBaseObjectTypesTypeDict
Ontologies ObjectSetAsTypeType from foundry.v2.ontologies.models import ObjectSetAsTypeType
Ontologies ObjectSetAsTypeTypeDict from foundry.v2.ontologies.models import ObjectSetAsTypeTypeDict
Ontologies ObjectSetBaseType from foundry.v2.ontologies.models import ObjectSetBaseType
Ontologies ObjectSetBaseTypeDict from foundry.v2.ontologies.models import ObjectSetBaseTypeDict
Ontologies ObjectSetDict from foundry.v2.ontologies.models import ObjectSetDict
Ontologies ObjectSetFilterType from foundry.v2.ontologies.models import ObjectSetFilterType
Ontologies ObjectSetFilterTypeDict from foundry.v2.ontologies.models import ObjectSetFilterTypeDict
Ontologies ObjectSetInterfaceBaseType from foundry.v2.ontologies.models import ObjectSetInterfaceBaseType
Ontologies ObjectSetInterfaceBaseTypeDict from foundry.v2.ontologies.models import ObjectSetInterfaceBaseTypeDict
Ontologies ObjectSetIntersectionType from foundry.v2.ontologies.models import ObjectSetIntersectionType
Ontologies ObjectSetIntersectionTypeDict from foundry.v2.ontologies.models import ObjectSetIntersectionTypeDict
Ontologies ObjectSetMethodInputType from foundry.v2.ontologies.models import ObjectSetMethodInputType
Ontologies ObjectSetMethodInputTypeDict from foundry.v2.ontologies.models import ObjectSetMethodInputTypeDict
Ontologies ObjectSetNearestNeighborsType from foundry.v2.ontologies.models import ObjectSetNearestNeighborsType
Ontologies ObjectSetNearestNeighborsTypeDict from foundry.v2.ontologies.models import ObjectSetNearestNeighborsTypeDict
Ontologies ObjectSetReferenceType from foundry.v2.ontologies.models import ObjectSetReferenceType
Ontologies ObjectSetReferenceTypeDict from foundry.v2.ontologies.models import ObjectSetReferenceTypeDict
Ontologies ObjectSetRid from foundry.v2.ontologies.models import ObjectSetRid
Ontologies ObjectSetSearchAroundType from foundry.v2.ontologies.models import ObjectSetSearchAroundType
Ontologies ObjectSetSearchAroundTypeDict from foundry.v2.ontologies.models import ObjectSetSearchAroundTypeDict
Ontologies ObjectSetStaticType from foundry.v2.ontologies.models import ObjectSetStaticType
Ontologies ObjectSetStaticTypeDict from foundry.v2.ontologies.models import ObjectSetStaticTypeDict
Ontologies ObjectSetSubtractType from foundry.v2.ontologies.models import ObjectSetSubtractType
Ontologies ObjectSetSubtractTypeDict from foundry.v2.ontologies.models import ObjectSetSubtractTypeDict
Ontologies ObjectSetUnionType from foundry.v2.ontologies.models import ObjectSetUnionType
Ontologies ObjectSetUnionTypeDict from foundry.v2.ontologies.models import ObjectSetUnionTypeDict
Ontologies ObjectSetWithPropertiesType from foundry.v2.ontologies.models import ObjectSetWithPropertiesType
Ontologies ObjectSetWithPropertiesTypeDict from foundry.v2.ontologies.models import ObjectSetWithPropertiesTypeDict
Ontologies ObjectTypeApiName from foundry.v2.ontologies.models import ObjectTypeApiName
Ontologies ObjectTypeEdits from foundry.v2.ontologies.models import ObjectTypeEdits
Ontologies ObjectTypeEditsDict from foundry.v2.ontologies.models import ObjectTypeEditsDict
Ontologies ObjectTypeFullMetadata from foundry.v2.ontologies.models import ObjectTypeFullMetadata
Ontologies ObjectTypeFullMetadataDict from foundry.v2.ontologies.models import ObjectTypeFullMetadataDict
Ontologies ObjectTypeId from foundry.v2.ontologies.models import ObjectTypeId
Ontologies ObjectTypeInterfaceImplementation from foundry.v2.ontologies.models import ObjectTypeInterfaceImplementation
Ontologies ObjectTypeInterfaceImplementationDict from foundry.v2.ontologies.models import ObjectTypeInterfaceImplementationDict
Ontologies ObjectTypeRid from foundry.v2.ontologies.models import ObjectTypeRid
Ontologies ObjectTypeV2 from foundry.v2.ontologies.models import ObjectTypeV2
Ontologies ObjectTypeV2Dict from foundry.v2.ontologies.models import ObjectTypeV2Dict
Ontologies ObjectTypeVisibility from foundry.v2.ontologies.models import ObjectTypeVisibility
Ontologies OneOfConstraint from foundry.v2.ontologies.models import OneOfConstraint
Ontologies OneOfConstraintDict from foundry.v2.ontologies.models import OneOfConstraintDict
Ontologies OntologyApiName from foundry.v2.ontologies.models import OntologyApiName
Ontologies OntologyArrayType from foundry.v2.ontologies.models import OntologyArrayType
Ontologies OntologyArrayTypeDict from foundry.v2.ontologies.models import OntologyArrayTypeDict
Ontologies OntologyDataType from foundry.v2.ontologies.models import OntologyDataType
Ontologies OntologyDataTypeDict from foundry.v2.ontologies.models import OntologyDataTypeDict
Ontologies OntologyFullMetadata from foundry.v2.ontologies.models import OntologyFullMetadata
Ontologies OntologyFullMetadataDict from foundry.v2.ontologies.models import OntologyFullMetadataDict
Ontologies OntologyIdentifier from foundry.v2.ontologies.models import OntologyIdentifier
Ontologies OntologyInterfaceObjectType from foundry.v2.ontologies.models import OntologyInterfaceObjectType
Ontologies OntologyInterfaceObjectTypeDict from foundry.v2.ontologies.models import OntologyInterfaceObjectTypeDict
Ontologies OntologyMapType from foundry.v2.ontologies.models import OntologyMapType
Ontologies OntologyMapTypeDict from foundry.v2.ontologies.models import OntologyMapTypeDict
Ontologies OntologyObjectArrayType from foundry.v2.ontologies.models import OntologyObjectArrayType
Ontologies OntologyObjectArrayTypeDict from foundry.v2.ontologies.models import OntologyObjectArrayTypeDict
Ontologies OntologyObjectSetType from foundry.v2.ontologies.models import OntologyObjectSetType
Ontologies OntologyObjectSetTypeDict from foundry.v2.ontologies.models import OntologyObjectSetTypeDict
Ontologies OntologyObjectType from foundry.v2.ontologies.models import OntologyObjectType
Ontologies OntologyObjectTypeDict from foundry.v2.ontologies.models import OntologyObjectTypeDict
Ontologies OntologyObjectTypeReferenceType from foundry.v2.ontologies.models import OntologyObjectTypeReferenceType
Ontologies OntologyObjectTypeReferenceTypeDict from foundry.v2.ontologies.models import OntologyObjectTypeReferenceTypeDict
Ontologies OntologyObjectV2 from foundry.v2.ontologies.models import OntologyObjectV2
Ontologies OntologyRid from foundry.v2.ontologies.models import OntologyRid
Ontologies OntologySetType from foundry.v2.ontologies.models import OntologySetType
Ontologies OntologySetTypeDict from foundry.v2.ontologies.models import OntologySetTypeDict
Ontologies OntologyStructField from foundry.v2.ontologies.models import OntologyStructField
Ontologies OntologyStructFieldDict from foundry.v2.ontologies.models import OntologyStructFieldDict
Ontologies OntologyStructType from foundry.v2.ontologies.models import OntologyStructType
Ontologies OntologyStructTypeDict from foundry.v2.ontologies.models import OntologyStructTypeDict
Ontologies OntologyV2 from foundry.v2.ontologies.models import OntologyV2
Ontologies OntologyV2Dict from foundry.v2.ontologies.models import OntologyV2Dict
Ontologies OrderBy from foundry.v2.ontologies.models import OrderBy
Ontologies OrderByDirection from foundry.v2.ontologies.models import OrderByDirection
Ontologies OrQueryV2 from foundry.v2.ontologies.models import OrQueryV2
Ontologies OrQueryV2Dict from foundry.v2.ontologies.models import OrQueryV2Dict
Ontologies ParameterEvaluatedConstraint from foundry.v2.ontologies.models import ParameterEvaluatedConstraint
Ontologies ParameterEvaluatedConstraintDict from foundry.v2.ontologies.models import ParameterEvaluatedConstraintDict
Ontologies ParameterEvaluationResult from foundry.v2.ontologies.models import ParameterEvaluationResult
Ontologies ParameterEvaluationResultDict from foundry.v2.ontologies.models import ParameterEvaluationResultDict
Ontologies ParameterId from foundry.v2.ontologies.models import ParameterId
Ontologies ParameterOption from foundry.v2.ontologies.models import ParameterOption
Ontologies ParameterOptionDict from foundry.v2.ontologies.models import ParameterOptionDict
Ontologies PolygonValue from foundry.v2.ontologies.models import PolygonValue
Ontologies PolygonValueDict from foundry.v2.ontologies.models import PolygonValueDict
Ontologies PropertyApiName from foundry.v2.ontologies.models import PropertyApiName
Ontologies PropertyApiNameSelector from foundry.v2.ontologies.models import PropertyApiNameSelector
Ontologies PropertyApiNameSelectorDict from foundry.v2.ontologies.models import PropertyApiNameSelectorDict
Ontologies PropertyIdentifier from foundry.v2.ontologies.models import PropertyIdentifier
Ontologies PropertyIdentifierDict from foundry.v2.ontologies.models import PropertyIdentifierDict
Ontologies PropertyTypeRid from foundry.v2.ontologies.models import PropertyTypeRid
Ontologies PropertyTypeStatus from foundry.v2.ontologies.models import PropertyTypeStatus
Ontologies PropertyTypeStatusDict from foundry.v2.ontologies.models import PropertyTypeStatusDict
Ontologies PropertyTypeVisibility from foundry.v2.ontologies.models import PropertyTypeVisibility
Ontologies PropertyV2 from foundry.v2.ontologies.models import PropertyV2
Ontologies PropertyV2Dict from foundry.v2.ontologies.models import PropertyV2Dict
Ontologies PropertyValue from foundry.v2.ontologies.models import PropertyValue
Ontologies PropertyValueEscapedString from foundry.v2.ontologies.models import PropertyValueEscapedString
Ontologies QueryAggregationKeyType from foundry.v2.ontologies.models import QueryAggregationKeyType
Ontologies QueryAggregationKeyTypeDict from foundry.v2.ontologies.models import QueryAggregationKeyTypeDict
Ontologies QueryAggregationRangeSubType from foundry.v2.ontologies.models import QueryAggregationRangeSubType
Ontologies QueryAggregationRangeSubTypeDict from foundry.v2.ontologies.models import QueryAggregationRangeSubTypeDict
Ontologies QueryAggregationRangeType from foundry.v2.ontologies.models import QueryAggregationRangeType
Ontologies QueryAggregationRangeTypeDict from foundry.v2.ontologies.models import QueryAggregationRangeTypeDict
Ontologies QueryAggregationValueType from foundry.v2.ontologies.models import QueryAggregationValueType
Ontologies QueryAggregationValueTypeDict from foundry.v2.ontologies.models import QueryAggregationValueTypeDict
Ontologies QueryApiName from foundry.v2.ontologies.models import QueryApiName
Ontologies QueryArrayType from foundry.v2.ontologies.models import QueryArrayType
Ontologies QueryArrayTypeDict from foundry.v2.ontologies.models import QueryArrayTypeDict
Ontologies QueryDataType from foundry.v2.ontologies.models import QueryDataType
Ontologies QueryDataTypeDict from foundry.v2.ontologies.models import QueryDataTypeDict
Ontologies QueryParameterV2 from foundry.v2.ontologies.models import QueryParameterV2
Ontologies QueryParameterV2Dict from foundry.v2.ontologies.models import QueryParameterV2Dict
Ontologies QuerySetType from foundry.v2.ontologies.models import QuerySetType
Ontologies QuerySetTypeDict from foundry.v2.ontologies.models import QuerySetTypeDict
Ontologies QueryStructField from foundry.v2.ontologies.models import QueryStructField
Ontologies QueryStructFieldDict from foundry.v2.ontologies.models import QueryStructFieldDict
Ontologies QueryStructType from foundry.v2.ontologies.models import QueryStructType
Ontologies QueryStructTypeDict from foundry.v2.ontologies.models import QueryStructTypeDict
Ontologies QueryTypeV2 from foundry.v2.ontologies.models import QueryTypeV2
Ontologies QueryTypeV2Dict from foundry.v2.ontologies.models import QueryTypeV2Dict
Ontologies QueryUnionType from foundry.v2.ontologies.models import QueryUnionType
Ontologies QueryUnionTypeDict from foundry.v2.ontologies.models import QueryUnionTypeDict
Ontologies RangeConstraint from foundry.v2.ontologies.models import RangeConstraint
Ontologies RangeConstraintDict from foundry.v2.ontologies.models import RangeConstraintDict
Ontologies RelativeTime from foundry.v2.ontologies.models import RelativeTime
Ontologies RelativeTimeDict from foundry.v2.ontologies.models import RelativeTimeDict
Ontologies RelativeTimeRange from foundry.v2.ontologies.models import RelativeTimeRange
Ontologies RelativeTimeRangeDict from foundry.v2.ontologies.models import RelativeTimeRangeDict
Ontologies RelativeTimeRelation from foundry.v2.ontologies.models import RelativeTimeRelation
Ontologies RelativeTimeSeriesTimeUnit from foundry.v2.ontologies.models import RelativeTimeSeriesTimeUnit
Ontologies ReturnEditsMode from foundry.v2.ontologies.models import ReturnEditsMode
Ontologies SdkPackageName from foundry.v2.ontologies.models import SdkPackageName
Ontologies SearchJsonQueryV2 from foundry.v2.ontologies.models import SearchJsonQueryV2
Ontologies SearchJsonQueryV2Dict from foundry.v2.ontologies.models import SearchJsonQueryV2Dict
Ontologies SearchObjectsResponseV2 from foundry.v2.ontologies.models import SearchObjectsResponseV2
Ontologies SearchObjectsResponseV2Dict from foundry.v2.ontologies.models import SearchObjectsResponseV2Dict
Ontologies SearchOrderByType from foundry.v2.ontologies.models import SearchOrderByType
Ontologies SearchOrderByV2 from foundry.v2.ontologies.models import SearchOrderByV2
Ontologies SearchOrderByV2Dict from foundry.v2.ontologies.models import SearchOrderByV2Dict
Ontologies SearchOrderingV2 from foundry.v2.ontologies.models import SearchOrderingV2
Ontologies SearchOrderingV2Dict from foundry.v2.ontologies.models import SearchOrderingV2Dict
Ontologies SelectedPropertyApiName from foundry.v2.ontologies.models import SelectedPropertyApiName
Ontologies SelectedPropertyApproximateDistinctAggregation from foundry.v2.ontologies.models import SelectedPropertyApproximateDistinctAggregation
Ontologies SelectedPropertyApproximateDistinctAggregationDict from foundry.v2.ontologies.models import SelectedPropertyApproximateDistinctAggregationDict
Ontologies SelectedPropertyApproximatePercentileAggregation from foundry.v2.ontologies.models import SelectedPropertyApproximatePercentileAggregation
Ontologies SelectedPropertyApproximatePercentileAggregationDict from foundry.v2.ontologies.models import SelectedPropertyApproximatePercentileAggregationDict
Ontologies SelectedPropertyAvgAggregation from foundry.v2.ontologies.models import SelectedPropertyAvgAggregation
Ontologies SelectedPropertyAvgAggregationDict from foundry.v2.ontologies.models import SelectedPropertyAvgAggregationDict
Ontologies SelectedPropertyCollectListAggregation from foundry.v2.ontologies.models import SelectedPropertyCollectListAggregation
Ontologies SelectedPropertyCollectListAggregationDict from foundry.v2.ontologies.models import SelectedPropertyCollectListAggregationDict
Ontologies SelectedPropertyCollectSetAggregation from foundry.v2.ontologies.models import SelectedPropertyCollectSetAggregation
Ontologies SelectedPropertyCollectSetAggregationDict from foundry.v2.ontologies.models import SelectedPropertyCollectSetAggregationDict
Ontologies SelectedPropertyCountAggregation from foundry.v2.ontologies.models import SelectedPropertyCountAggregation
Ontologies SelectedPropertyCountAggregationDict from foundry.v2.ontologies.models import SelectedPropertyCountAggregationDict
Ontologies SelectedPropertyDefinition from foundry.v2.ontologies.models import SelectedPropertyDefinition
Ontologies SelectedPropertyDefinitionDict from foundry.v2.ontologies.models import SelectedPropertyDefinitionDict
Ontologies SelectedPropertyExactDistinctAggregation from foundry.v2.ontologies.models import SelectedPropertyExactDistinctAggregation
Ontologies SelectedPropertyExactDistinctAggregationDict from foundry.v2.ontologies.models import SelectedPropertyExactDistinctAggregationDict
Ontologies SelectedPropertyMaxAggregation from foundry.v2.ontologies.models import SelectedPropertyMaxAggregation
Ontologies SelectedPropertyMaxAggregationDict from foundry.v2.ontologies.models import SelectedPropertyMaxAggregationDict
Ontologies SelectedPropertyMinAggregation from foundry.v2.ontologies.models import SelectedPropertyMinAggregation
Ontologies SelectedPropertyMinAggregationDict from foundry.v2.ontologies.models import SelectedPropertyMinAggregationDict
Ontologies SelectedPropertyOperation from foundry.v2.ontologies.models import SelectedPropertyOperation
Ontologies SelectedPropertyOperationDict from foundry.v2.ontologies.models import SelectedPropertyOperationDict
Ontologies SelectedPropertySumAggregation from foundry.v2.ontologies.models import SelectedPropertySumAggregation
Ontologies SelectedPropertySumAggregationDict from foundry.v2.ontologies.models import SelectedPropertySumAggregationDict
Ontologies SharedPropertyType from foundry.v2.ontologies.models import SharedPropertyType
Ontologies SharedPropertyTypeApiName from foundry.v2.ontologies.models import SharedPropertyTypeApiName
Ontologies SharedPropertyTypeDict from foundry.v2.ontologies.models import SharedPropertyTypeDict
Ontologies SharedPropertyTypeRid from foundry.v2.ontologies.models import SharedPropertyTypeRid
Ontologies StartsWithQuery from foundry.v2.ontologies.models import StartsWithQuery
Ontologies StartsWithQueryDict from foundry.v2.ontologies.models import StartsWithQueryDict
Ontologies StreamingOutputFormat from foundry.v2.ontologies.models import StreamingOutputFormat
Ontologies StringLengthConstraint from foundry.v2.ontologies.models import StringLengthConstraint
Ontologies StringLengthConstraintDict from foundry.v2.ontologies.models import StringLengthConstraintDict
Ontologies StringRegexMatchConstraint from foundry.v2.ontologies.models import StringRegexMatchConstraint
Ontologies StringRegexMatchConstraintDict from foundry.v2.ontologies.models import StringRegexMatchConstraintDict
Ontologies StructFieldApiName from foundry.v2.ontologies.models import StructFieldApiName
Ontologies StructFieldSelector from foundry.v2.ontologies.models import StructFieldSelector
Ontologies StructFieldSelectorDict from foundry.v2.ontologies.models import StructFieldSelectorDict
Ontologies StructFieldType from foundry.v2.ontologies.models import StructFieldType
Ontologies StructFieldTypeDict from foundry.v2.ontologies.models import StructFieldTypeDict
Ontologies StructType from foundry.v2.ontologies.models import StructType
Ontologies StructTypeDict from foundry.v2.ontologies.models import StructTypeDict
Ontologies SubmissionCriteriaEvaluation from foundry.v2.ontologies.models import SubmissionCriteriaEvaluation
Ontologies SubmissionCriteriaEvaluationDict from foundry.v2.ontologies.models import SubmissionCriteriaEvaluationDict
Ontologies SumAggregationV2 from foundry.v2.ontologies.models import SumAggregationV2
Ontologies SumAggregationV2Dict from foundry.v2.ontologies.models import SumAggregationV2Dict
Ontologies SyncApplyActionResponseV2 from foundry.v2.ontologies.models import SyncApplyActionResponseV2
Ontologies SyncApplyActionResponseV2Dict from foundry.v2.ontologies.models import SyncApplyActionResponseV2Dict
Ontologies ThreeDimensionalAggregation from foundry.v2.ontologies.models import ThreeDimensionalAggregation
Ontologies ThreeDimensionalAggregationDict from foundry.v2.ontologies.models import ThreeDimensionalAggregationDict
Ontologies TimeRange from foundry.v2.ontologies.models import TimeRange
Ontologies TimeRangeDict from foundry.v2.ontologies.models import TimeRangeDict
Ontologies TimeSeriesPoint from foundry.v2.ontologies.models import TimeSeriesPoint
Ontologies TimeSeriesPointDict from foundry.v2.ontologies.models import TimeSeriesPointDict
Ontologies TimeUnit from foundry.v2.ontologies.models import TimeUnit
Ontologies TwoDimensionalAggregation from foundry.v2.ontologies.models import TwoDimensionalAggregation
Ontologies TwoDimensionalAggregationDict from foundry.v2.ontologies.models import TwoDimensionalAggregationDict
Ontologies UnevaluableConstraint from foundry.v2.ontologies.models import UnevaluableConstraint
Ontologies UnevaluableConstraintDict from foundry.v2.ontologies.models import UnevaluableConstraintDict
Ontologies ValidateActionResponseV2 from foundry.v2.ontologies.models import ValidateActionResponseV2
Ontologies ValidateActionResponseV2Dict from foundry.v2.ontologies.models import ValidateActionResponseV2Dict
Ontologies ValidationResult from foundry.v2.ontologies.models import ValidationResult
Ontologies WithinBoundingBoxPoint from foundry.v2.ontologies.models import WithinBoundingBoxPoint
Ontologies WithinBoundingBoxPointDict from foundry.v2.ontologies.models import WithinBoundingBoxPointDict
Ontologies WithinBoundingBoxQuery from foundry.v2.ontologies.models import WithinBoundingBoxQuery
Ontologies WithinBoundingBoxQueryDict from foundry.v2.ontologies.models import WithinBoundingBoxQueryDict
Ontologies WithinDistanceOfQuery from foundry.v2.ontologies.models import WithinDistanceOfQuery
Ontologies WithinDistanceOfQueryDict from foundry.v2.ontologies.models import WithinDistanceOfQueryDict
Ontologies WithinPolygonQuery from foundry.v2.ontologies.models import WithinPolygonQuery
Ontologies WithinPolygonQueryDict from foundry.v2.ontologies.models import WithinPolygonQueryDict
Orchestration AbortOnFailure from foundry.v2.orchestration.models import AbortOnFailure
Orchestration Action from foundry.v2.orchestration.models import Action
Orchestration ActionDict from foundry.v2.orchestration.models import ActionDict
Orchestration AndTrigger from foundry.v2.orchestration.models import AndTrigger
Orchestration AndTriggerDict from foundry.v2.orchestration.models import AndTriggerDict
Orchestration Build from foundry.v2.orchestration.models import Build
Orchestration BuildableRid from foundry.v2.orchestration.models import BuildableRid
Orchestration BuildDict from foundry.v2.orchestration.models import BuildDict
Orchestration BuildRid from foundry.v2.orchestration.models import BuildRid
Orchestration BuildStatus from foundry.v2.orchestration.models import BuildStatus
Orchestration BuildTarget from foundry.v2.orchestration.models import BuildTarget
Orchestration BuildTargetDict from foundry.v2.orchestration.models import BuildTargetDict
Orchestration ConnectingTarget from foundry.v2.orchestration.models import ConnectingTarget
Orchestration ConnectingTargetDict from foundry.v2.orchestration.models import ConnectingTargetDict
Orchestration CreateScheduleRequestAction from foundry.v2.orchestration.models import CreateScheduleRequestAction
Orchestration CreateScheduleRequestActionDict from foundry.v2.orchestration.models import CreateScheduleRequestActionDict
Orchestration CreateScheduleRequestBuildTarget from foundry.v2.orchestration.models import CreateScheduleRequestBuildTarget
Orchestration CreateScheduleRequestBuildTargetDict from foundry.v2.orchestration.models import CreateScheduleRequestBuildTargetDict
Orchestration CreateScheduleRequestConnectingTarget from foundry.v2.orchestration.models import CreateScheduleRequestConnectingTarget
Orchestration CreateScheduleRequestConnectingTargetDict from foundry.v2.orchestration.models import CreateScheduleRequestConnectingTargetDict
Orchestration CreateScheduleRequestManualTarget from foundry.v2.orchestration.models import CreateScheduleRequestManualTarget
Orchestration CreateScheduleRequestManualTargetDict from foundry.v2.orchestration.models import CreateScheduleRequestManualTargetDict
Orchestration CreateScheduleRequestProjectScope from foundry.v2.orchestration.models import CreateScheduleRequestProjectScope
Orchestration CreateScheduleRequestProjectScopeDict from foundry.v2.orchestration.models import CreateScheduleRequestProjectScopeDict
Orchestration CreateScheduleRequestScopeMode from foundry.v2.orchestration.models import CreateScheduleRequestScopeMode
Orchestration CreateScheduleRequestScopeModeDict from foundry.v2.orchestration.models import CreateScheduleRequestScopeModeDict
Orchestration CreateScheduleRequestUpstreamTarget from foundry.v2.orchestration.models import CreateScheduleRequestUpstreamTarget
Orchestration CreateScheduleRequestUpstreamTargetDict from foundry.v2.orchestration.models import CreateScheduleRequestUpstreamTargetDict
Orchestration CreateScheduleRequestUserScope from foundry.v2.orchestration.models import CreateScheduleRequestUserScope
Orchestration CreateScheduleRequestUserScopeDict from foundry.v2.orchestration.models import CreateScheduleRequestUserScopeDict
Orchestration CronExpression from foundry.v2.orchestration.models import CronExpression
Orchestration DatasetUpdatedTrigger from foundry.v2.orchestration.models import DatasetUpdatedTrigger
Orchestration DatasetUpdatedTriggerDict from foundry.v2.orchestration.models import DatasetUpdatedTriggerDict
Orchestration FallbackBranches from foundry.v2.orchestration.models import FallbackBranches
Orchestration ForceBuild from foundry.v2.orchestration.models import ForceBuild
Orchestration GetBuildsBatchRequestElement from foundry.v2.orchestration.models import GetBuildsBatchRequestElement
Orchestration GetBuildsBatchRequestElementDict from foundry.v2.orchestration.models import GetBuildsBatchRequestElementDict
Orchestration GetBuildsBatchResponse from foundry.v2.orchestration.models import GetBuildsBatchResponse
Orchestration GetBuildsBatchResponseDict from foundry.v2.orchestration.models import GetBuildsBatchResponseDict
Orchestration JobSucceededTrigger from foundry.v2.orchestration.models import JobSucceededTrigger
Orchestration JobSucceededTriggerDict from foundry.v2.orchestration.models import JobSucceededTriggerDict
Orchestration ListRunsOfScheduleResponse from foundry.v2.orchestration.models import ListRunsOfScheduleResponse
Orchestration ListRunsOfScheduleResponseDict from foundry.v2.orchestration.models import ListRunsOfScheduleResponseDict
Orchestration ManualTarget from foundry.v2.orchestration.models import ManualTarget
Orchestration ManualTargetDict from foundry.v2.orchestration.models import ManualTargetDict
Orchestration MediaSetUpdatedTrigger from foundry.v2.orchestration.models import MediaSetUpdatedTrigger
Orchestration MediaSetUpdatedTriggerDict from foundry.v2.orchestration.models import MediaSetUpdatedTriggerDict
Orchestration NewLogicTrigger from foundry.v2.orchestration.models import NewLogicTrigger
Orchestration NewLogicTriggerDict from foundry.v2.orchestration.models import NewLogicTriggerDict
Orchestration NotificationsEnabled from foundry.v2.orchestration.models import NotificationsEnabled
Orchestration OrTrigger from foundry.v2.orchestration.models import OrTrigger
Orchestration OrTriggerDict from foundry.v2.orchestration.models import OrTriggerDict
Orchestration ProjectScope from foundry.v2.orchestration.models import ProjectScope
Orchestration ProjectScopeDict from foundry.v2.orchestration.models import ProjectScopeDict
Orchestration ReplaceScheduleRequestAction from foundry.v2.orchestration.models import ReplaceScheduleRequestAction
Orchestration ReplaceScheduleRequestActionDict from foundry.v2.orchestration.models import ReplaceScheduleRequestActionDict
Orchestration ReplaceScheduleRequestBuildTarget from foundry.v2.orchestration.models import ReplaceScheduleRequestBuildTarget
Orchestration ReplaceScheduleRequestBuildTargetDict from foundry.v2.orchestration.models import ReplaceScheduleRequestBuildTargetDict
Orchestration ReplaceScheduleRequestConnectingTarget from foundry.v2.orchestration.models import ReplaceScheduleRequestConnectingTarget
Orchestration ReplaceScheduleRequestConnectingTargetDict from foundry.v2.orchestration.models import ReplaceScheduleRequestConnectingTargetDict
Orchestration ReplaceScheduleRequestManualTarget from foundry.v2.orchestration.models import ReplaceScheduleRequestManualTarget
Orchestration ReplaceScheduleRequestManualTargetDict from foundry.v2.orchestration.models import ReplaceScheduleRequestManualTargetDict
Orchestration ReplaceScheduleRequestProjectScope from foundry.v2.orchestration.models import ReplaceScheduleRequestProjectScope
Orchestration ReplaceScheduleRequestProjectScopeDict from foundry.v2.orchestration.models import ReplaceScheduleRequestProjectScopeDict
Orchestration ReplaceScheduleRequestScopeMode from foundry.v2.orchestration.models import ReplaceScheduleRequestScopeMode
Orchestration ReplaceScheduleRequestScopeModeDict from foundry.v2.orchestration.models import ReplaceScheduleRequestScopeModeDict
Orchestration ReplaceScheduleRequestUpstreamTarget from foundry.v2.orchestration.models import ReplaceScheduleRequestUpstreamTarget
Orchestration ReplaceScheduleRequestUpstreamTargetDict from foundry.v2.orchestration.models import ReplaceScheduleRequestUpstreamTargetDict
Orchestration ReplaceScheduleRequestUserScope from foundry.v2.orchestration.models import ReplaceScheduleRequestUserScope
Orchestration ReplaceScheduleRequestUserScopeDict from foundry.v2.orchestration.models import ReplaceScheduleRequestUserScopeDict
Orchestration RetryBackoffDuration from foundry.v2.orchestration.models import RetryBackoffDuration
Orchestration RetryBackoffDurationDict from foundry.v2.orchestration.models import RetryBackoffDurationDict
Orchestration RetryCount from foundry.v2.orchestration.models import RetryCount
Orchestration Schedule from foundry.v2.orchestration.models import Schedule
Orchestration ScheduleDict from foundry.v2.orchestration.models import ScheduleDict
Orchestration SchedulePaused from foundry.v2.orchestration.models import SchedulePaused
Orchestration ScheduleRid from foundry.v2.orchestration.models import ScheduleRid
Orchestration ScheduleRun from foundry.v2.orchestration.models import ScheduleRun
Orchestration ScheduleRunDict from foundry.v2.orchestration.models import ScheduleRunDict
Orchestration ScheduleRunError from foundry.v2.orchestration.models import ScheduleRunError
Orchestration ScheduleRunErrorDict from foundry.v2.orchestration.models import ScheduleRunErrorDict
Orchestration ScheduleRunErrorName from foundry.v2.orchestration.models import ScheduleRunErrorName
Orchestration ScheduleRunIgnored from foundry.v2.orchestration.models import ScheduleRunIgnored
Orchestration ScheduleRunIgnoredDict from foundry.v2.orchestration.models import ScheduleRunIgnoredDict
Orchestration ScheduleRunResult from foundry.v2.orchestration.models import ScheduleRunResult
Orchestration ScheduleRunResultDict from foundry.v2.orchestration.models import ScheduleRunResultDict
Orchestration ScheduleRunRid from foundry.v2.orchestration.models import ScheduleRunRid
Orchestration ScheduleRunSubmitted from foundry.v2.orchestration.models import ScheduleRunSubmitted
Orchestration ScheduleRunSubmittedDict from foundry.v2.orchestration.models import ScheduleRunSubmittedDict
Orchestration ScheduleSucceededTrigger from foundry.v2.orchestration.models import ScheduleSucceededTrigger
Orchestration ScheduleSucceededTriggerDict from foundry.v2.orchestration.models import ScheduleSucceededTriggerDict
Orchestration ScheduleVersion from foundry.v2.orchestration.models import ScheduleVersion
Orchestration ScheduleVersionDict from foundry.v2.orchestration.models import ScheduleVersionDict
Orchestration ScheduleVersionRid from foundry.v2.orchestration.models import ScheduleVersionRid
Orchestration ScopeMode from foundry.v2.orchestration.models import ScopeMode
Orchestration ScopeModeDict from foundry.v2.orchestration.models import ScopeModeDict
Orchestration SearchBuildsAndFilter from foundry.v2.orchestration.models import SearchBuildsAndFilter
Orchestration SearchBuildsAndFilterDict from foundry.v2.orchestration.models import SearchBuildsAndFilterDict
Orchestration SearchBuildsEqualsFilter from foundry.v2.orchestration.models import SearchBuildsEqualsFilter
Orchestration SearchBuildsEqualsFilterDict from foundry.v2.orchestration.models import SearchBuildsEqualsFilterDict
Orchestration SearchBuildsEqualsFilterField from foundry.v2.orchestration.models import SearchBuildsEqualsFilterField
Orchestration SearchBuildsFilter from foundry.v2.orchestration.models import SearchBuildsFilter
Orchestration SearchBuildsFilterDict from foundry.v2.orchestration.models import SearchBuildsFilterDict
Orchestration SearchBuildsGteFilter from foundry.v2.orchestration.models import SearchBuildsGteFilter
Orchestration SearchBuildsGteFilterDict from foundry.v2.orchestration.models import SearchBuildsGteFilterDict
Orchestration SearchBuildsGteFilterField from foundry.v2.orchestration.models import SearchBuildsGteFilterField
Orchestration SearchBuildsLtFilter from foundry.v2.orchestration.models import SearchBuildsLtFilter
Orchestration SearchBuildsLtFilterDict from foundry.v2.orchestration.models import SearchBuildsLtFilterDict
Orchestration SearchBuildsLtFilterField from foundry.v2.orchestration.models import SearchBuildsLtFilterField
Orchestration SearchBuildsNotFilter from foundry.v2.orchestration.models import SearchBuildsNotFilter
Orchestration SearchBuildsNotFilterDict from foundry.v2.orchestration.models import SearchBuildsNotFilterDict
Orchestration SearchBuildsOrderBy from foundry.v2.orchestration.models import SearchBuildsOrderBy
Orchestration SearchBuildsOrderByDict from foundry.v2.orchestration.models import SearchBuildsOrderByDict
Orchestration SearchBuildsOrderByField from foundry.v2.orchestration.models import SearchBuildsOrderByField
Orchestration SearchBuildsOrderByItem from foundry.v2.orchestration.models import SearchBuildsOrderByItem
Orchestration SearchBuildsOrderByItemDict from foundry.v2.orchestration.models import SearchBuildsOrderByItemDict
Orchestration SearchBuildsOrFilter from foundry.v2.orchestration.models import SearchBuildsOrFilter
Orchestration SearchBuildsOrFilterDict from foundry.v2.orchestration.models import SearchBuildsOrFilterDict
Orchestration SearchBuildsResponse from foundry.v2.orchestration.models import SearchBuildsResponse
Orchestration SearchBuildsResponseDict from foundry.v2.orchestration.models import SearchBuildsResponseDict
Orchestration TimeTrigger from foundry.v2.orchestration.models import TimeTrigger
Orchestration TimeTriggerDict from foundry.v2.orchestration.models import TimeTriggerDict
Orchestration Trigger from foundry.v2.orchestration.models import Trigger
Orchestration TriggerDict from foundry.v2.orchestration.models import TriggerDict
Orchestration UpstreamTarget from foundry.v2.orchestration.models import UpstreamTarget
Orchestration UpstreamTargetDict from foundry.v2.orchestration.models import UpstreamTargetDict
Orchestration UserScope from foundry.v2.orchestration.models import UserScope
Orchestration UserScopeDict from foundry.v2.orchestration.models import UserScopeDict
Streams Compressed from foundry.v2.streams.models import Compressed
Streams CreateStreamRequestStreamSchema from foundry.v2.streams.models import CreateStreamRequestStreamSchema
Streams CreateStreamRequestStreamSchemaDict from foundry.v2.streams.models import CreateStreamRequestStreamSchemaDict
Streams Dataset from foundry.v2.streams.models import Dataset
Streams DatasetDict from foundry.v2.streams.models import DatasetDict
Streams PartitionsCount from foundry.v2.streams.models import PartitionsCount
Streams Record from foundry.v2.streams.models import Record
Streams Stream from foundry.v2.streams.models import Stream
Streams StreamDict from foundry.v2.streams.models import StreamDict
Streams StreamType from foundry.v2.streams.models import StreamType
Streams ViewRid from foundry.v2.streams.models import ViewRid
ThirdPartyApplications ListVersionsResponse from foundry.v2.third_party_applications.models import ListVersionsResponse
ThirdPartyApplications ListVersionsResponseDict from foundry.v2.third_party_applications.models import ListVersionsResponseDict
ThirdPartyApplications Subdomain from foundry.v2.third_party_applications.models import Subdomain
ThirdPartyApplications ThirdPartyApplication from foundry.v2.third_party_applications.models import ThirdPartyApplication
ThirdPartyApplications ThirdPartyApplicationDict from foundry.v2.third_party_applications.models import ThirdPartyApplicationDict
ThirdPartyApplications ThirdPartyApplicationRid from foundry.v2.third_party_applications.models import ThirdPartyApplicationRid
ThirdPartyApplications Version from foundry.v2.third_party_applications.models import Version
ThirdPartyApplications VersionDict from foundry.v2.third_party_applications.models import VersionDict
ThirdPartyApplications VersionVersion from foundry.v2.third_party_applications.models import VersionVersion
ThirdPartyApplications Website from foundry.v2.third_party_applications.models import Website
ThirdPartyApplications WebsiteDict from foundry.v2.third_party_applications.models import WebsiteDict

Documentation for V1 models

Namespace Name Import
Core AnyType from foundry.v1.core.models import AnyType
Core AnyTypeDict from foundry.v1.core.models import AnyTypeDict
Core AttachmentTypeDict from foundry.v1.core.models import AttachmentTypeDict
Core BinaryType from foundry.v1.core.models import BinaryType
Core BinaryTypeDict from foundry.v1.core.models import BinaryTypeDict
Core BooleanType from foundry.v1.core.models import BooleanType
Core BooleanTypeDict from foundry.v1.core.models import BooleanTypeDict
Core ByteType from foundry.v1.core.models import ByteType
Core ByteTypeDict from foundry.v1.core.models import ByteTypeDict
Core CipherTextType from foundry.v1.core.models import CipherTextType
Core CipherTextTypeDict from foundry.v1.core.models import CipherTextTypeDict
Core DateType from foundry.v1.core.models import DateType
Core DateTypeDict from foundry.v1.core.models import DateTypeDict
Core DecimalType from foundry.v1.core.models import DecimalType
Core DecimalTypeDict from foundry.v1.core.models import DecimalTypeDict
Core DisplayName from foundry.v1.core.models import DisplayName
Core DistanceUnit from foundry.v1.core.models import DistanceUnit
Core DoubleType from foundry.v1.core.models import DoubleType
Core DoubleTypeDict from foundry.v1.core.models import DoubleTypeDict
Core FilePath from foundry.v1.core.models import FilePath
Core FloatType from foundry.v1.core.models import FloatType
Core FloatTypeDict from foundry.v1.core.models import FloatTypeDict
Core FolderRid from foundry.v1.core.models import FolderRid
Core IntegerType from foundry.v1.core.models import IntegerType
Core IntegerTypeDict from foundry.v1.core.models import IntegerTypeDict
Core LongType from foundry.v1.core.models import LongType
Core LongTypeDict from foundry.v1.core.models import LongTypeDict
Core MarkingType from foundry.v1.core.models import MarkingType
Core MarkingTypeDict from foundry.v1.core.models import MarkingTypeDict
Core NullTypeDict from foundry.v1.core.models import NullTypeDict
Core PageSize from foundry.v1.core.models import PageSize
Core PageToken from foundry.v1.core.models import PageToken
Core PreviewMode from foundry.v1.core.models import PreviewMode
Core ReleaseStatus from foundry.v1.core.models import ReleaseStatus
Core ShortType from foundry.v1.core.models import ShortType
Core ShortTypeDict from foundry.v1.core.models import ShortTypeDict
Core StringType from foundry.v1.core.models import StringType
Core StringTypeDict from foundry.v1.core.models import StringTypeDict
Core StructFieldName from foundry.v1.core.models import StructFieldName
Core TimestampType from foundry.v1.core.models import TimestampType
Core TimestampTypeDict from foundry.v1.core.models import TimestampTypeDict
Core TotalCount from foundry.v1.core.models import TotalCount
Core UnsupportedType from foundry.v1.core.models import UnsupportedType
Core UnsupportedTypeDict from foundry.v1.core.models import UnsupportedTypeDict
Datasets Branch from foundry.v1.datasets.models import Branch
Datasets BranchDict from foundry.v1.datasets.models import BranchDict
Datasets BranchId from foundry.v1.datasets.models import BranchId
Datasets Dataset from foundry.v1.datasets.models import Dataset
Datasets DatasetDict from foundry.v1.datasets.models import DatasetDict
Datasets DatasetName from foundry.v1.datasets.models import DatasetName
Datasets DatasetRid from foundry.v1.datasets.models import DatasetRid
Datasets File from foundry.v1.datasets.models import File
Datasets FileDict from foundry.v1.datasets.models import FileDict
Datasets ListBranchesResponse from foundry.v1.datasets.models import ListBranchesResponse
Datasets ListBranchesResponseDict from foundry.v1.datasets.models import ListBranchesResponseDict
Datasets ListFilesResponse from foundry.v1.datasets.models import ListFilesResponse
Datasets ListFilesResponseDict from foundry.v1.datasets.models import ListFilesResponseDict
Datasets TableExportFormat from foundry.v1.datasets.models import TableExportFormat
Datasets Transaction from foundry.v1.datasets.models import Transaction
Datasets TransactionDict from foundry.v1.datasets.models import TransactionDict
Datasets TransactionRid from foundry.v1.datasets.models import TransactionRid
Datasets TransactionStatus from foundry.v1.datasets.models import TransactionStatus
Datasets TransactionType from foundry.v1.datasets.models import TransactionType
Ontologies ActionRid from foundry.v1.ontologies.models import ActionRid
Ontologies ActionType from foundry.v1.ontologies.models import ActionType
Ontologies ActionTypeApiName from foundry.v1.ontologies.models import ActionTypeApiName
Ontologies ActionTypeDict from foundry.v1.ontologies.models import ActionTypeDict
Ontologies ActionTypeRid from foundry.v1.ontologies.models import ActionTypeRid
Ontologies AggregateObjectsResponse from foundry.v1.ontologies.models import AggregateObjectsResponse
Ontologies AggregateObjectsResponseDict from foundry.v1.ontologies.models import AggregateObjectsResponseDict
Ontologies AggregateObjectsResponseItem from foundry.v1.ontologies.models import AggregateObjectsResponseItem
Ontologies AggregateObjectsResponseItemDict from foundry.v1.ontologies.models import AggregateObjectsResponseItemDict
Ontologies Aggregation from foundry.v1.ontologies.models import Aggregation
Ontologies AggregationDict from foundry.v1.ontologies.models import AggregationDict
Ontologies AggregationDurationGrouping from foundry.v1.ontologies.models import AggregationDurationGrouping
Ontologies AggregationDurationGroupingDict from foundry.v1.ontologies.models import AggregationDurationGroupingDict
Ontologies AggregationExactGrouping from foundry.v1.ontologies.models import AggregationExactGrouping
Ontologies AggregationExactGroupingDict from foundry.v1.ontologies.models import AggregationExactGroupingDict
Ontologies AggregationFixedWidthGrouping from foundry.v1.ontologies.models import AggregationFixedWidthGrouping
Ontologies AggregationFixedWidthGroupingDict from foundry.v1.ontologies.models import AggregationFixedWidthGroupingDict
Ontologies AggregationGroupBy from foundry.v1.ontologies.models import AggregationGroupBy
Ontologies AggregationGroupByDict from foundry.v1.ontologies.models import AggregationGroupByDict
Ontologies AggregationGroupKey from foundry.v1.ontologies.models import AggregationGroupKey
Ontologies AggregationGroupValue from foundry.v1.ontologies.models import AggregationGroupValue
Ontologies AggregationMetricName from foundry.v1.ontologies.models import AggregationMetricName
Ontologies AggregationMetricResult from foundry.v1.ontologies.models import AggregationMetricResult
Ontologies AggregationMetricResultDict from foundry.v1.ontologies.models import AggregationMetricResultDict
Ontologies AggregationRange from foundry.v1.ontologies.models import AggregationRange
Ontologies AggregationRangeDict from foundry.v1.ontologies.models import AggregationRangeDict
Ontologies AggregationRangesGrouping from foundry.v1.ontologies.models import AggregationRangesGrouping
Ontologies AggregationRangesGroupingDict from foundry.v1.ontologies.models import AggregationRangesGroupingDict
Ontologies AllTermsQuery from foundry.v1.ontologies.models import AllTermsQuery
Ontologies AllTermsQueryDict from foundry.v1.ontologies.models import AllTermsQueryDict
Ontologies AndQuery from foundry.v1.ontologies.models import AndQuery
Ontologies AndQueryDict from foundry.v1.ontologies.models import AndQueryDict
Ontologies AnyTermQuery from foundry.v1.ontologies.models import AnyTermQuery
Ontologies AnyTermQueryDict from foundry.v1.ontologies.models import AnyTermQueryDict
Ontologies ApplyActionMode from foundry.v1.ontologies.models import ApplyActionMode
Ontologies ApplyActionRequest from foundry.v1.ontologies.models import ApplyActionRequest
Ontologies ApplyActionRequestDict from foundry.v1.ontologies.models import ApplyActionRequestDict
Ontologies ApplyActionRequestOptions from foundry.v1.ontologies.models import ApplyActionRequestOptions
Ontologies ApplyActionRequestOptionsDict from foundry.v1.ontologies.models import ApplyActionRequestOptionsDict
Ontologies ApplyActionResponse from foundry.v1.ontologies.models import ApplyActionResponse
Ontologies ApplyActionResponseDict from foundry.v1.ontologies.models import ApplyActionResponseDict
Ontologies ApproximateDistinctAggregation from foundry.v1.ontologies.models import ApproximateDistinctAggregation
Ontologies ApproximateDistinctAggregationDict from foundry.v1.ontologies.models import ApproximateDistinctAggregationDict
Ontologies ArraySizeConstraint from foundry.v1.ontologies.models import ArraySizeConstraint
Ontologies ArraySizeConstraintDict from foundry.v1.ontologies.models import ArraySizeConstraintDict
Ontologies ArtifactRepositoryRid from foundry.v1.ontologies.models import ArtifactRepositoryRid
Ontologies AttachmentRid from foundry.v1.ontologies.models import AttachmentRid
Ontologies AvgAggregation from foundry.v1.ontologies.models import AvgAggregation
Ontologies AvgAggregationDict from foundry.v1.ontologies.models import AvgAggregationDict
Ontologies BatchApplyActionResponse from foundry.v1.ontologies.models import BatchApplyActionResponse
Ontologies BatchApplyActionResponseDict from foundry.v1.ontologies.models import BatchApplyActionResponseDict
Ontologies ContainsQuery from foundry.v1.ontologies.models import ContainsQuery
Ontologies ContainsQueryDict from foundry.v1.ontologies.models import ContainsQueryDict
Ontologies CountAggregation from foundry.v1.ontologies.models import CountAggregation
Ontologies CountAggregationDict from foundry.v1.ontologies.models import CountAggregationDict
Ontologies CreateInterfaceObjectRule from foundry.v1.ontologies.models import CreateInterfaceObjectRule
Ontologies CreateInterfaceObjectRuleDict from foundry.v1.ontologies.models import CreateInterfaceObjectRuleDict
Ontologies CreateLinkRule from foundry.v1.ontologies.models import CreateLinkRule
Ontologies CreateLinkRuleDict from foundry.v1.ontologies.models import CreateLinkRuleDict
Ontologies CreateObjectRule from foundry.v1.ontologies.models import CreateObjectRule
Ontologies CreateObjectRuleDict from foundry.v1.ontologies.models import CreateObjectRuleDict
Ontologies DataValue from foundry.v1.ontologies.models import DataValue
Ontologies DeleteInterfaceObjectRule from foundry.v1.ontologies.models import DeleteInterfaceObjectRule
Ontologies DeleteInterfaceObjectRuleDict from foundry.v1.ontologies.models import DeleteInterfaceObjectRuleDict
Ontologies DeleteLinkRule from foundry.v1.ontologies.models import DeleteLinkRule
Ontologies DeleteLinkRuleDict from foundry.v1.ontologies.models import DeleteLinkRuleDict
Ontologies DeleteObjectRule from foundry.v1.ontologies.models import DeleteObjectRule
Ontologies DeleteObjectRuleDict from foundry.v1.ontologies.models import DeleteObjectRuleDict
Ontologies DerivedPropertyApiName from foundry.v1.ontologies.models import DerivedPropertyApiName
Ontologies Duration from foundry.v1.ontologies.models import Duration
Ontologies EqualsQuery from foundry.v1.ontologies.models import EqualsQuery
Ontologies EqualsQueryDict from foundry.v1.ontologies.models import EqualsQueryDict
Ontologies ExecuteQueryResponse from foundry.v1.ontologies.models import ExecuteQueryResponse
Ontologies ExecuteQueryResponseDict from foundry.v1.ontologies.models import ExecuteQueryResponseDict
Ontologies FieldNameV1 from foundry.v1.ontologies.models import FieldNameV1
Ontologies FilterValue from foundry.v1.ontologies.models import FilterValue
Ontologies FunctionRid from foundry.v1.ontologies.models import FunctionRid
Ontologies FunctionVersion from foundry.v1.ontologies.models import FunctionVersion
Ontologies Fuzzy from foundry.v1.ontologies.models import Fuzzy
Ontologies GroupMemberConstraint from foundry.v1.ontologies.models import GroupMemberConstraint
Ontologies GroupMemberConstraintDict from foundry.v1.ontologies.models import GroupMemberConstraintDict
Ontologies GteQuery from foundry.v1.ontologies.models import GteQuery
Ontologies GteQueryDict from foundry.v1.ontologies.models import GteQueryDict
Ontologies GtQuery from foundry.v1.ontologies.models import GtQuery
Ontologies GtQueryDict from foundry.v1.ontologies.models import GtQueryDict
Ontologies InterfaceTypeApiName from foundry.v1.ontologies.models import InterfaceTypeApiName
Ontologies InterfaceTypeRid from foundry.v1.ontologies.models import InterfaceTypeRid
Ontologies IsNullQuery from foundry.v1.ontologies.models import IsNullQuery
Ontologies IsNullQueryDict from foundry.v1.ontologies.models import IsNullQueryDict
Ontologies LinkTypeApiName from foundry.v1.ontologies.models import LinkTypeApiName
Ontologies LinkTypeSide from foundry.v1.ontologies.models import LinkTypeSide
Ontologies LinkTypeSideCardinality from foundry.v1.ontologies.models import LinkTypeSideCardinality
Ontologies LinkTypeSideDict from foundry.v1.ontologies.models import LinkTypeSideDict
Ontologies ListActionTypesResponse from foundry.v1.ontologies.models import ListActionTypesResponse
Ontologies ListActionTypesResponseDict from foundry.v1.ontologies.models import ListActionTypesResponseDict
Ontologies ListLinkedObjectsResponse from foundry.v1.ontologies.models import ListLinkedObjectsResponse
Ontologies ListLinkedObjectsResponseDict from foundry.v1.ontologies.models import ListLinkedObjectsResponseDict
Ontologies ListObjectsResponse from foundry.v1.ontologies.models import ListObjectsResponse
Ontologies ListObjectsResponseDict from foundry.v1.ontologies.models import ListObjectsResponseDict
Ontologies ListObjectTypesResponse from foundry.v1.ontologies.models import ListObjectTypesResponse
Ontologies ListObjectTypesResponseDict from foundry.v1.ontologies.models import ListObjectTypesResponseDict
Ontologies ListOntologiesResponse from foundry.v1.ontologies.models import ListOntologiesResponse
Ontologies ListOntologiesResponseDict from foundry.v1.ontologies.models import ListOntologiesResponseDict
Ontologies ListOutgoingLinkTypesResponse from foundry.v1.ontologies.models import ListOutgoingLinkTypesResponse
Ontologies ListOutgoingLinkTypesResponseDict from foundry.v1.ontologies.models import ListOutgoingLinkTypesResponseDict
Ontologies ListQueryTypesResponse from foundry.v1.ontologies.models import ListQueryTypesResponse
Ontologies ListQueryTypesResponseDict from foundry.v1.ontologies.models import ListQueryTypesResponseDict
Ontologies LogicRule from foundry.v1.ontologies.models import LogicRule
Ontologies LogicRuleDict from foundry.v1.ontologies.models import LogicRuleDict
Ontologies LteQuery from foundry.v1.ontologies.models import LteQuery
Ontologies LteQueryDict from foundry.v1.ontologies.models import LteQueryDict
Ontologies LtQuery from foundry.v1.ontologies.models import LtQuery
Ontologies LtQueryDict from foundry.v1.ontologies.models import LtQueryDict
Ontologies MaxAggregation from foundry.v1.ontologies.models import MaxAggregation
Ontologies MaxAggregationDict from foundry.v1.ontologies.models import MaxAggregationDict
Ontologies MinAggregation from foundry.v1.ontologies.models import MinAggregation
Ontologies MinAggregationDict from foundry.v1.ontologies.models import MinAggregationDict
Ontologies ModifyInterfaceObjectRule from foundry.v1.ontologies.models import ModifyInterfaceObjectRule
Ontologies ModifyInterfaceObjectRuleDict from foundry.v1.ontologies.models import ModifyInterfaceObjectRuleDict
Ontologies ModifyObjectRule from foundry.v1.ontologies.models import ModifyObjectRule
Ontologies ModifyObjectRuleDict from foundry.v1.ontologies.models import ModifyObjectRuleDict
Ontologies NotQuery from foundry.v1.ontologies.models import NotQuery
Ontologies NotQueryDict from foundry.v1.ontologies.models import NotQueryDict
Ontologies ObjectPropertyValueConstraint from foundry.v1.ontologies.models import ObjectPropertyValueConstraint
Ontologies ObjectPropertyValueConstraintDict from foundry.v1.ontologies.models import ObjectPropertyValueConstraintDict
Ontologies ObjectQueryResultConstraint from foundry.v1.ontologies.models import ObjectQueryResultConstraint
Ontologies ObjectQueryResultConstraintDict from foundry.v1.ontologies.models import ObjectQueryResultConstraintDict
Ontologies ObjectRid from foundry.v1.ontologies.models import ObjectRid
Ontologies ObjectSetRid from foundry.v1.ontologies.models import ObjectSetRid
Ontologies ObjectType from foundry.v1.ontologies.models import ObjectType
Ontologies ObjectTypeApiName from foundry.v1.ontologies.models import ObjectTypeApiName
Ontologies ObjectTypeDict from foundry.v1.ontologies.models import ObjectTypeDict
Ontologies ObjectTypeRid from foundry.v1.ontologies.models import ObjectTypeRid
Ontologies ObjectTypeVisibility from foundry.v1.ontologies.models import ObjectTypeVisibility
Ontologies OneOfConstraint from foundry.v1.ontologies.models import OneOfConstraint
Ontologies OneOfConstraintDict from foundry.v1.ontologies.models import OneOfConstraintDict
Ontologies Ontology from foundry.v1.ontologies.models import Ontology
Ontologies OntologyApiName from foundry.v1.ontologies.models import OntologyApiName
Ontologies OntologyArrayType from foundry.v1.ontologies.models import OntologyArrayType
Ontologies OntologyArrayTypeDict from foundry.v1.ontologies.models import OntologyArrayTypeDict
Ontologies OntologyDataType from foundry.v1.ontologies.models import OntologyDataType
Ontologies OntologyDataTypeDict from foundry.v1.ontologies.models import OntologyDataTypeDict
Ontologies OntologyDict from foundry.v1.ontologies.models import OntologyDict
Ontologies OntologyMapType from foundry.v1.ontologies.models import OntologyMapType
Ontologies OntologyMapTypeDict from foundry.v1.ontologies.models import OntologyMapTypeDict
Ontologies OntologyObject from foundry.v1.ontologies.models import OntologyObject
Ontologies OntologyObjectDict from foundry.v1.ontologies.models import OntologyObjectDict
Ontologies OntologyObjectSetType from foundry.v1.ontologies.models import OntologyObjectSetType
Ontologies OntologyObjectSetTypeDict from foundry.v1.ontologies.models import OntologyObjectSetTypeDict
Ontologies OntologyObjectType from foundry.v1.ontologies.models import OntologyObjectType
Ontologies OntologyObjectTypeDict from foundry.v1.ontologies.models import OntologyObjectTypeDict
Ontologies OntologyRid from foundry.v1.ontologies.models import OntologyRid
Ontologies OntologySetType from foundry.v1.ontologies.models import OntologySetType
Ontologies OntologySetTypeDict from foundry.v1.ontologies.models import OntologySetTypeDict
Ontologies OntologyStructField from foundry.v1.ontologies.models import OntologyStructField
Ontologies OntologyStructFieldDict from foundry.v1.ontologies.models import OntologyStructFieldDict
Ontologies OntologyStructType from foundry.v1.ontologies.models import OntologyStructType
Ontologies OntologyStructTypeDict from foundry.v1.ontologies.models import OntologyStructTypeDict
Ontologies OrderBy from foundry.v1.ontologies.models import OrderBy
Ontologies OrQuery from foundry.v1.ontologies.models import OrQuery
Ontologies OrQueryDict from foundry.v1.ontologies.models import OrQueryDict
Ontologies Parameter from foundry.v1.ontologies.models import Parameter
Ontologies ParameterDict from foundry.v1.ontologies.models import ParameterDict
Ontologies ParameterEvaluatedConstraint from foundry.v1.ontologies.models import ParameterEvaluatedConstraint
Ontologies ParameterEvaluatedConstraintDict from foundry.v1.ontologies.models import ParameterEvaluatedConstraintDict
Ontologies ParameterEvaluationResult from foundry.v1.ontologies.models import ParameterEvaluationResult
Ontologies ParameterEvaluationResultDict from foundry.v1.ontologies.models import ParameterEvaluationResultDict
Ontologies ParameterId from foundry.v1.ontologies.models import ParameterId
Ontologies ParameterOption from foundry.v1.ontologies.models import ParameterOption
Ontologies ParameterOptionDict from foundry.v1.ontologies.models import ParameterOptionDict
Ontologies PhraseQuery from foundry.v1.ontologies.models import PhraseQuery
Ontologies PhraseQueryDict from foundry.v1.ontologies.models import PhraseQueryDict
Ontologies PrefixQuery from foundry.v1.ontologies.models import PrefixQuery
Ontologies PrefixQueryDict from foundry.v1.ontologies.models import PrefixQueryDict
Ontologies PrimaryKeyValue from foundry.v1.ontologies.models import PrimaryKeyValue
Ontologies Property from foundry.v1.ontologies.models import Property
Ontologies PropertyApiName from foundry.v1.ontologies.models import PropertyApiName
Ontologies PropertyDict from foundry.v1.ontologies.models import PropertyDict
Ontologies PropertyFilter from foundry.v1.ontologies.models import PropertyFilter
Ontologies PropertyId from foundry.v1.ontologies.models import PropertyId
Ontologies PropertyValue from foundry.v1.ontologies.models import PropertyValue
Ontologies PropertyValueEscapedString from foundry.v1.ontologies.models import PropertyValueEscapedString
Ontologies QueryAggregationKeyTypeDict from foundry.v1.ontologies.models import QueryAggregationKeyTypeDict
Ontologies QueryAggregationRangeSubTypeDict from foundry.v1.ontologies.models import QueryAggregationRangeSubTypeDict
Ontologies QueryAggregationRangeTypeDict from foundry.v1.ontologies.models import QueryAggregationRangeTypeDict
Ontologies QueryAggregationValueTypeDict from foundry.v1.ontologies.models import QueryAggregationValueTypeDict
Ontologies QueryApiName from foundry.v1.ontologies.models import QueryApiName
Ontologies QueryArrayTypeDict from foundry.v1.ontologies.models import QueryArrayTypeDict
Ontologies QueryDataTypeDict from foundry.v1.ontologies.models import QueryDataTypeDict
Ontologies QueryRuntimeErrorParameter from foundry.v1.ontologies.models import QueryRuntimeErrorParameter
Ontologies QuerySetTypeDict from foundry.v1.ontologies.models import QuerySetTypeDict
Ontologies QueryStructFieldDict from foundry.v1.ontologies.models import QueryStructFieldDict
Ontologies QueryStructTypeDict from foundry.v1.ontologies.models import QueryStructTypeDict
Ontologies QueryType from foundry.v1.ontologies.models import QueryType
Ontologies QueryTypeDict from foundry.v1.ontologies.models import QueryTypeDict
Ontologies QueryUnionTypeDict from foundry.v1.ontologies.models import QueryUnionTypeDict
Ontologies RangeConstraint from foundry.v1.ontologies.models import RangeConstraint
Ontologies RangeConstraintDict from foundry.v1.ontologies.models import RangeConstraintDict
Ontologies ReturnEditsMode from foundry.v1.ontologies.models import ReturnEditsMode
Ontologies SdkPackageName from foundry.v1.ontologies.models import SdkPackageName
Ontologies SearchJsonQuery from foundry.v1.ontologies.models import SearchJsonQuery
Ontologies SearchJsonQueryDict from foundry.v1.ontologies.models import SearchJsonQueryDict
Ontologies SearchObjectsResponse from foundry.v1.ontologies.models import SearchObjectsResponse
Ontologies SearchObjectsResponseDict from foundry.v1.ontologies.models import SearchObjectsResponseDict
Ontologies SearchOrderBy from foundry.v1.ontologies.models import SearchOrderBy
Ontologies SearchOrderByDict from foundry.v1.ontologies.models import SearchOrderByDict
Ontologies SearchOrderByType from foundry.v1.ontologies.models import SearchOrderByType
Ontologies SearchOrdering from foundry.v1.ontologies.models import SearchOrdering
Ontologies SearchOrderingDict from foundry.v1.ontologies.models import SearchOrderingDict
Ontologies SelectedPropertyApiName from foundry.v1.ontologies.models import SelectedPropertyApiName
Ontologies SharedPropertyTypeApiName from foundry.v1.ontologies.models import SharedPropertyTypeApiName
Ontologies SharedPropertyTypeRid from foundry.v1.ontologies.models import SharedPropertyTypeRid
Ontologies StringLengthConstraint from foundry.v1.ontologies.models import StringLengthConstraint
Ontologies StringLengthConstraintDict from foundry.v1.ontologies.models import StringLengthConstraintDict
Ontologies StringRegexMatchConstraint from foundry.v1.ontologies.models import StringRegexMatchConstraint
Ontologies StringRegexMatchConstraintDict from foundry.v1.ontologies.models import StringRegexMatchConstraintDict
Ontologies SubmissionCriteriaEvaluation from foundry.v1.ontologies.models import SubmissionCriteriaEvaluation
Ontologies SubmissionCriteriaEvaluationDict from foundry.v1.ontologies.models import SubmissionCriteriaEvaluationDict
Ontologies SumAggregation from foundry.v1.ontologies.models import SumAggregation
Ontologies SumAggregationDict from foundry.v1.ontologies.models import SumAggregationDict
Ontologies ThreeDimensionalAggregationDict from foundry.v1.ontologies.models import ThreeDimensionalAggregationDict
Ontologies TwoDimensionalAggregationDict from foundry.v1.ontologies.models import TwoDimensionalAggregationDict
Ontologies UnevaluableConstraint from foundry.v1.ontologies.models import UnevaluableConstraint
Ontologies UnevaluableConstraintDict from foundry.v1.ontologies.models import UnevaluableConstraintDict
Ontologies ValidateActionResponse from foundry.v1.ontologies.models import ValidateActionResponse
Ontologies ValidateActionResponseDict from foundry.v1.ontologies.models import ValidateActionResponseDict
Ontologies ValidationResult from foundry.v1.ontologies.models import ValidationResult
Ontologies ValueType from foundry.v1.ontologies.models import ValueType

Contributions

This repository does not accept code contributions.

If you have any questions, concerns, or ideas for improvements, create an issue with Palantir Support.

License

This project is made available under the Apache 2.0 License.