You're Invited:Meet the Socket Team at BlackHat and DEF CON in Las Vegas, Aug 4-6.RSVP
Socket
Book a DemoInstallSign in
Socket

foundry-platform-sdk

Package Overview
Dependencies
Maintainers
1
Alerts
File Explorer

Advanced tools

Socket logo

Install Socket

Detect and block malicious and high-risk dependencies

Install

foundry-platform-sdk

The official Python library for the Foundry API

1.22.0
pipPyPI
Maintainers
1

Foundry Platform SDK

Supported Python Versions PyPI Version License

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.

Gotham Platform SDK vs. Foundry Platform SDK vs. Ontology SDK

Palantir provides two platform APIs for interacting with the Gotham and Foundry platforms. Each has a corresponding Software Development Kit (SDK). There is also the OSDK for interacting with Foundry ontologies. 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 over the Foundry platform SDK for a superior development experience.

[!IMPORTANT] Make sure to understand the difference between the Foundry, Gotham, and Ontology SDKs. 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 Foundry 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).

Gotham Platform SDK

The Gotham Platform Software Development Kit (SDK) is generated from the Gotham API specification file. The intention of this SDK is to encompass endpoints related to interacting with the Gotham platform itself. This includes Gotham apps and data, such as Gaia, Target Workbench, and geotemporal data.

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. The latest major version of the SDK is v2 and is exposed using the FoundryClient located in the foundry_sdk package.

from foundry_sdk import FoundryClient

For other major versions, you must import that specific client from a submodule. For example, to import the v2 client from a sub-module you would import it like this:

from foundry_sdk.v2 import FoundryClient

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 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 a user token as an arguments when initializing the UserTokenAuth:

import foundry_sdk

client = foundry_sdk.FoundryClient(
    auth=foundry_sdk.UserTokenAuth(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 construct 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_sdk

auth = foundry_sdk.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_sdk

client = foundry_sdk.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_sdk import FoundryClient
import foundry_sdk
from pprint import pprint

client = FoundryClient(auth=foundry_sdk.UserTokenAuth(...), hostname="example.palantirfoundry.com")

# DatasetRid
dataset_rid = None
# BranchName
name = "master"
# Optional[TransactionRid] | The most recent OPEN or COMMITTED transaction on the branch. This will never be an ABORTED transaction.
transaction_rid = "ri.foundry.main.transaction.0a0207cb-26b7-415b-bc80-66a3aa3933f4"


try:
    api_response = client.datasets.Dataset.Branch.create(
        dataset_rid, name=name, transaction_rid=transaction_rid
    )
    print("The create response:\n")
    pprint(api_response)
except foundry_sdk.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:

client.datasets.Dataset.Branch.create(
	dataset_rid, 
	name=name, 
	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

Each operation includes a list of possible exceptions that can be thrown which can be thrown by the server, all of which inherit from PalantirRPCException. For example, an operation that interacts with dataset branches might throw a BranchNotFound error, which is defined as follows:

class BranchNotFoundParameters(typing_extensions.TypedDict):
    """The requested branch could not be found, or the client token does not have access to it."""

    __pydantic_config__ = {"extra": "allow"}  # type: ignore

    datasetRid: datasets_models.DatasetRid
    branchName: datasets_models.BranchName


@dataclass
class BranchNotFound(errors.NotFoundError):
    name: typing.Literal["BranchNotFound"]
    parameters: BranchNotFoundParameters
    error_instance_id: str

As a user, you can catch this exception and handle it accordingly.

from foundry_sdk.v1.datasets.errors import BranchNotFound

try:
    response = client.datasets.Dataset.get(dataset_rid)
    ...
except BranchNotFound as e:
    print("Resource not found", e.parameters[...])

You can refer to the method documentation to see which exceptions can be thrown. It is also possible to catch a generic subclass of PalantirRPCException such as BadRequestError or NotFoundError.

Status CodeError Class
400BadRequestError
401UnauthorizedError
403PermissionDeniedError
404NotFoundError
413RequestEntityTooLargeError
422UnprocessableEntityError
429RateLimitError
>=500,<600InternalServerError
OtherPalantirRPCException
from foundry_sdk import PalantirRPCException
from foundry_sdk import NotFoundError

try:
    api_response = client.datasets.Dataset.get(dataset_rid)
    ...
except NotFoundError as e:
    print("Resource not found", 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.

PropertyTypeDescription
namestrThe Palantir error name. See the Foundry API docs.
error_instance_idstrThe Palantir error instance ID. See the Foundry API docs.
parametersDict[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.

ErrorClassThrown DirectlyDescription
NotAuthenticatedYesYou used either ConfidentialClientAuth or PublicClientAuth to make an API call without going through the OAuth process first.
ConnectionErrorYesAn issue occurred when connecting to the server. This also catches ProxyError.
ProxyErrorYesAn issue occurred when connecting to or authenticating with a proxy server.
TimeoutErrorNoThe request timed out. This catches both ConnectTimeout, ReadTimeout and WriteTimeout.
ConnectTimeoutYesThe request timed out when attempting to connect to the server.
ReadTimeoutYesThe server did not send any data in the allotted amount of time.
WriteTimeoutYesThere was a timeout when writing data to the server.
StreamConsumedErrorYesThe content of the given stream has already been consumed.
RequestEntityTooLargeErrorYesThe request entity is too large.
ConflictErrorYesThere was a conflict with another request.
SDKInternalErrorYesAn unexpected issue occurred and should be reported.

Pagination

When calling any iterator endpoints, we return a ResourceIterator 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 ResourceIterator instance and use it in a for loop, like this:

for item in client.datasets.Dataset.Branch.list(dataset_rid):
    print(item)

# Or, you can collect all the items in a list
results = list(client.datasets.Dataset.Branch.list(dataset_rid))

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.

next_page_token: Optional[str] = None
while True:
    page = client.datasets.Dataset.Branch.list(
        dataset_rid, page_size=page_size, page_token=next_page_token
    )
    for branch in page.data:
        print(branch)

    if page.next_page_token is None:
        break

    next_page_token = page.next_page_token

Asynchronous Pagination (Beta)

[!WARNING] The asynchronous client is in beta and may change in future releases.

When using the AsyncFoundryClient client, pagination works similar to the synchronous client but you need to use async for to iterate over the results. Here's an example:

async for item in client.datasets.Dataset.Branch.list(dataset_rid):
    print(item)

# Or, you can collect all the items in a list
results = [item async for item in client.datasets.Dataset.Branch.list(dataset_rid)]

For more control over asynchronous pagination, you can manually handle the pagination tokens and use the with_raw_response utility to fetch each page.

next_page_token: Optional[str] = None
while True:
    response = await client.client.datasets.Dataset.Branch.with_raw_response.list(
        dataset_rid, page_token=next_page_token
    )

    page = response.decode()
    for item in page.data:
        print(item)

    if page.next_page_token is None:
        break

    next_page_token = page.next_page_token

Asynchronous Client (Beta)

[!WARNING] The asynchronous client is in beta and may change in future releases.

This SDK supports creating an asynchronous client, just import and instantiate the AsyncFoundryClient instead of the FoundryClient.

from foundry import AsyncFoundryClient
import foundry
import asyncio
from pprint import pprint

async def main():
    client = AsyncFoundryClient(...)
    response = await client.datasets.Dataset.Branch.create(dataset_rid, name=name, transaction_rid=transaction_rid)
    pprint(response)

if __name__ == "__main__":
    asyncio.run(main())

When using asynchronous clients, you'll just need to use the await keyword when calling APIs. Otherwise, the behaviour between the FoundryClient and AsyncFoundryClient is nearly identical.

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("result.png", "wb") as f:
    f.write(client.admin.User.profile_picture(user_id))

# Streaming response
with open("result.png", "wb") as f:
    with 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 and responses with nested fields are typed using a Pydantic BaseModel class. For example, here is how Group.search method is defined in the Admin namespace:

    @pydantic.validate_call
    @handle_unexpected
    def search(
        self,
        *,
        where: GroupSearchFilter,
        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:
        ...

import foundry_sdk
from foundry_sdk.v2.admin.models import GroupSearchFilter

client = foundry_sdk.FoundryClient(...)

result = client.admin.Group.search(where=GroupSearchFilter(type="queryString", value="John Doe"))
print(result.data)

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 = 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_sdk import Config
from foundry_sdk import UserTokenAuth
from foundry_sdk import 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.

[!IMPORTANT] If you are using an HTTPS proxy server, the verify value will be passed to the proxy's SSL context as well.

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.

Input should have timezone info

# Example error
pydantic_core._pydantic_core.ValidationError: 1 validation error for Model
datetype
  Input should have timezone info [type=timezone_aware, input_value=datetime.datetime(2025, 2, 5, 20, 57, 57, 511182), input_type=datetime]

This error indicates that you are passing a datetime object without timezone information to an endpoint that requires it. To resolve this error, you should pass in a datetime object with timezone information. For example, you can use the timezone class in the datetime package:

from datetime import datetime
from datetime import timezone

datetime_with_tz = datetime(2025, 2, 5, 20, 57, 57, 511182, tzinfo=timezone.utc)

Documentation for V2 API endpoints

NamespaceResourceOperationHTTP request
AdminAuthenticationProvidergetGET /v2/admin/enrollments/{enrollmentRid}/authenticationProviders/{authenticationProviderRid}
AdminAuthenticationProviderlistGET /v2/admin/enrollments/{enrollmentRid}/authenticationProviders
AdminAuthenticationProviderpreregister_groupPOST /v2/admin/enrollments/{enrollmentRid}/authenticationProviders/{authenticationProviderRid}/preregisterGroup
AdminAuthenticationProviderpreregister_userPOST /v2/admin/enrollments/{enrollmentRid}/authenticationProviders/{authenticationProviderRid}/preregisterUser
AdminGroupcreatePOST /v2/admin/groups
AdminGroupdeleteDELETE /v2/admin/groups/{groupId}
AdminGroupgetGET /v2/admin/groups/{groupId}
AdminGroupget_batchPOST /v2/admin/groups/getBatch
AdminGrouplistGET /v2/admin/groups
AdminGroupsearchPOST /v2/admin/groups/search
AdminGroupMemberaddPOST /v2/admin/groups/{groupId}/groupMembers/add
AdminGroupMemberlistGET /v2/admin/groups/{groupId}/groupMembers
AdminGroupMemberremovePOST /v2/admin/groups/{groupId}/groupMembers/remove
AdminGroupMembershiplistGET /v2/admin/users/{userId}/groupMemberships
AdminGroupMembershipExpirationPolicygetGET /v2/admin/groups/{groupId}/membershipExpirationPolicy
AdminGroupMembershipExpirationPolicyreplacePUT /v2/admin/groups/{groupId}/membershipExpirationPolicy
AdminGroupProviderInfogetGET /v2/admin/groups/{groupId}/providerInfo
AdminGroupProviderInforeplacePUT /v2/admin/groups/{groupId}/providerInfo
AdminMarkingcreatePOST /v2/admin/markings
AdminMarkinggetGET /v2/admin/markings/{markingId}
AdminMarkingget_batchPOST /v2/admin/markings/getBatch
AdminMarkinglistGET /v2/admin/markings
AdminMarkingreplacePUT /v2/admin/markings/{markingId}
AdminMarkingCategorygetGET /v2/admin/markingCategories/{markingCategoryId}
AdminMarkingCategorylistGET /v2/admin/markingCategories
AdminMarkingMemberaddPOST /v2/admin/markings/{markingId}/markingMembers/add
AdminMarkingMemberlistGET /v2/admin/markings/{markingId}/markingMembers
AdminMarkingMemberremovePOST /v2/admin/markings/{markingId}/markingMembers/remove
AdminMarkingRoleAssignmentaddPOST /v2/admin/markings/{markingId}/roleAssignments/add
AdminMarkingRoleAssignmentlistGET /v2/admin/markings/{markingId}/roleAssignments
AdminMarkingRoleAssignmentremovePOST /v2/admin/markings/{markingId}/roleAssignments/remove
AdminOrganizationgetGET /v2/admin/organizations/{organizationRid}
AdminOrganizationlist_available_rolesGET /v2/admin/organizations/{organizationRid}/listAvailableRoles
AdminOrganizationreplacePUT /v2/admin/organizations/{organizationRid}
AdminOrganizationRoleAssignmentaddPOST /v2/admin/organizations/{organizationRid}/roleAssignments/add
AdminOrganizationRoleAssignmentlistGET /v2/admin/organizations/{organizationRid}/roleAssignments
AdminOrganizationRoleAssignmentremovePOST /v2/admin/organizations/{organizationRid}/roleAssignments/remove
AdminUserdeleteDELETE /v2/admin/users/{userId}
AdminUsergetGET /v2/admin/users/{userId}
AdminUserget_batchPOST /v2/admin/users/getBatch
AdminUserget_currentGET /v2/admin/users/getCurrent
AdminUserget_markingsGET /v2/admin/users/{userId}/getMarkings
AdminUserlistGET /v2/admin/users
AdminUserprofile_pictureGET /v2/admin/users/{userId}/profilePicture
AdminUserrevoke_all_tokensPOST /v2/admin/users/{userId}/revokeAllTokens
AdminUsersearchPOST /v2/admin/users/search
AdminUserProviderInfogetGET /v2/admin/users/{userId}/providerInfo
AdminUserProviderInforeplacePUT /v2/admin/users/{userId}/providerInfo
AipAgentsAgentall_sessionsGET /v2/aipAgents/agents/allSessions
AipAgentsAgentgetGET /v2/aipAgents/agents/{agentRid}
AipAgentsAgentVersiongetGET /v2/aipAgents/agents/{agentRid}/agentVersions/{agentVersionString}
AipAgentsAgentVersionlistGET /v2/aipAgents/agents/{agentRid}/agentVersions
AipAgentsContentgetGET /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/content
AipAgentsSessionblocking_continuePOST /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/blockingContinue
AipAgentsSessioncancelPOST /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/cancel
AipAgentsSessioncreatePOST /v2/aipAgents/agents/{agentRid}/sessions
AipAgentsSessiongetGET /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}
AipAgentsSessionlistGET /v2/aipAgents/agents/{agentRid}/sessions
AipAgentsSessionrag_contextPUT /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/ragContext
AipAgentsSessionstreaming_continuePOST /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/streamingContinue
AipAgentsSessionupdate_titlePUT /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/updateTitle
AipAgentsSessionTracegetGET /v2/aipAgents/agents/{agentRid}/sessions/{sessionRid}/sessionTraces/{sessionTraceId}
ConnectivityConnectiongetGET /v2/connectivity/connections/{connectionRid}
ConnectivityConnectionget_configurationGET /v2/connectivity/connections/{connectionRid}/getConfiguration
ConnectivityConnectionupdate_secretsPOST /v2/connectivity/connections/{connectionRid}/updateSecrets
ConnectivityFileImportcreatePOST /v2/connectivity/connections/{connectionRid}/fileImports
ConnectivityFileImportdeleteDELETE /v2/connectivity/connections/{connectionRid}/fileImports/{fileImportRid}
ConnectivityFileImportexecutePOST /v2/connectivity/connections/{connectionRid}/fileImports/{fileImportRid}/execute
ConnectivityFileImportgetGET /v2/connectivity/connections/{connectionRid}/fileImports/{fileImportRid}
ConnectivityFileImportlistGET /v2/connectivity/connections/{connectionRid}/fileImports
ConnectivityFileImportreplacePUT /v2/connectivity/connections/{connectionRid}/fileImports/{fileImportRid}
ConnectivityTableImportcreatePOST /v2/connectivity/connections/{connectionRid}/tableImports
ConnectivityTableImportdeleteDELETE /v2/connectivity/connections/{connectionRid}/tableImports/{tableImportRid}
ConnectivityTableImportexecutePOST /v2/connectivity/connections/{connectionRid}/tableImports/{tableImportRid}/execute
ConnectivityTableImportgetGET /v2/connectivity/connections/{connectionRid}/tableImports/{tableImportRid}
ConnectivityTableImportlistGET /v2/connectivity/connections/{connectionRid}/tableImports
ConnectivityTableImportreplacePUT /v2/connectivity/connections/{connectionRid}/tableImports/{tableImportRid}
DatasetsBranchcreatePOST /v2/datasets/{datasetRid}/branches
DatasetsBranchdeleteDELETE /v2/datasets/{datasetRid}/branches/{branchName}
DatasetsBranchgetGET /v2/datasets/{datasetRid}/branches/{branchName}
DatasetsBranchlistGET /v2/datasets/{datasetRid}/branches
DatasetsDatasetcreatePOST /v2/datasets
DatasetsDatasetgetGET /v2/datasets/{datasetRid}
DatasetsDatasetget_schedulesGET /v2/datasets/{datasetRid}/getSchedules
DatasetsDatasetread_tableGET /v2/datasets/{datasetRid}/readTable
DatasetsFilecontentGET /v2/datasets/{datasetRid}/files/{filePath}/content
DatasetsFiledeleteDELETE /v2/datasets/{datasetRid}/files/{filePath}
DatasetsFilegetGET /v2/datasets/{datasetRid}/files/{filePath}
DatasetsFilelistGET /v2/datasets/{datasetRid}/files
DatasetsFileuploadPOST /v2/datasets/{datasetRid}/files/{filePath}/upload
DatasetsTransactionabortPOST /v2/datasets/{datasetRid}/transactions/{transactionRid}/abort
DatasetsTransactioncommitPOST /v2/datasets/{datasetRid}/transactions/{transactionRid}/commit
DatasetsTransactioncreatePOST /v2/datasets/{datasetRid}/transactions
DatasetsTransactiongetGET /v2/datasets/{datasetRid}/transactions/{transactionRid}
DatasetsViewadd_backing_datasetsPOST /v2/datasets/views/{viewDatasetRid}/addBackingDatasets
DatasetsViewadd_primary_keyPOST /v2/datasets/views/{viewDatasetRid}/addPrimaryKey
DatasetsViewcreatePOST /v2/datasets/views
DatasetsViewgetGET /v2/datasets/views/{viewDatasetRid}
DatasetsViewremove_backing_datasetsPOST /v2/datasets/views/{viewDatasetRid}/removeBackingDatasets
DatasetsViewreplace_backing_datasetsPUT /v2/datasets/views/{viewDatasetRid}/replaceBackingDatasets
FilesystemFolderchildrenGET /v2/filesystem/folders/{folderRid}/children
FilesystemFoldercreatePOST /v2/filesystem/folders
FilesystemFoldergetGET /v2/filesystem/folders/{folderRid}
FilesystemProjectadd_organizationsPOST /v2/filesystem/projects/{projectRid}/addOrganizations
FilesystemProjectcreatePOST /v2/filesystem/projects/create
FilesystemProjectgetGET /v2/filesystem/projects/{projectRid}
FilesystemProjectorganizationsGET /v2/filesystem/projects/{projectRid}/organizations
FilesystemProjectremove_organizationsPOST /v2/filesystem/projects/{projectRid}/removeOrganizations
FilesystemResourceadd_markingsPOST /v2/filesystem/resources/{resourceRid}/addMarkings
FilesystemResourcedeleteDELETE /v2/filesystem/resources/{resourceRid}
FilesystemResourcegetGET /v2/filesystem/resources/{resourceRid}
FilesystemResourceget_access_requirementsGET /v2/filesystem/resources/{resourceRid}/getAccessRequirements
FilesystemResourceget_by_pathGET /v2/filesystem/resources/getByPath
FilesystemResourcemarkingsGET /v2/filesystem/resources/{resourceRid}/markings
FilesystemResourcepermanently_deletePOST /v2/filesystem/resources/{resourceRid}/permanentlyDelete
FilesystemResourceremove_markingsPOST /v2/filesystem/resources/{resourceRid}/removeMarkings
FilesystemResourcerestorePOST /v2/filesystem/resources/{resourceRid}/restore
FilesystemResourceRoleaddPOST /v2/filesystem/resources/{resourceRid}/roles/add
FilesystemResourceRolelistGET /v2/filesystem/resources/{resourceRid}/roles
FilesystemResourceRoleremovePOST /v2/filesystem/resources/{resourceRid}/roles/remove
FilesystemSpacelistGET /v2/filesystem/spaces
MediaSetsMediaSetabortPOST /v2/mediasets/{mediaSetRid}/transactions/{transactionId}/abort
MediaSetsMediaSetcommitPOST /v2/mediasets/{mediaSetRid}/transactions/{transactionId}/commit
MediaSetsMediaSetcreatePOST /v2/mediasets/{mediaSetRid}/transactions
MediaSetsMediaSetget_rid_by_pathGET /v2/mediasets/{mediaSetRid}/items/getRidByPath
MediaSetsMediaSetinfoGET /v2/mediasets/{mediaSetRid}/items/{mediaItemRid}
MediaSetsMediaSetreadGET /v2/mediasets/{mediaSetRid}/items/{mediaItemRid}/content
MediaSetsMediaSetread_originalGET /v2/mediasets/{mediaSetRid}/items/{mediaItemRid}/original
MediaSetsMediaSetreferenceGET /v2/mediasets/{mediaSetRid}/items/{mediaItemRid}/reference
MediaSetsMediaSetuploadPOST /v2/mediasets/{mediaSetRid}/items
OntologiesActionapplyPOST /v2/ontologies/{ontology}/actions/{action}/apply
OntologiesActionapply_batchPOST /v2/ontologies/{ontology}/actions/{action}/applyBatch
OntologiesActionTypegetGET /v2/ontologies/{ontology}/actionTypes/{actionType}
OntologiesActionTypeget_by_ridGET /v2/ontologies/{ontology}/actionTypes/byRid/{actionTypeRid}
OntologiesActionTypelistGET /v2/ontologies/{ontology}/actionTypes
OntologiesAttachmentgetGET /v2/ontologies/attachments/{attachmentRid}
OntologiesAttachmentreadGET /v2/ontologies/attachments/{attachmentRid}/content
OntologiesAttachmentuploadPOST /v2/ontologies/attachments/upload
OntologiesAttachmentPropertyget_attachmentGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/attachments/{property}
OntologiesAttachmentPropertyget_attachment_by_ridGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/attachments/{property}/{attachmentRid}
OntologiesAttachmentPropertyread_attachmentGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/attachments/{property}/content
OntologiesAttachmentPropertyread_attachment_by_ridGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/attachments/{property}/{attachmentRid}/content
OntologiesCipherTextPropertydecryptGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/ciphertexts/{property}/decrypt
OntologiesLinkedObjectget_linked_objectGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/links/{linkType}/{linkedObjectPrimaryKey}
OntologiesLinkedObjectlist_linked_objectsGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/links/{linkType}
OntologiesMediaReferencePropertyget_media_contentGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/media/{property}/content
OntologiesMediaReferencePropertyuploadPOST /v2/ontologies/{ontology}/objectTypes/{objectType}/media/{property}/upload
OntologiesObjectTypegetGET /v2/ontologies/{ontology}/objectTypes/{objectType}
OntologiesObjectTypeget_outgoing_link_typeGET /v2/ontologies/{ontology}/objectTypes/{objectType}/outgoingLinkTypes/{linkType}
OntologiesObjectTypelistGET /v2/ontologies/{ontology}/objectTypes
OntologiesObjectTypelist_outgoing_link_typesGET /v2/ontologies/{ontology}/objectTypes/{objectType}/outgoingLinkTypes
OntologiesOntologygetGET /v2/ontologies/{ontology}
OntologiesOntologyget_full_metadataGET /v2/ontologies/{ontology}/fullMetadata
OntologiesOntologylistGET /v2/ontologies
OntologiesOntologyInterfacegetGET /v2/ontologies/{ontology}/interfaceTypes/{interfaceType}
OntologiesOntologyInterfacelistGET /v2/ontologies/{ontology}/interfaceTypes
OntologiesOntologyObjectaggregatePOST /v2/ontologies/{ontology}/objects/{objectType}/aggregate
OntologiesOntologyObjectgetGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}
OntologiesOntologyObjectlistGET /v2/ontologies/{ontology}/objects/{objectType}
OntologiesOntologyObjectsearchPOST /v2/ontologies/{ontology}/objects/{objectType}/search
OntologiesOntologyObjectSetaggregatePOST /v2/ontologies/{ontology}/objectSets/aggregate
OntologiesOntologyObjectSetcreate_temporaryPOST /v2/ontologies/{ontology}/objectSets/createTemporary
OntologiesOntologyObjectSetloadPOST /v2/ontologies/{ontology}/objectSets/loadObjects
OntologiesOntologyObjectSetload_multiple_object_typesPOST /v2/ontologies/{ontology}/objectSets/loadObjectsMultipleObjectTypes
OntologiesOntologyObjectSetload_objects_or_interfacesPOST /v2/ontologies/{ontology}/objectSets/loadObjectsOrInterfaces
OntologiesQueryexecutePOST /v2/ontologies/{ontology}/queries/{queryApiName}/execute
OntologiesQueryTypegetGET /v2/ontologies/{ontology}/queryTypes/{queryApiName}
OntologiesQueryTypelistGET /v2/ontologies/{ontology}/queryTypes
OntologiesTimeSeriesPropertyV2get_first_pointGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/timeseries/{property}/firstPoint
OntologiesTimeSeriesPropertyV2get_last_pointGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/timeseries/{property}/lastPoint
OntologiesTimeSeriesPropertyV2stream_pointsPOST /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/timeseries/{property}/streamPoints
OntologiesTimeSeriesValueBankPropertyget_latest_valueGET /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/timeseries/{propertyName}/latestValue
OntologiesTimeSeriesValueBankPropertystream_valuesPOST /v2/ontologies/{ontology}/objects/{objectType}/{primaryKey}/timeseries/{property}/streamValues
OrchestrationBuildcancelPOST /v2/orchestration/builds/{buildRid}/cancel
OrchestrationBuildcreatePOST /v2/orchestration/builds/create
OrchestrationBuildgetGET /v2/orchestration/builds/{buildRid}
OrchestrationBuildget_batchPOST /v2/orchestration/builds/getBatch
OrchestrationBuildjobsGET /v2/orchestration/builds/{buildRid}/jobs
OrchestrationJobgetGET /v2/orchestration/jobs/{jobRid}
OrchestrationJobget_batchPOST /v2/orchestration/jobs/getBatch
OrchestrationSchedulecreatePOST /v2/orchestration/schedules
OrchestrationScheduledeleteDELETE /v2/orchestration/schedules/{scheduleRid}
OrchestrationSchedulegetGET /v2/orchestration/schedules/{scheduleRid}
OrchestrationSchedulepausePOST /v2/orchestration/schedules/{scheduleRid}/pause
OrchestrationSchedulereplacePUT /v2/orchestration/schedules/{scheduleRid}
OrchestrationSchedulerunPOST /v2/orchestration/schedules/{scheduleRid}/run
OrchestrationSchedulerunsGET /v2/orchestration/schedules/{scheduleRid}/runs
OrchestrationScheduleunpausePOST /v2/orchestration/schedules/{scheduleRid}/unpause
OrchestrationScheduleVersiongetGET /v2/orchestration/scheduleVersions/{scheduleVersionRid}
OrchestrationScheduleVersionscheduleGET /v2/orchestration/scheduleVersions/{scheduleVersionRid}/schedule
SqlQueriesSqlQuerycancelPOST /v2/sqlQueries/{sqlQueryId}/cancel
SqlQueriesSqlQueryexecutePOST /v2/sqlQueries/execute
SqlQueriesSqlQueryget_resultsGET /v2/sqlQueries/{sqlQueryId}/getResults
SqlQueriesSqlQueryget_statusGET /v2/sqlQueries/{sqlQueryId}/getStatus
StreamsDatasetcreatePOST /v2/streams/datasets/create
StreamsStreamcreatePOST /v2/streams/datasets/{datasetRid}/streams
StreamsStreamgetGET /v2/streams/datasets/{datasetRid}/streams/{streamBranchName}
StreamsStreampublish_binary_recordPOST /v2/highScale/streams/datasets/{datasetRid}/streams/{streamBranchName}/publishBinaryRecord
StreamsStreampublish_recordPOST /v2/highScale/streams/datasets/{datasetRid}/streams/{streamBranchName}/publishRecord
StreamsStreampublish_recordsPOST /v2/highScale/streams/datasets/{datasetRid}/streams/{streamBranchName}/publishRecords
StreamsStreamresetPOST /v2/streams/datasets/{datasetRid}/streams/{streamBranchName}/reset
ThirdPartyApplicationsVersiondeleteDELETE /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/versions/{versionVersion}
ThirdPartyApplicationsVersiongetGET /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/versions/{versionVersion}
ThirdPartyApplicationsVersionlistGET /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/versions
ThirdPartyApplicationsVersionuploadPOST /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/versions/upload
ThirdPartyApplicationsWebsitedeployPOST /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/deploy
ThirdPartyApplicationsWebsitegetGET /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website
ThirdPartyApplicationsWebsiteundeployPOST /v2/thirdPartyApplications/{thirdPartyApplicationRid}/website/undeploy

Documentation for V1 API endpoints

NamespaceResourceOperationHTTP request
DatasetsBranchcreatePOST /v1/datasets/{datasetRid}/branches
DatasetsBranchdeleteDELETE /v1/datasets/{datasetRid}/branches/{branchId}
DatasetsBranchgetGET /v1/datasets/{datasetRid}/branches/{branchId}
DatasetsBranchlistGET /v1/datasets/{datasetRid}/branches
DatasetsDatasetcreatePOST /v1/datasets
DatasetsDatasetgetGET /v1/datasets/{datasetRid}
DatasetsDatasetreadGET /v1/datasets/{datasetRid}/readTable
DatasetsFiledeleteDELETE /v1/datasets/{datasetRid}/files/{filePath}
DatasetsFilegetGET /v1/datasets/{datasetRid}/files/{filePath}
DatasetsFilelistGET /v1/datasets/{datasetRid}/files
DatasetsFilereadGET /v1/datasets/{datasetRid}/files/{filePath}/content
DatasetsFileuploadPOST /v1/datasets/{datasetRid}/files:upload
DatasetsTransactionabortPOST /v1/datasets/{datasetRid}/transactions/{transactionRid}/abort
DatasetsTransactioncommitPOST /v1/datasets/{datasetRid}/transactions/{transactionRid}/commit
DatasetsTransactioncreatePOST /v1/datasets/{datasetRid}/transactions
DatasetsTransactiongetGET /v1/datasets/{datasetRid}/transactions/{transactionRid}
OntologiesActionapplyPOST /v1/ontologies/{ontologyRid}/actions/{actionType}/apply
OntologiesActionapply_batchPOST /v1/ontologies/{ontologyRid}/actions/{actionType}/applyBatch
OntologiesActionvalidatePOST /v1/ontologies/{ontologyRid}/actions/{actionType}/validate
OntologiesActionTypegetGET /v1/ontologies/{ontologyRid}/actionTypes/{actionTypeApiName}
OntologiesActionTypelistGET /v1/ontologies/{ontologyRid}/actionTypes
OntologiesAttachmentgetGET /v1/attachments/{attachmentRid}
OntologiesAttachmentreadGET /v1/attachments/{attachmentRid}/content
OntologiesAttachmentuploadPOST /v1/attachments/upload
OntologiesObjectTypegetGET /v1/ontologies/{ontologyRid}/objectTypes/{objectType}
OntologiesObjectTypeget_outgoing_link_typeGET /v1/ontologies/{ontologyRid}/objectTypes/{objectType}/outgoingLinkTypes/{linkType}
OntologiesObjectTypelistGET /v1/ontologies/{ontologyRid}/objectTypes
OntologiesObjectTypelist_outgoing_link_typesGET /v1/ontologies/{ontologyRid}/objectTypes/{objectType}/outgoingLinkTypes
OntologiesOntologygetGET /v1/ontologies/{ontologyRid}
OntologiesOntologylistGET /v1/ontologies
OntologiesOntologyObjectaggregatePOST /v1/ontologies/{ontologyRid}/objects/{objectType}/aggregate
OntologiesOntologyObjectgetGET /v1/ontologies/{ontologyRid}/objects/{objectType}/{primaryKey}
OntologiesOntologyObjectget_linked_objectGET /v1/ontologies/{ontologyRid}/objects/{objectType}/{primaryKey}/links/{linkType}/{linkedObjectPrimaryKey}
OntologiesOntologyObjectlistGET /v1/ontologies/{ontologyRid}/objects/{objectType}
OntologiesOntologyObjectlist_linked_objectsGET /v1/ontologies/{ontologyRid}/objects/{objectType}/{primaryKey}/links/{linkType}
OntologiesOntologyObjectsearchPOST /v1/ontologies/{ontologyRid}/objects/{objectType}/search
OntologiesQueryexecutePOST /v1/ontologies/{ontologyRid}/queries/{queryApiName}/execute
OntologiesQueryTypegetGET /v1/ontologies/{ontologyRid}/queryTypes/{queryApiName}
OntologiesQueryTypelistGET /v1/ontologies/{ontologyRid}/queryTypes

Documentation for V2 models

NamespaceNameImport
AdminAttributeNamefrom foundry_sdk.v2.admin.models import AttributeName
AdminAttributeValuefrom foundry_sdk.v2.admin.models import AttributeValue
AdminAttributeValuesfrom foundry_sdk.v2.admin.models import AttributeValues
AdminAuthenticationProtocolfrom foundry_sdk.v2.admin.models import AuthenticationProtocol
AdminAuthenticationProviderfrom foundry_sdk.v2.admin.models import AuthenticationProvider
AdminAuthenticationProviderEnabledfrom foundry_sdk.v2.admin.models import AuthenticationProviderEnabled
AdminAuthenticationProviderNamefrom foundry_sdk.v2.admin.models import AuthenticationProviderName
AdminAuthenticationProviderRidfrom foundry_sdk.v2.admin.models import AuthenticationProviderRid
AdminCertificateInfofrom foundry_sdk.v2.admin.models import CertificateInfo
AdminCertificateUsageTypefrom foundry_sdk.v2.admin.models import CertificateUsageType
AdminEnrollmentfrom foundry_sdk.v2.admin.models import Enrollment
AdminEnrollmentNamefrom foundry_sdk.v2.admin.models import EnrollmentName
AdminGetGroupsBatchRequestElementfrom foundry_sdk.v2.admin.models import GetGroupsBatchRequestElement
AdminGetGroupsBatchResponsefrom foundry_sdk.v2.admin.models import GetGroupsBatchResponse
AdminGetMarkingsBatchRequestElementfrom foundry_sdk.v2.admin.models import GetMarkingsBatchRequestElement
AdminGetMarkingsBatchResponsefrom foundry_sdk.v2.admin.models import GetMarkingsBatchResponse
AdminGetRolesBatchRequestElementfrom foundry_sdk.v2.admin.models import GetRolesBatchRequestElement
AdminGetRolesBatchResponsefrom foundry_sdk.v2.admin.models import GetRolesBatchResponse
AdminGetUserMarkingsResponsefrom foundry_sdk.v2.admin.models import GetUserMarkingsResponse
AdminGetUsersBatchRequestElementfrom foundry_sdk.v2.admin.models import GetUsersBatchRequestElement
AdminGetUsersBatchResponsefrom foundry_sdk.v2.admin.models import GetUsersBatchResponse
AdminGroupfrom foundry_sdk.v2.admin.models import Group
AdminGroupMemberfrom foundry_sdk.v2.admin.models import GroupMember
AdminGroupMembershipfrom foundry_sdk.v2.admin.models import GroupMembership
AdminGroupMembershipExpirationfrom foundry_sdk.v2.admin.models import GroupMembershipExpiration
AdminGroupMembershipExpirationPolicyfrom foundry_sdk.v2.admin.models import GroupMembershipExpirationPolicy
AdminGroupNamefrom foundry_sdk.v2.admin.models import GroupName
AdminGroupProviderInfofrom foundry_sdk.v2.admin.models import GroupProviderInfo
AdminGroupSearchFilterfrom foundry_sdk.v2.admin.models import GroupSearchFilter
AdminHostfrom foundry_sdk.v2.admin.models import Host
AdminHostNamefrom foundry_sdk.v2.admin.models import HostName
AdminListAuthenticationProvidersResponsefrom foundry_sdk.v2.admin.models import ListAuthenticationProvidersResponse
AdminListAvailableOrganizationRolesResponsefrom foundry_sdk.v2.admin.models import ListAvailableOrganizationRolesResponse
AdminListGroupMembershipsResponsefrom foundry_sdk.v2.admin.models import ListGroupMembershipsResponse
AdminListGroupMembersResponsefrom foundry_sdk.v2.admin.models import ListGroupMembersResponse
AdminListGroupsResponsefrom foundry_sdk.v2.admin.models import ListGroupsResponse
AdminListHostsResponsefrom foundry_sdk.v2.admin.models import ListHostsResponse
AdminListMarkingCategoriesResponsefrom foundry_sdk.v2.admin.models import ListMarkingCategoriesResponse
AdminListMarkingMembersResponsefrom foundry_sdk.v2.admin.models import ListMarkingMembersResponse
AdminListMarkingRoleAssignmentsResponsefrom foundry_sdk.v2.admin.models import ListMarkingRoleAssignmentsResponse
AdminListMarkingsResponsefrom foundry_sdk.v2.admin.models import ListMarkingsResponse
AdminListOrganizationRoleAssignmentsResponsefrom foundry_sdk.v2.admin.models import ListOrganizationRoleAssignmentsResponse
AdminListUsersResponsefrom foundry_sdk.v2.admin.models import ListUsersResponse
AdminMarkingfrom foundry_sdk.v2.admin.models import Marking
AdminMarkingCategoryfrom foundry_sdk.v2.admin.models import MarkingCategory
AdminMarkingCategoryIdfrom foundry_sdk.v2.admin.models import MarkingCategoryId
AdminMarkingCategoryNamefrom foundry_sdk.v2.admin.models import MarkingCategoryName
AdminMarkingCategoryTypefrom foundry_sdk.v2.admin.models import MarkingCategoryType
AdminMarkingMemberfrom foundry_sdk.v2.admin.models import MarkingMember
AdminMarkingNamefrom foundry_sdk.v2.admin.models import MarkingName
AdminMarkingRolefrom foundry_sdk.v2.admin.models import MarkingRole
AdminMarkingRoleAssignmentfrom foundry_sdk.v2.admin.models import MarkingRoleAssignment
AdminMarkingRoleUpdatefrom foundry_sdk.v2.admin.models import MarkingRoleUpdate
AdminMarkingTypefrom foundry_sdk.v2.admin.models import MarkingType
AdminOidcAuthenticationProtocolfrom foundry_sdk.v2.admin.models import OidcAuthenticationProtocol
AdminOrganizationfrom foundry_sdk.v2.admin.models import Organization
AdminOrganizationNamefrom foundry_sdk.v2.admin.models import OrganizationName
AdminOrganizationRoleAssignmentfrom foundry_sdk.v2.admin.models import OrganizationRoleAssignment
AdminPrincipalFilterTypefrom foundry_sdk.v2.admin.models import PrincipalFilterType
AdminProviderIdfrom foundry_sdk.v2.admin.models import ProviderId
AdminRolefrom foundry_sdk.v2.admin.models import Role
AdminRoleDescriptionfrom foundry_sdk.v2.admin.models import RoleDescription
AdminRoleDisplayNamefrom foundry_sdk.v2.admin.models import RoleDisplayName
AdminSamlAuthenticationProtocolfrom foundry_sdk.v2.admin.models import SamlAuthenticationProtocol
AdminSamlServiceProviderMetadatafrom foundry_sdk.v2.admin.models import SamlServiceProviderMetadata
AdminSearchGroupsResponsefrom foundry_sdk.v2.admin.models import SearchGroupsResponse
AdminSearchUsersResponsefrom foundry_sdk.v2.admin.models import SearchUsersResponse
AdminUserfrom foundry_sdk.v2.admin.models import User
AdminUserProviderInfofrom foundry_sdk.v2.admin.models import UserProviderInfo
AdminUserSearchFilterfrom foundry_sdk.v2.admin.models import UserSearchFilter
AdminUserUsernamefrom foundry_sdk.v2.admin.models import UserUsername
AipAgentsAgentfrom foundry_sdk.v2.aip_agents.models import Agent
AipAgentsAgentMarkdownResponsefrom foundry_sdk.v2.aip_agents.models import AgentMarkdownResponse
AipAgentsAgentMetadatafrom foundry_sdk.v2.aip_agents.models import AgentMetadata
AipAgentsAgentRidfrom foundry_sdk.v2.aip_agents.models import AgentRid
AipAgentsAgentSessionRagContextResponsefrom foundry_sdk.v2.aip_agents.models import AgentSessionRagContextResponse
AipAgentsAgentsSessionsPagefrom foundry_sdk.v2.aip_agents.models import AgentsSessionsPage
AipAgentsAgentVersionfrom foundry_sdk.v2.aip_agents.models import AgentVersion
AipAgentsAgentVersionDetailsfrom foundry_sdk.v2.aip_agents.models import AgentVersionDetails
AipAgentsAgentVersionStringfrom foundry_sdk.v2.aip_agents.models import AgentVersionString
AipAgentsCancelSessionResponsefrom foundry_sdk.v2.aip_agents.models import CancelSessionResponse
AipAgentsContentfrom foundry_sdk.v2.aip_agents.models import Content
AipAgentsFailureToolCallOutputfrom foundry_sdk.v2.aip_agents.models import FailureToolCallOutput
AipAgentsFunctionRetrievedContextfrom foundry_sdk.v2.aip_agents.models import FunctionRetrievedContext
AipAgentsInputContextfrom foundry_sdk.v2.aip_agents.models import InputContext
AipAgentsListAgentVersionsResponsefrom foundry_sdk.v2.aip_agents.models import ListAgentVersionsResponse
AipAgentsListSessionsResponsefrom foundry_sdk.v2.aip_agents.models import ListSessionsResponse
AipAgentsMessageIdfrom foundry_sdk.v2.aip_agents.models import MessageId
AipAgentsObjectContextfrom foundry_sdk.v2.aip_agents.models import ObjectContext
AipAgentsObjectSetParameterfrom foundry_sdk.v2.aip_agents.models import ObjectSetParameter
AipAgentsObjectSetParameterValuefrom foundry_sdk.v2.aip_agents.models import ObjectSetParameterValue
AipAgentsObjectSetParameterValueUpdatefrom foundry_sdk.v2.aip_agents.models import ObjectSetParameterValueUpdate
AipAgentsParameterfrom foundry_sdk.v2.aip_agents.models import Parameter
AipAgentsParameterAccessModefrom foundry_sdk.v2.aip_agents.models import ParameterAccessMode
AipAgentsParameterIdfrom foundry_sdk.v2.aip_agents.models import ParameterId
AipAgentsParameterTypefrom foundry_sdk.v2.aip_agents.models import ParameterType
AipAgentsParameterValuefrom foundry_sdk.v2.aip_agents.models import ParameterValue
AipAgentsParameterValueUpdatefrom foundry_sdk.v2.aip_agents.models import ParameterValueUpdate
AipAgentsRidToolInputValuefrom foundry_sdk.v2.aip_agents.models import RidToolInputValue
AipAgentsRidToolOutputValuefrom foundry_sdk.v2.aip_agents.models import RidToolOutputValue
AipAgentsSessionfrom foundry_sdk.v2.aip_agents.models import Session
AipAgentsSessionExchangefrom foundry_sdk.v2.aip_agents.models import SessionExchange
AipAgentsSessionExchangeContextsfrom foundry_sdk.v2.aip_agents.models import SessionExchangeContexts
AipAgentsSessionExchangeResultfrom foundry_sdk.v2.aip_agents.models import SessionExchangeResult
AipAgentsSessionMetadatafrom foundry_sdk.v2.aip_agents.models import SessionMetadata
AipAgentsSessionRidfrom foundry_sdk.v2.aip_agents.models import SessionRid
AipAgentsSessionTracefrom foundry_sdk.v2.aip_agents.models import SessionTrace
AipAgentsSessionTraceIdfrom foundry_sdk.v2.aip_agents.models import SessionTraceId
AipAgentsSessionTraceStatusfrom foundry_sdk.v2.aip_agents.models import SessionTraceStatus
AipAgentsStringParameterfrom foundry_sdk.v2.aip_agents.models import StringParameter
AipAgentsStringParameterValuefrom foundry_sdk.v2.aip_agents.models import StringParameterValue
AipAgentsStringToolInputValuefrom foundry_sdk.v2.aip_agents.models import StringToolInputValue
AipAgentsStringToolOutputValuefrom foundry_sdk.v2.aip_agents.models import StringToolOutputValue
AipAgentsSuccessToolCallOutputfrom foundry_sdk.v2.aip_agents.models import SuccessToolCallOutput
AipAgentsToolCallfrom foundry_sdk.v2.aip_agents.models import ToolCall
AipAgentsToolCallGroupfrom foundry_sdk.v2.aip_agents.models import ToolCallGroup
AipAgentsToolCallInputfrom foundry_sdk.v2.aip_agents.models import ToolCallInput
AipAgentsToolCallOutputfrom foundry_sdk.v2.aip_agents.models import ToolCallOutput
AipAgentsToolInputNamefrom foundry_sdk.v2.aip_agents.models import ToolInputName
AipAgentsToolInputValuefrom foundry_sdk.v2.aip_agents.models import ToolInputValue
AipAgentsToolMetadatafrom foundry_sdk.v2.aip_agents.models import ToolMetadata
AipAgentsToolOutputValuefrom foundry_sdk.v2.aip_agents.models import ToolOutputValue
AipAgentsToolTypefrom foundry_sdk.v2.aip_agents.models import ToolType
AipAgentsUserTextInputfrom foundry_sdk.v2.aip_agents.models import UserTextInput
ConnectivityApiKeyAuthenticationfrom foundry_sdk.v2.connectivity.models import ApiKeyAuthentication
ConnectivityAsPlaintextValuefrom foundry_sdk.v2.connectivity.models import AsPlaintextValue
ConnectivityAsSecretNamefrom foundry_sdk.v2.connectivity.models import AsSecretName
ConnectivityAwsAccessKeyfrom foundry_sdk.v2.connectivity.models import AwsAccessKey
ConnectivityAwsOidcAuthenticationfrom foundry_sdk.v2.connectivity.models import AwsOidcAuthentication
ConnectivityBasicCredentialsfrom foundry_sdk.v2.connectivity.models import BasicCredentials
ConnectivityBearerTokenfrom foundry_sdk.v2.connectivity.models import BearerToken
ConnectivityCloudIdentityfrom foundry_sdk.v2.connectivity.models import CloudIdentity
ConnectivityCloudIdentityRidfrom foundry_sdk.v2.connectivity.models import CloudIdentityRid
ConnectivityConnectionfrom foundry_sdk.v2.connectivity.models import Connection
ConnectivityConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import ConnectionConfiguration
ConnectivityConnectionDisplayNamefrom foundry_sdk.v2.connectivity.models import ConnectionDisplayName
ConnectivityConnectionExportSettingsfrom foundry_sdk.v2.connectivity.models import ConnectionExportSettings
ConnectivityConnectionRidfrom foundry_sdk.v2.connectivity.models import ConnectionRid
ConnectivityCreateConnectionRequestAsPlaintextValuefrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestAsPlaintextValue
ConnectivityCreateConnectionRequestAsSecretNamefrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestAsSecretName
ConnectivityCreateConnectionRequestBasicCredentialsfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestBasicCredentials
ConnectivityCreateConnectionRequestConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestConnectionConfiguration
ConnectivityCreateConnectionRequestDatabricksAuthenticationModefrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestDatabricksAuthenticationMode
ConnectivityCreateConnectionRequestDatabricksConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestDatabricksConnectionConfiguration
ConnectivityCreateConnectionRequestEncryptedPropertyfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestEncryptedProperty
ConnectivityCreateConnectionRequestJdbcConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestJdbcConnectionConfiguration
ConnectivityCreateConnectionRequestOauthMachineToMachineAuthfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestOauthMachineToMachineAuth
ConnectivityCreateConnectionRequestPersonalAccessTokenfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestPersonalAccessToken
ConnectivityCreateConnectionRequestRestConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestRestConnectionConfiguration
ConnectivityCreateConnectionRequestS3ConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestS3ConnectionConfiguration
ConnectivityCreateConnectionRequestSnowflakeAuthenticationModefrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeAuthenticationMode
ConnectivityCreateConnectionRequestSnowflakeConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeConnectionConfiguration
ConnectivityCreateConnectionRequestSnowflakeExternalOauthfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeExternalOauth
ConnectivityCreateConnectionRequestSnowflakeKeyPairAuthenticationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeKeyPairAuthentication
ConnectivityCreateConnectionRequestWorkflowIdentityFederationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestWorkflowIdentityFederation
ConnectivityCreateTableImportRequestDatabricksTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestDatabricksTableImportConfig
ConnectivityCreateTableImportRequestJdbcTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestJdbcTableImportConfig
ConnectivityCreateTableImportRequestMicrosoftAccessTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestMicrosoftAccessTableImportConfig
ConnectivityCreateTableImportRequestMicrosoftSqlServerTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestMicrosoftSqlServerTableImportConfig
ConnectivityCreateTableImportRequestOracleTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestOracleTableImportConfig
ConnectivityCreateTableImportRequestPostgreSqlTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestPostgreSqlTableImportConfig
ConnectivityCreateTableImportRequestSnowflakeTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestSnowflakeTableImportConfig
ConnectivityCreateTableImportRequestTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestTableImportConfig
ConnectivityDatabricksAuthenticationModefrom foundry_sdk.v2.connectivity.models import DatabricksAuthenticationMode
ConnectivityDatabricksConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import DatabricksConnectionConfiguration
ConnectivityDatabricksTableImportConfigfrom foundry_sdk.v2.connectivity.models import DatabricksTableImportConfig
ConnectivityDateColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import DateColumnInitialIncrementalState
ConnectivityDecimalColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import DecimalColumnInitialIncrementalState
ConnectivityDomainfrom foundry_sdk.v2.connectivity.models import Domain
ConnectivityEncryptedPropertyfrom foundry_sdk.v2.connectivity.models import EncryptedProperty
ConnectivityFileAnyPathMatchesFilterfrom foundry_sdk.v2.connectivity.models import FileAnyPathMatchesFilter
ConnectivityFileAtLeastCountFilterfrom foundry_sdk.v2.connectivity.models import FileAtLeastCountFilter
ConnectivityFileChangedSinceLastUploadFilterfrom foundry_sdk.v2.connectivity.models import FileChangedSinceLastUploadFilter
ConnectivityFileImportfrom foundry_sdk.v2.connectivity.models import FileImport
ConnectivityFileImportCustomFilterfrom foundry_sdk.v2.connectivity.models import FileImportCustomFilter
ConnectivityFileImportDisplayNamefrom foundry_sdk.v2.connectivity.models import FileImportDisplayName
ConnectivityFileImportFilterfrom foundry_sdk.v2.connectivity.models import FileImportFilter
ConnectivityFileImportModefrom foundry_sdk.v2.connectivity.models import FileImportMode
ConnectivityFileImportRidfrom foundry_sdk.v2.connectivity.models import FileImportRid
ConnectivityFileLastModifiedAfterFilterfrom foundry_sdk.v2.connectivity.models import FileLastModifiedAfterFilter
ConnectivityFilePathMatchesFilterfrom foundry_sdk.v2.connectivity.models import FilePathMatchesFilter
ConnectivityFilePathNotMatchesFilterfrom foundry_sdk.v2.connectivity.models import FilePathNotMatchesFilter
ConnectivityFilePropertyfrom foundry_sdk.v2.connectivity.models import FileProperty
ConnectivityFilesCountLimitFilterfrom foundry_sdk.v2.connectivity.models import FilesCountLimitFilter
ConnectivityFileSizeFilterfrom foundry_sdk.v2.connectivity.models import FileSizeFilter
ConnectivityHeaderApiKeyfrom foundry_sdk.v2.connectivity.models import HeaderApiKey
ConnectivityIntegerColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import IntegerColumnInitialIncrementalState
ConnectivityJdbcConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import JdbcConnectionConfiguration
ConnectivityJdbcPropertiesfrom foundry_sdk.v2.connectivity.models import JdbcProperties
ConnectivityJdbcTableImportConfigfrom foundry_sdk.v2.connectivity.models import JdbcTableImportConfig
ConnectivityListFileImportsResponsefrom foundry_sdk.v2.connectivity.models import ListFileImportsResponse
ConnectivityListTableImportsResponsefrom foundry_sdk.v2.connectivity.models import ListTableImportsResponse
ConnectivityLongColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import LongColumnInitialIncrementalState
ConnectivityMicrosoftAccessTableImportConfigfrom foundry_sdk.v2.connectivity.models import MicrosoftAccessTableImportConfig
ConnectivityMicrosoftSqlServerTableImportConfigfrom foundry_sdk.v2.connectivity.models import MicrosoftSqlServerTableImportConfig
ConnectivityOauthMachineToMachineAuthfrom foundry_sdk.v2.connectivity.models import OauthMachineToMachineAuth
ConnectivityOracleTableImportConfigfrom foundry_sdk.v2.connectivity.models import OracleTableImportConfig
ConnectivityPersonalAccessTokenfrom foundry_sdk.v2.connectivity.models import PersonalAccessToken
ConnectivityPlaintextValuefrom foundry_sdk.v2.connectivity.models import PlaintextValue
ConnectivityPostgreSqlTableImportConfigfrom foundry_sdk.v2.connectivity.models import PostgreSqlTableImportConfig
ConnectivityProtocolfrom foundry_sdk.v2.connectivity.models import Protocol
ConnectivityQueryParameterApiKeyfrom foundry_sdk.v2.connectivity.models import QueryParameterApiKey
ConnectivityRegionfrom foundry_sdk.v2.connectivity.models import Region
ConnectivityReplaceTableImportRequestDatabricksTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestDatabricksTableImportConfig
ConnectivityReplaceTableImportRequestJdbcTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestJdbcTableImportConfig
ConnectivityReplaceTableImportRequestMicrosoftAccessTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestMicrosoftAccessTableImportConfig
ConnectivityReplaceTableImportRequestMicrosoftSqlServerTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestMicrosoftSqlServerTableImportConfig
ConnectivityReplaceTableImportRequestOracleTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestOracleTableImportConfig
ConnectivityReplaceTableImportRequestPostgreSqlTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestPostgreSqlTableImportConfig
ConnectivityReplaceTableImportRequestSnowflakeTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestSnowflakeTableImportConfig
ConnectivityReplaceTableImportRequestTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestTableImportConfig
ConnectivityRestAuthenticationModefrom foundry_sdk.v2.connectivity.models import RestAuthenticationMode
ConnectivityRestConnectionAdditionalSecretsfrom foundry_sdk.v2.connectivity.models import RestConnectionAdditionalSecrets
ConnectivityRestConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import RestConnectionConfiguration
ConnectivityRestConnectionOAuth2from foundry_sdk.v2.connectivity.models import RestConnectionOAuth2
ConnectivityRestRequestApiKeyLocationfrom foundry_sdk.v2.connectivity.models import RestRequestApiKeyLocation
ConnectivityS3AuthenticationModefrom foundry_sdk.v2.connectivity.models import S3AuthenticationMode
ConnectivityS3ConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import S3ConnectionConfiguration
ConnectivityS3KmsConfigurationfrom foundry_sdk.v2.connectivity.models import S3KmsConfiguration
ConnectivityS3ProxyConfigurationfrom foundry_sdk.v2.connectivity.models import S3ProxyConfiguration
ConnectivitySecretNamefrom foundry_sdk.v2.connectivity.models import SecretName
ConnectivitySecretsNamesfrom foundry_sdk.v2.connectivity.models import SecretsNames
ConnectivitySecretsWithPlaintextValuesfrom foundry_sdk.v2.connectivity.models import SecretsWithPlaintextValues
ConnectivitySnowflakeAuthenticationModefrom foundry_sdk.v2.connectivity.models import SnowflakeAuthenticationMode
ConnectivitySnowflakeConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import SnowflakeConnectionConfiguration
ConnectivitySnowflakeExternalOauthfrom foundry_sdk.v2.connectivity.models import SnowflakeExternalOauth
ConnectivitySnowflakeKeyPairAuthenticationfrom foundry_sdk.v2.connectivity.models import SnowflakeKeyPairAuthentication
ConnectivitySnowflakeTableImportConfigfrom foundry_sdk.v2.connectivity.models import SnowflakeTableImportConfig
ConnectivityStringColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import StringColumnInitialIncrementalState
ConnectivityStsRoleConfigurationfrom foundry_sdk.v2.connectivity.models import StsRoleConfiguration
ConnectivityTableImportfrom foundry_sdk.v2.connectivity.models import TableImport
ConnectivityTableImportAllowSchemaChangesfrom foundry_sdk.v2.connectivity.models import TableImportAllowSchemaChanges
ConnectivityTableImportConfigfrom foundry_sdk.v2.connectivity.models import TableImportConfig
ConnectivityTableImportDisplayNamefrom foundry_sdk.v2.connectivity.models import TableImportDisplayName
ConnectivityTableImportInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import TableImportInitialIncrementalState
ConnectivityTableImportModefrom foundry_sdk.v2.connectivity.models import TableImportMode
ConnectivityTableImportQueryfrom foundry_sdk.v2.connectivity.models import TableImportQuery
ConnectivityTableImportRidfrom foundry_sdk.v2.connectivity.models import TableImportRid
ConnectivityTimestampColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import TimestampColumnInitialIncrementalState
ConnectivityUriSchemefrom foundry_sdk.v2.connectivity.models import UriScheme
ConnectivityWorkflowIdentityFederationfrom foundry_sdk.v2.connectivity.models import WorkflowIdentityFederation
CoreAnyTypefrom foundry_sdk.v2.core.models import AnyType
CoreArrayFieldTypefrom foundry_sdk.v2.core.models import ArrayFieldType
CoreAttachmentTypefrom foundry_sdk.v2.core.models import AttachmentType
CoreBinaryTypefrom foundry_sdk.v2.core.models import BinaryType
CoreBooleanTypefrom foundry_sdk.v2.core.models import BooleanType
CoreBuildRidfrom foundry_sdk.v2.core.models import BuildRid
CoreByteTypefrom foundry_sdk.v2.core.models import ByteType
CoreChangeDataCaptureConfigurationfrom foundry_sdk.v2.core.models import ChangeDataCaptureConfiguration
CoreCipherTextTypefrom foundry_sdk.v2.core.models import CipherTextType
CoreComputeSecondsfrom foundry_sdk.v2.core.models import ComputeSeconds
CoreContentLengthfrom foundry_sdk.v2.core.models import ContentLength
CoreContentTypefrom foundry_sdk.v2.core.models import ContentType
CoreCreatedByfrom foundry_sdk.v2.core.models import CreatedBy
CoreCreatedTimefrom foundry_sdk.v2.core.models import CreatedTime
CoreCustomMetadatafrom foundry_sdk.v2.core.models import CustomMetadata
CoreDateTypefrom foundry_sdk.v2.core.models import DateType
CoreDecimalTypefrom foundry_sdk.v2.core.models import DecimalType
CoreDisplayNamefrom foundry_sdk.v2.core.models import DisplayName
CoreDistancefrom foundry_sdk.v2.core.models import Distance
CoreDistanceUnitfrom foundry_sdk.v2.core.models import DistanceUnit
CoreDoubleTypefrom foundry_sdk.v2.core.models import DoubleType
CoreDurationfrom foundry_sdk.v2.core.models import Duration
CoreDurationSecondsfrom foundry_sdk.v2.core.models import DurationSeconds
CoreEmbeddingModelfrom foundry_sdk.v2.core.models import EmbeddingModel
CoreEnrollmentRidfrom foundry_sdk.v2.core.models import EnrollmentRid
CoreFieldfrom foundry_sdk.v2.core.models import Field
CoreFieldDataTypefrom foundry_sdk.v2.core.models import FieldDataType
CoreFieldNamefrom foundry_sdk.v2.core.models import FieldName
CoreFieldSchemafrom foundry_sdk.v2.core.models import FieldSchema
CoreFilenamefrom foundry_sdk.v2.core.models import Filename
CoreFilePathfrom foundry_sdk.v2.core.models import FilePath
CoreFilterBinaryTypefrom foundry_sdk.v2.core.models import FilterBinaryType
CoreFilterBooleanTypefrom foundry_sdk.v2.core.models import FilterBooleanType
CoreFilterDateTimeTypefrom foundry_sdk.v2.core.models import FilterDateTimeType
CoreFilterDateTypefrom foundry_sdk.v2.core.models import FilterDateType
CoreFilterDoubleTypefrom foundry_sdk.v2.core.models import FilterDoubleType
CoreFilterEnumTypefrom foundry_sdk.v2.core.models import FilterEnumType
CoreFilterFloatTypefrom foundry_sdk.v2.core.models import FilterFloatType
CoreFilterIntegerTypefrom foundry_sdk.v2.core.models import FilterIntegerType
CoreFilterLongTypefrom foundry_sdk.v2.core.models import FilterLongType
CoreFilterRidTypefrom foundry_sdk.v2.core.models import FilterRidType
CoreFilterStringTypefrom foundry_sdk.v2.core.models import FilterStringType
CoreFilterTypefrom foundry_sdk.v2.core.models import FilterType
CoreFilterUuidTypefrom foundry_sdk.v2.core.models import FilterUuidType
CoreFloatTypefrom foundry_sdk.v2.core.models import FloatType
CoreFolderRidfrom foundry_sdk.v2.core.models import FolderRid
CoreFoundryBranchfrom foundry_sdk.v2.core.models import FoundryBranch
CoreFoundryLiveDeploymentfrom foundry_sdk.v2.core.models import FoundryLiveDeployment
CoreFullRowChangeDataCaptureConfigurationfrom foundry_sdk.v2.core.models import FullRowChangeDataCaptureConfiguration
CoreGeohashTypefrom foundry_sdk.v2.core.models import GeohashType
CoreGeoPointTypefrom foundry_sdk.v2.core.models import GeoPointType
CoreGeoShapeTypefrom foundry_sdk.v2.core.models import GeoShapeType
CoreGeotimeSeriesReferenceTypefrom foundry_sdk.v2.core.models import GeotimeSeriesReferenceType
CoreGroupNamefrom foundry_sdk.v2.core.models import GroupName
CoreGroupRidfrom foundry_sdk.v2.core.models import GroupRid
CoreIncludeComputeUsagefrom foundry_sdk.v2.core.models import IncludeComputeUsage
CoreIntegerTypefrom foundry_sdk.v2.core.models import IntegerType
CoreJobRidfrom foundry_sdk.v2.core.models import JobRid
CoreLmsEmbeddingModelfrom foundry_sdk.v2.core.models import LmsEmbeddingModel
CoreLmsEmbeddingModelValuefrom foundry_sdk.v2.core.models import LmsEmbeddingModelValue
CoreLongTypefrom foundry_sdk.v2.core.models import LongType
CoreMapFieldTypefrom foundry_sdk.v2.core.models import MapFieldType
CoreMarkingIdfrom foundry_sdk.v2.core.models import MarkingId
CoreMarkingTypefrom foundry_sdk.v2.core.models import MarkingType
CoreMediaItemPathfrom foundry_sdk.v2.core.models import MediaItemPath
CoreMediaItemReadTokenfrom foundry_sdk.v2.core.models import MediaItemReadToken
CoreMediaItemRidfrom foundry_sdk.v2.core.models import MediaItemRid
CoreMediaReferencefrom foundry_sdk.v2.core.models import MediaReference
CoreMediaReferenceTypefrom foundry_sdk.v2.core.models import MediaReferenceType
CoreMediaSetRidfrom foundry_sdk.v2.core.models import MediaSetRid
CoreMediaSetViewItemfrom foundry_sdk.v2.core.models import MediaSetViewItem
CoreMediaSetViewItemWrapperfrom foundry_sdk.v2.core.models import MediaSetViewItemWrapper
CoreMediaSetViewRidfrom foundry_sdk.v2.core.models import MediaSetViewRid
CoreMediaTypefrom foundry_sdk.v2.core.models import MediaType
CoreNullTypefrom foundry_sdk.v2.core.models import NullType
CoreOperationfrom foundry_sdk.v2.core.models import Operation
CoreOperationScopefrom foundry_sdk.v2.core.models import OperationScope
CoreOrderByDirectionfrom foundry_sdk.v2.core.models import OrderByDirection
CoreOrganizationRidfrom foundry_sdk.v2.core.models import OrganizationRid
CorePageSizefrom foundry_sdk.v2.core.models import PageSize
CorePageTokenfrom foundry_sdk.v2.core.models import PageToken
CorePreviewModefrom foundry_sdk.v2.core.models import PreviewMode
CorePrincipalIdfrom foundry_sdk.v2.core.models import PrincipalId
CorePrincipalTypefrom foundry_sdk.v2.core.models import PrincipalType
CoreRealmfrom foundry_sdk.v2.core.models import Realm
CoreReferencefrom foundry_sdk.v2.core.models import Reference
CoreReleaseStatusfrom foundry_sdk.v2.core.models import ReleaseStatus
CoreRolefrom foundry_sdk.v2.core.models import Role
CoreRoleAssignmentUpdatefrom foundry_sdk.v2.core.models import RoleAssignmentUpdate
CoreRoleContextfrom foundry_sdk.v2.core.models import RoleContext
CoreRoleIdfrom foundry_sdk.v2.core.models import RoleId
CoreRoleSetIdfrom foundry_sdk.v2.core.models import RoleSetId
CoreScheduleRidfrom foundry_sdk.v2.core.models import ScheduleRid
CoreShortTypefrom foundry_sdk.v2.core.models import ShortType
CoreSizeBytesfrom foundry_sdk.v2.core.models import SizeBytes
CoreStreamSchemafrom foundry_sdk.v2.core.models import StreamSchema
CoreStringTypefrom foundry_sdk.v2.core.models import StringType
CoreStructFieldNamefrom foundry_sdk.v2.core.models import StructFieldName
CoreStructFieldTypefrom foundry_sdk.v2.core.models import StructFieldType
CoreTimeSeriesItemTypefrom foundry_sdk.v2.core.models import TimeSeriesItemType
CoreTimeseriesTypefrom foundry_sdk.v2.core.models import TimeseriesType
CoreTimestampTypefrom foundry_sdk.v2.core.models import TimestampType
CoreTimeUnitfrom foundry_sdk.v2.core.models import TimeUnit
CoreTotalCountfrom foundry_sdk.v2.core.models import TotalCount
CoreUnsupportedTypefrom foundry_sdk.v2.core.models import UnsupportedType
CoreUpdatedByfrom foundry_sdk.v2.core.models import UpdatedBy
CoreUpdatedTimefrom foundry_sdk.v2.core.models import UpdatedTime
CoreUserIdfrom foundry_sdk.v2.core.models import UserId
CoreVectorSimilarityFunctionfrom foundry_sdk.v2.core.models import VectorSimilarityFunction
CoreVectorSimilarityFunctionValuefrom foundry_sdk.v2.core.models import VectorSimilarityFunctionValue
CoreVectorTypefrom foundry_sdk.v2.core.models import VectorType
CoreZoneIdfrom foundry_sdk.v2.core.models import ZoneId
DatasetsBranchfrom foundry_sdk.v2.datasets.models import Branch
DatasetsBranchNamefrom foundry_sdk.v2.datasets.models import BranchName
DatasetsDatasetfrom foundry_sdk.v2.datasets.models import Dataset
DatasetsDatasetNamefrom foundry_sdk.v2.datasets.models import DatasetName
DatasetsDatasetRidfrom foundry_sdk.v2.datasets.models import DatasetRid
DatasetsFilefrom foundry_sdk.v2.datasets.models import File
DatasetsFileUpdatedTimefrom foundry_sdk.v2.datasets.models import FileUpdatedTime
DatasetsListBranchesResponsefrom foundry_sdk.v2.datasets.models import ListBranchesResponse
DatasetsListFilesResponsefrom foundry_sdk.v2.datasets.models import ListFilesResponse
DatasetsListSchedulesResponsefrom foundry_sdk.v2.datasets.models import ListSchedulesResponse
DatasetsPrimaryKeyLatestWinsResolutionStrategyfrom foundry_sdk.v2.datasets.models import PrimaryKeyLatestWinsResolutionStrategy
DatasetsPrimaryKeyResolutionDuplicatefrom foundry_sdk.v2.datasets.models import PrimaryKeyResolutionDuplicate
DatasetsPrimaryKeyResolutionStrategyfrom foundry_sdk.v2.datasets.models import PrimaryKeyResolutionStrategy
DatasetsPrimaryKeyResolutionUniquefrom foundry_sdk.v2.datasets.models import PrimaryKeyResolutionUnique
DatasetsTableExportFormatfrom foundry_sdk.v2.datasets.models import TableExportFormat
DatasetsTransactionfrom foundry_sdk.v2.datasets.models import Transaction
DatasetsTransactionCreatedTimefrom foundry_sdk.v2.datasets.models import TransactionCreatedTime
DatasetsTransactionRidfrom foundry_sdk.v2.datasets.models import TransactionRid
DatasetsTransactionStatusfrom foundry_sdk.v2.datasets.models import TransactionStatus
DatasetsTransactionTypefrom foundry_sdk.v2.datasets.models import TransactionType
DatasetsViewfrom foundry_sdk.v2.datasets.models import View
DatasetsViewBackingDatasetfrom foundry_sdk.v2.datasets.models import ViewBackingDataset
DatasetsViewPrimaryKeyfrom foundry_sdk.v2.datasets.models import ViewPrimaryKey
DatasetsViewPrimaryKeyResolutionfrom foundry_sdk.v2.datasets.models import ViewPrimaryKeyResolution
FilesystemAccessRequirementsfrom foundry_sdk.v2.filesystem.models import AccessRequirements
FilesystemEveryonefrom foundry_sdk.v2.filesystem.models import Everyone
FilesystemFileSystemIdfrom foundry_sdk.v2.filesystem.models import FileSystemId
FilesystemFolderfrom foundry_sdk.v2.filesystem.models import Folder
FilesystemFolderRidfrom foundry_sdk.v2.filesystem.models import FolderRid
FilesystemFolderTypefrom foundry_sdk.v2.filesystem.models import FolderType
FilesystemIsDirectlyAppliedfrom foundry_sdk.v2.filesystem.models import IsDirectlyApplied
FilesystemListChildrenOfFolderResponsefrom foundry_sdk.v2.filesystem.models import ListChildrenOfFolderResponse
FilesystemListMarkingsOfResourceResponsefrom foundry_sdk.v2.filesystem.models import ListMarkingsOfResourceResponse
FilesystemListOrganizationsOfProjectResponsefrom foundry_sdk.v2.filesystem.models import ListOrganizationsOfProjectResponse
FilesystemListResourceRolesResponsefrom foundry_sdk.v2.filesystem.models import ListResourceRolesResponse
FilesystemListSpacesResponsefrom foundry_sdk.v2.filesystem.models import ListSpacesResponse
FilesystemMarkingfrom foundry_sdk.v2.filesystem.models import Marking
FilesystemOrganizationfrom foundry_sdk.v2.filesystem.models import Organization
FilesystemPrincipalWithIdfrom foundry_sdk.v2.filesystem.models import PrincipalWithId
FilesystemProjectfrom foundry_sdk.v2.filesystem.models import Project
FilesystemProjectRidfrom foundry_sdk.v2.filesystem.models import ProjectRid
FilesystemProjectTemplateRidfrom foundry_sdk.v2.filesystem.models import ProjectTemplateRid
FilesystemProjectTemplateVariableIdfrom foundry_sdk.v2.filesystem.models import ProjectTemplateVariableId
FilesystemProjectTemplateVariableValuefrom foundry_sdk.v2.filesystem.models import ProjectTemplateVariableValue
FilesystemResourcefrom foundry_sdk.v2.filesystem.models import Resource
FilesystemResourceDisplayNamefrom foundry_sdk.v2.filesystem.models import ResourceDisplayName
FilesystemResourcePathfrom foundry_sdk.v2.filesystem.models import ResourcePath
FilesystemResourceRidfrom foundry_sdk.v2.filesystem.models import ResourceRid
FilesystemResourceRolefrom foundry_sdk.v2.filesystem.models import ResourceRole
FilesystemResourceRolePrincipalfrom foundry_sdk.v2.filesystem.models import ResourceRolePrincipal
FilesystemResourceTypefrom foundry_sdk.v2.filesystem.models import ResourceType
FilesystemSpacefrom foundry_sdk.v2.filesystem.models import Space
FilesystemSpaceRidfrom foundry_sdk.v2.filesystem.models import SpaceRid
FilesystemTrashStatusfrom foundry_sdk.v2.filesystem.models import TrashStatus
FilesystemUsageAccountRidfrom foundry_sdk.v2.filesystem.models import UsageAccountRid
FunctionsDataValuefrom foundry_sdk.v2.functions.models import DataValue
FunctionsExecuteQueryResponsefrom foundry_sdk.v2.functions.models import ExecuteQueryResponse
FunctionsFunctionRidfrom foundry_sdk.v2.functions.models import FunctionRid
FunctionsFunctionVersionfrom foundry_sdk.v2.functions.models import FunctionVersion
FunctionsParameterfrom foundry_sdk.v2.functions.models import Parameter
FunctionsParameterIdfrom foundry_sdk.v2.functions.models import ParameterId
FunctionsQueryfrom foundry_sdk.v2.functions.models import Query
FunctionsQueryAggregationKeyTypefrom foundry_sdk.v2.functions.models import QueryAggregationKeyType
FunctionsQueryAggregationRangeSubTypefrom foundry_sdk.v2.functions.models import QueryAggregationRangeSubType
FunctionsQueryAggregationRangeTypefrom foundry_sdk.v2.functions.models import QueryAggregationRangeType
FunctionsQueryAggregationValueTypefrom foundry_sdk.v2.functions.models import QueryAggregationValueType
FunctionsQueryApiNamefrom foundry_sdk.v2.functions.models import QueryApiName
FunctionsQueryArrayTypefrom foundry_sdk.v2.functions.models import QueryArrayType
FunctionsQueryDataTypefrom foundry_sdk.v2.functions.models import QueryDataType
FunctionsQueryRuntimeErrorParameterfrom foundry_sdk.v2.functions.models import QueryRuntimeErrorParameter
FunctionsQuerySetTypefrom foundry_sdk.v2.functions.models import QuerySetType
FunctionsQueryStructFieldfrom foundry_sdk.v2.functions.models import QueryStructField
FunctionsQueryStructTypefrom foundry_sdk.v2.functions.models import QueryStructType
FunctionsQueryUnionTypefrom foundry_sdk.v2.functions.models import QueryUnionType
FunctionsStructFieldNamefrom foundry_sdk.v2.functions.models import StructFieldName
FunctionsThreeDimensionalAggregationfrom foundry_sdk.v2.functions.models import ThreeDimensionalAggregation
FunctionsTwoDimensionalAggregationfrom foundry_sdk.v2.functions.models import TwoDimensionalAggregation
FunctionsValueTypefrom foundry_sdk.v2.functions.models import ValueType
FunctionsValueTypeApiNamefrom foundry_sdk.v2.functions.models import ValueTypeApiName
FunctionsValueTypeDataTypefrom foundry_sdk.v2.functions.models import ValueTypeDataType
FunctionsValueTypeDataTypeArrayTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeArrayType
FunctionsValueTypeDataTypeBinaryTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeBinaryType
FunctionsValueTypeDataTypeBooleanTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeBooleanType
FunctionsValueTypeDataTypeByteTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeByteType
FunctionsValueTypeDataTypeDateTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeDateType
FunctionsValueTypeDataTypeDecimalTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeDecimalType
FunctionsValueTypeDataTypeDoubleTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeDoubleType
FunctionsValueTypeDataTypeFloatTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeFloatType
FunctionsValueTypeDataTypeIntegerTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeIntegerType
FunctionsValueTypeDataTypeLongTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeLongType
FunctionsValueTypeDataTypeMapTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeMapType
FunctionsValueTypeDataTypeOptionalTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeOptionalType
FunctionsValueTypeDataTypeShortTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeShortType
FunctionsValueTypeDataTypeStringTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeStringType
FunctionsValueTypeDataTypeStructElementfrom foundry_sdk.v2.functions.models import ValueTypeDataTypeStructElement
FunctionsValueTypeDataTypeStructFieldIdentifierfrom foundry_sdk.v2.functions.models import ValueTypeDataTypeStructFieldIdentifier
FunctionsValueTypeDataTypeStructTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeStructType
FunctionsValueTypeDataTypeTimestampTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeTimestampType
FunctionsValueTypeDataTypeUnionTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeUnionType
FunctionsValueTypeDataTypeValueTypeReferencefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeValueTypeReference
FunctionsValueTypeDescriptionfrom foundry_sdk.v2.functions.models import ValueTypeDescription
FunctionsValueTypeReferencefrom foundry_sdk.v2.functions.models import ValueTypeReference
FunctionsValueTypeRidfrom foundry_sdk.v2.functions.models import ValueTypeRid
FunctionsValueTypeVersionfrom foundry_sdk.v2.functions.models import ValueTypeVersion
FunctionsValueTypeVersionIdfrom foundry_sdk.v2.functions.models import ValueTypeVersionId
FunctionsVersionIdfrom foundry_sdk.v2.functions.models import VersionId
GeoBBoxfrom foundry_sdk.v2.geo.models import BBox
GeoCoordinatefrom foundry_sdk.v2.geo.models import Coordinate
GeoFeaturefrom foundry_sdk.v2.geo.models import Feature
GeoFeatureCollectionfrom foundry_sdk.v2.geo.models import FeatureCollection
GeoFeatureCollectionTypesfrom foundry_sdk.v2.geo.models import FeatureCollectionTypes
GeoFeaturePropertyKeyfrom foundry_sdk.v2.geo.models import FeaturePropertyKey
GeoGeometryfrom foundry_sdk.v2.geo.models import Geometry
GeoGeometryCollectionfrom foundry_sdk.v2.geo.models import GeometryCollection
GeoGeoPointfrom foundry_sdk.v2.geo.models import GeoPoint
GeoLinearRingfrom foundry_sdk.v2.geo.models import LinearRing
GeoLineStringfrom foundry_sdk.v2.geo.models import LineString
GeoLineStringCoordinatesfrom foundry_sdk.v2.geo.models import LineStringCoordinates
GeoMultiLineStringfrom foundry_sdk.v2.geo.models import MultiLineString
GeoMultiPointfrom foundry_sdk.v2.geo.models import MultiPoint
GeoMultiPolygonfrom foundry_sdk.v2.geo.models import MultiPolygon
GeoPolygonfrom foundry_sdk.v2.geo.models import Polygon
GeoPositionfrom foundry_sdk.v2.geo.models import Position
MediaSetsBranchNamefrom foundry_sdk.v2.media_sets.models import BranchName
MediaSetsBranchRidfrom foundry_sdk.v2.media_sets.models import BranchRid
MediaSetsGetMediaItemInfoResponsefrom foundry_sdk.v2.media_sets.models import GetMediaItemInfoResponse
MediaSetsGetMediaItemRidByPathResponsefrom foundry_sdk.v2.media_sets.models import GetMediaItemRidByPathResponse
MediaSetsLogicalTimestampfrom foundry_sdk.v2.media_sets.models import LogicalTimestamp
MediaSetsMediaAttributionfrom foundry_sdk.v2.media_sets.models import MediaAttribution
MediaSetsPutMediaItemResponsefrom foundry_sdk.v2.media_sets.models import PutMediaItemResponse
MediaSetsTransactionIdfrom foundry_sdk.v2.media_sets.models import TransactionId
OntologiesAbsoluteTimeRangefrom foundry_sdk.v2.ontologies.models import AbsoluteTimeRange
OntologiesAbsoluteValuePropertyExpressionfrom foundry_sdk.v2.ontologies.models import AbsoluteValuePropertyExpression
OntologiesActionParameterArrayTypefrom foundry_sdk.v2.ontologies.models import ActionParameterArrayType
OntologiesActionParameterTypefrom foundry_sdk.v2.ontologies.models import ActionParameterType
OntologiesActionParameterV2from foundry_sdk.v2.ontologies.models import ActionParameterV2
OntologiesActionResultsfrom foundry_sdk.v2.ontologies.models import ActionResults
OntologiesActionRidfrom foundry_sdk.v2.ontologies.models import ActionRid
OntologiesActionTypeApiNamefrom foundry_sdk.v2.ontologies.models import ActionTypeApiName
OntologiesActionTypeRidfrom foundry_sdk.v2.ontologies.models import ActionTypeRid
OntologiesActionTypeV2from foundry_sdk.v2.ontologies.models import ActionTypeV2
OntologiesActivePropertyTypeStatusfrom foundry_sdk.v2.ontologies.models import ActivePropertyTypeStatus
OntologiesAddLinkfrom foundry_sdk.v2.ontologies.models import AddLink
OntologiesAddObjectfrom foundry_sdk.v2.ontologies.models import AddObject
OntologiesAddPropertyExpressionfrom foundry_sdk.v2.ontologies.models import AddPropertyExpression
OntologiesAggregateObjectsResponseItemV2from foundry_sdk.v2.ontologies.models import AggregateObjectsResponseItemV2
OntologiesAggregateObjectsResponseV2from foundry_sdk.v2.ontologies.models import AggregateObjectsResponseV2
OntologiesAggregateTimeSeriesfrom foundry_sdk.v2.ontologies.models import AggregateTimeSeries
OntologiesAggregationAccuracyfrom foundry_sdk.v2.ontologies.models import AggregationAccuracy
OntologiesAggregationAccuracyRequestfrom foundry_sdk.v2.ontologies.models import AggregationAccuracyRequest
OntologiesAggregationDurationGroupingV2from foundry_sdk.v2.ontologies.models import AggregationDurationGroupingV2
OntologiesAggregationExactGroupingV2from foundry_sdk.v2.ontologies.models import AggregationExactGroupingV2
OntologiesAggregationFixedWidthGroupingV2from foundry_sdk.v2.ontologies.models import AggregationFixedWidthGroupingV2
OntologiesAggregationGroupByV2from foundry_sdk.v2.ontologies.models import AggregationGroupByV2
OntologiesAggregationGroupKeyV2from foundry_sdk.v2.ontologies.models import AggregationGroupKeyV2
OntologiesAggregationGroupValueV2from foundry_sdk.v2.ontologies.models import AggregationGroupValueV2
OntologiesAggregationMetricNamefrom foundry_sdk.v2.ontologies.models import AggregationMetricName
OntologiesAggregationMetricResultV2from foundry_sdk.v2.ontologies.models import AggregationMetricResultV2
OntologiesAggregationRangesGroupingV2from foundry_sdk.v2.ontologies.models import AggregationRangesGroupingV2
OntologiesAggregationRangeV2from foundry_sdk.v2.ontologies.models import AggregationRangeV2
OntologiesAggregationV2from foundry_sdk.v2.ontologies.models import AggregationV2
OntologiesAndQueryV2from foundry_sdk.v2.ontologies.models import AndQueryV2
OntologiesApplyActionModefrom foundry_sdk.v2.ontologies.models import ApplyActionMode
OntologiesApplyActionRequestOptionsfrom foundry_sdk.v2.ontologies.models import ApplyActionRequestOptions
OntologiesApproximateDistinctAggregationV2from foundry_sdk.v2.ontologies.models import ApproximateDistinctAggregationV2
OntologiesApproximatePercentileAggregationV2from foundry_sdk.v2.ontologies.models import ApproximatePercentileAggregationV2
OntologiesArrayEntryEvaluatedConstraintfrom foundry_sdk.v2.ontologies.models import ArrayEntryEvaluatedConstraint
OntologiesArrayEvaluatedConstraintfrom foundry_sdk.v2.ontologies.models import ArrayEvaluatedConstraint
OntologiesArraySizeConstraintfrom foundry_sdk.v2.ontologies.models import ArraySizeConstraint
OntologiesArtifactRepositoryRidfrom foundry_sdk.v2.ontologies.models import ArtifactRepositoryRid
OntologiesAttachmentMetadataResponsefrom foundry_sdk.v2.ontologies.models import AttachmentMetadataResponse
OntologiesAttachmentRidfrom foundry_sdk.v2.ontologies.models import AttachmentRid
OntologiesAttachmentV2from foundry_sdk.v2.ontologies.models import AttachmentV2
OntologiesAvgAggregationV2from foundry_sdk.v2.ontologies.models import AvgAggregationV2
OntologiesBatchActionObjectEditfrom foundry_sdk.v2.ontologies.models import BatchActionObjectEdit
OntologiesBatchActionObjectEditsfrom foundry_sdk.v2.ontologies.models import BatchActionObjectEdits
OntologiesBatchActionResultsfrom foundry_sdk.v2.ontologies.models import BatchActionResults
OntologiesBatchApplyActionRequestItemfrom foundry_sdk.v2.ontologies.models import BatchApplyActionRequestItem
OntologiesBatchApplyActionRequestOptionsfrom foundry_sdk.v2.ontologies.models import BatchApplyActionRequestOptions
OntologiesBatchApplyActionResponseV2from foundry_sdk.v2.ontologies.models import BatchApplyActionResponseV2
OntologiesBatchReturnEditsModefrom foundry_sdk.v2.ontologies.models import BatchReturnEditsMode
OntologiesBlueprintIconfrom foundry_sdk.v2.ontologies.models import BlueprintIcon
OntologiesBoundingBoxValuefrom foundry_sdk.v2.ontologies.models import BoundingBoxValue
OntologiesCenterPointfrom foundry_sdk.v2.ontologies.models import CenterPoint
OntologiesCenterPointTypesfrom foundry_sdk.v2.ontologies.models import CenterPointTypes
OntologiesContainsAllTermsInOrderPrefixLastTermfrom foundry_sdk.v2.ontologies.models import ContainsAllTermsInOrderPrefixLastTerm
OntologiesContainsAllTermsInOrderQueryfrom foundry_sdk.v2.ontologies.models import ContainsAllTermsInOrderQuery
OntologiesContainsAllTermsQueryfrom foundry_sdk.v2.ontologies.models import ContainsAllTermsQuery
OntologiesContainsAnyTermQueryfrom foundry_sdk.v2.ontologies.models import ContainsAnyTermQuery
OntologiesContainsQueryV2from foundry_sdk.v2.ontologies.models import ContainsQueryV2
OntologiesCountAggregationV2from foundry_sdk.v2.ontologies.models import CountAggregationV2
OntologiesCountObjectsResponseV2from foundry_sdk.v2.ontologies.models import CountObjectsResponseV2
OntologiesCreateInterfaceObjectRulefrom foundry_sdk.v2.ontologies.models import CreateInterfaceObjectRule
OntologiesCreateLinkRulefrom foundry_sdk.v2.ontologies.models import CreateLinkRule
OntologiesCreateObjectRulefrom foundry_sdk.v2.ontologies.models import CreateObjectRule
OntologiesCreateTemporaryObjectSetResponseV2from foundry_sdk.v2.ontologies.models import CreateTemporaryObjectSetResponseV2
OntologiesDataValuefrom foundry_sdk.v2.ontologies.models import DataValue
OntologiesDecryptionResultfrom foundry_sdk.v2.ontologies.models import DecryptionResult
OntologiesDeleteInterfaceObjectRulefrom foundry_sdk.v2.ontologies.models import DeleteInterfaceObjectRule
OntologiesDeleteLinkfrom foundry_sdk.v2.ontologies.models import DeleteLink
OntologiesDeleteLinkRulefrom foundry_sdk.v2.ontologies.models import DeleteLinkRule
OntologiesDeleteObjectfrom foundry_sdk.v2.ontologies.models import DeleteObject
OntologiesDeleteObjectRulefrom foundry_sdk.v2.ontologies.models import DeleteObjectRule
OntologiesDeprecatedPropertyTypeStatusfrom foundry_sdk.v2.ontologies.models import DeprecatedPropertyTypeStatus
OntologiesDerivedPropertyApiNamefrom foundry_sdk.v2.ontologies.models import DerivedPropertyApiName
OntologiesDerivedPropertyDefinitionfrom foundry_sdk.v2.ontologies.models import DerivedPropertyDefinition
OntologiesDividePropertyExpressionfrom foundry_sdk.v2.ontologies.models import DividePropertyExpression
OntologiesDoesNotIntersectBoundingBoxQueryfrom foundry_sdk.v2.ontologies.models import DoesNotIntersectBoundingBoxQuery
OntologiesDoesNotIntersectPolygonQueryfrom foundry_sdk.v2.ontologies.models import DoesNotIntersectPolygonQuery
OntologiesDoubleVectorfrom foundry_sdk.v2.ontologies.models import DoubleVector
OntologiesEntrySetTypefrom foundry_sdk.v2.ontologies.models import EntrySetType
OntologiesEqualsQueryV2from foundry_sdk.v2.ontologies.models import EqualsQueryV2
OntologiesExactDistinctAggregationV2from foundry_sdk.v2.ontologies.models import ExactDistinctAggregationV2
OntologiesExamplePropertyTypeStatusfrom foundry_sdk.v2.ontologies.models import ExamplePropertyTypeStatus
OntologiesExecuteQueryResponsefrom foundry_sdk.v2.ontologies.models import ExecuteQueryResponse
OntologiesExperimentalPropertyTypeStatusfrom foundry_sdk.v2.ontologies.models import ExperimentalPropertyTypeStatus
OntologiesExtractDatePartfrom foundry_sdk.v2.ontologies.models import ExtractDatePart
OntologiesExtractPropertyExpressionfrom foundry_sdk.v2.ontologies.models import ExtractPropertyExpression
OntologiesFilterValuefrom foundry_sdk.v2.ontologies.models import FilterValue
OntologiesFunctionRidfrom foundry_sdk.v2.ontologies.models import FunctionRid
OntologiesFunctionVersionfrom foundry_sdk.v2.ontologies.models import FunctionVersion
OntologiesFuzzyV2from foundry_sdk.v2.ontologies.models import FuzzyV2
OntologiesGetSelectedPropertyOperationfrom foundry_sdk.v2.ontologies.models import GetSelectedPropertyOperation
OntologiesGreatestPropertyExpressionfrom foundry_sdk.v2.ontologies.models import GreatestPropertyExpression
OntologiesGroupMemberConstraintfrom foundry_sdk.v2.ontologies.models import GroupMemberConstraint
OntologiesGteQueryV2from foundry_sdk.v2.ontologies.models import GteQueryV2
OntologiesGtQueryV2from foundry_sdk.v2.ontologies.models import GtQueryV2
OntologiesIconfrom foundry_sdk.v2.ontologies.models import Icon
OntologiesInQueryfrom foundry_sdk.v2.ontologies.models import InQuery
OntologiesInterfaceLinkTypefrom foundry_sdk.v2.ontologies.models import InterfaceLinkType
OntologiesInterfaceLinkTypeApiNamefrom foundry_sdk.v2.ontologies.models import InterfaceLinkTypeApiName
OntologiesInterfaceLinkTypeCardinalityfrom foundry_sdk.v2.ontologies.models import InterfaceLinkTypeCardinality
OntologiesInterfaceLinkTypeLinkedEntityApiNamefrom foundry_sdk.v2.ontologies.models import InterfaceLinkTypeLinkedEntityApiName
OntologiesInterfaceLinkTypeRidfrom foundry_sdk.v2.ontologies.models import InterfaceLinkTypeRid
OntologiesInterfaceSharedPropertyTypefrom foundry_sdk.v2.ontologies.models import InterfaceSharedPropertyType
OntologiesInterfaceToObjectTypeMappingfrom foundry_sdk.v2.ontologies.models import InterfaceToObjectTypeMapping
OntologiesInterfaceToObjectTypeMappingsfrom foundry_sdk.v2.ontologies.models import InterfaceToObjectTypeMappings
OntologiesInterfaceTypefrom foundry_sdk.v2.ontologies.models import InterfaceType
OntologiesInterfaceTypeApiNamefrom foundry_sdk.v2.ontologies.models import InterfaceTypeApiName
OntologiesInterfaceTypeRidfrom foundry_sdk.v2.ontologies.models import InterfaceTypeRid
OntologiesIntersectsBoundingBoxQueryfrom foundry_sdk.v2.ontologies.models import IntersectsBoundingBoxQuery
OntologiesIntersectsPolygonQueryfrom foundry_sdk.v2.ontologies.models import IntersectsPolygonQuery
OntologiesIsNullQueryV2from foundry_sdk.v2.ontologies.models import IsNullQueryV2
OntologiesLeastPropertyExpressionfrom foundry_sdk.v2.ontologies.models import LeastPropertyExpression
OntologiesLinkedInterfaceTypeApiNamefrom foundry_sdk.v2.ontologies.models import LinkedInterfaceTypeApiName
OntologiesLinkedObjectTypeApiNamefrom foundry_sdk.v2.ontologies.models import LinkedObjectTypeApiName
OntologiesLinkSideObjectfrom foundry_sdk.v2.ontologies.models import LinkSideObject
OntologiesLinkTypeApiNamefrom foundry_sdk.v2.ontologies.models import LinkTypeApiName
OntologiesLinkTypeIdfrom foundry_sdk.v2.ontologies.models import LinkTypeId
OntologiesLinkTypeRidfrom foundry_sdk.v2.ontologies.models import LinkTypeRid
OntologiesLinkTypeSideCardinalityfrom foundry_sdk.v2.ontologies.models import LinkTypeSideCardinality
OntologiesLinkTypeSideV2from foundry_sdk.v2.ontologies.models import LinkTypeSideV2
OntologiesListActionTypesResponseV2from foundry_sdk.v2.ontologies.models import ListActionTypesResponseV2
OntologiesListAttachmentsResponseV2from foundry_sdk.v2.ontologies.models import ListAttachmentsResponseV2
OntologiesListInterfaceTypesResponsefrom foundry_sdk.v2.ontologies.models import ListInterfaceTypesResponse
OntologiesListLinkedObjectsResponseV2from foundry_sdk.v2.ontologies.models import ListLinkedObjectsResponseV2
OntologiesListObjectsResponseV2from foundry_sdk.v2.ontologies.models import ListObjectsResponseV2
OntologiesListObjectTypesV2Responsefrom foundry_sdk.v2.ontologies.models import ListObjectTypesV2Response
OntologiesListOntologiesV2Responsefrom foundry_sdk.v2.ontologies.models import ListOntologiesV2Response
OntologiesListOutgoingInterfaceLinkTypesResponsefrom foundry_sdk.v2.ontologies.models import ListOutgoingInterfaceLinkTypesResponse
OntologiesListOutgoingLinkTypesResponseV2from foundry_sdk.v2.ontologies.models import ListOutgoingLinkTypesResponseV2
OntologiesListQueryTypesResponseV2from foundry_sdk.v2.ontologies.models import ListQueryTypesResponseV2
OntologiesLoadObjectSetResponseV2from foundry_sdk.v2.ontologies.models import LoadObjectSetResponseV2
OntologiesLoadObjectSetV2MultipleObjectTypesResponsefrom foundry_sdk.v2.ontologies.models import LoadObjectSetV2MultipleObjectTypesResponse
OntologiesLoadObjectSetV2ObjectsOrInterfacesResponsefrom foundry_sdk.v2.ontologies.models import LoadObjectSetV2ObjectsOrInterfacesResponse
OntologiesLogicRulefrom foundry_sdk.v2.ontologies.models import LogicRule
OntologiesLteQueryV2from foundry_sdk.v2.ontologies.models import LteQueryV2
OntologiesLtQueryV2from foundry_sdk.v2.ontologies.models import LtQueryV2
OntologiesMaxAggregationV2from foundry_sdk.v2.ontologies.models import MaxAggregationV2
OntologiesMediaMetadatafrom foundry_sdk.v2.ontologies.models import MediaMetadata
OntologiesMethodObjectSetfrom foundry_sdk.v2.ontologies.models import MethodObjectSet
OntologiesMinAggregationV2from foundry_sdk.v2.ontologies.models import MinAggregationV2
OntologiesModifyInterfaceObjectRulefrom foundry_sdk.v2.ontologies.models import ModifyInterfaceObjectRule
OntologiesModifyObjectfrom foundry_sdk.v2.ontologies.models import ModifyObject
OntologiesModifyObjectRulefrom foundry_sdk.v2.ontologies.models import ModifyObjectRule
OntologiesMultiplyPropertyExpressionfrom foundry_sdk.v2.ontologies.models import MultiplyPropertyExpression
OntologiesNearestNeighborsQueryfrom foundry_sdk.v2.ontologies.models import NearestNeighborsQuery
OntologiesNearestNeighborsQueryTextfrom foundry_sdk.v2.ontologies.models import NearestNeighborsQueryText
OntologiesNegatePropertyExpressionfrom foundry_sdk.v2.ontologies.models import NegatePropertyExpression
OntologiesNestedQueryAggregationfrom foundry_sdk.v2.ontologies.models import NestedQueryAggregation
OntologiesNotQueryV2from foundry_sdk.v2.ontologies.models import NotQueryV2
OntologiesObjectEditfrom foundry_sdk.v2.ontologies.models import ObjectEdit
OntologiesObjectEditsfrom foundry_sdk.v2.ontologies.models import ObjectEdits
OntologiesObjectPropertyTypefrom foundry_sdk.v2.ontologies.models import ObjectPropertyType
OntologiesObjectPropertyValueConstraintfrom foundry_sdk.v2.ontologies.models import ObjectPropertyValueConstraint
OntologiesObjectQueryResultConstraintfrom foundry_sdk.v2.ontologies.models import ObjectQueryResultConstraint
OntologiesObjectRidfrom foundry_sdk.v2.ontologies.models import ObjectRid
OntologiesObjectSetfrom foundry_sdk.v2.ontologies.models import ObjectSet
OntologiesObjectSetAsBaseObjectTypesTypefrom foundry_sdk.v2.ontologies.models import ObjectSetAsBaseObjectTypesType
OntologiesObjectSetAsTypeTypefrom foundry_sdk.v2.ontologies.models import ObjectSetAsTypeType
OntologiesObjectSetBaseTypefrom foundry_sdk.v2.ontologies.models import ObjectSetBaseType
OntologiesObjectSetFilterTypefrom foundry_sdk.v2.ontologies.models import ObjectSetFilterType
OntologiesObjectSetInterfaceBaseTypefrom foundry_sdk.v2.ontologies.models import ObjectSetInterfaceBaseType
OntologiesObjectSetInterfaceLinkSearchAroundTypefrom foundry_sdk.v2.ontologies.models import ObjectSetInterfaceLinkSearchAroundType
OntologiesObjectSetIntersectionTypefrom foundry_sdk.v2.ontologies.models import ObjectSetIntersectionType
OntologiesObjectSetMethodInputTypefrom foundry_sdk.v2.ontologies.models import ObjectSetMethodInputType
OntologiesObjectSetNearestNeighborsTypefrom foundry_sdk.v2.ontologies.models import ObjectSetNearestNeighborsType
OntologiesObjectSetReferenceTypefrom foundry_sdk.v2.ontologies.models import ObjectSetReferenceType
OntologiesObjectSetRidfrom foundry_sdk.v2.ontologies.models import ObjectSetRid
OntologiesObjectSetSearchAroundTypefrom foundry_sdk.v2.ontologies.models import ObjectSetSearchAroundType
OntologiesObjectSetStaticTypefrom foundry_sdk.v2.ontologies.models import ObjectSetStaticType
OntologiesObjectSetSubtractTypefrom foundry_sdk.v2.ontologies.models import ObjectSetSubtractType
OntologiesObjectSetUnionTypefrom foundry_sdk.v2.ontologies.models import ObjectSetUnionType
OntologiesObjectSetWithPropertiesTypefrom foundry_sdk.v2.ontologies.models import ObjectSetWithPropertiesType
OntologiesObjectTypeApiNamefrom foundry_sdk.v2.ontologies.models import ObjectTypeApiName
OntologiesObjectTypeEditsfrom foundry_sdk.v2.ontologies.models import ObjectTypeEdits
OntologiesObjectTypeFullMetadatafrom foundry_sdk.v2.ontologies.models import ObjectTypeFullMetadata
OntologiesObjectTypeIdfrom foundry_sdk.v2.ontologies.models import ObjectTypeId
OntologiesObjectTypeInterfaceImplementationfrom foundry_sdk.v2.ontologies.models import ObjectTypeInterfaceImplementation
OntologiesObjectTypeRidfrom foundry_sdk.v2.ontologies.models import ObjectTypeRid
OntologiesObjectTypeV2from foundry_sdk.v2.ontologies.models import ObjectTypeV2
OntologiesObjectTypeVisibilityfrom foundry_sdk.v2.ontologies.models import ObjectTypeVisibility
OntologiesOneOfConstraintfrom foundry_sdk.v2.ontologies.models import OneOfConstraint
OntologiesOntologyApiNamefrom foundry_sdk.v2.ontologies.models import OntologyApiName
OntologiesOntologyArrayTypefrom foundry_sdk.v2.ontologies.models import OntologyArrayType
OntologiesOntologyDataTypefrom foundry_sdk.v2.ontologies.models import OntologyDataType
OntologiesOntologyFullMetadatafrom foundry_sdk.v2.ontologies.models import OntologyFullMetadata
OntologiesOntologyIdentifierfrom foundry_sdk.v2.ontologies.models import OntologyIdentifier
OntologiesOntologyInterfaceObjectTypefrom foundry_sdk.v2.ontologies.models import OntologyInterfaceObjectType
OntologiesOntologyMapTypefrom foundry_sdk.v2.ontologies.models import OntologyMapType
OntologiesOntologyObjectArrayTypefrom foundry_sdk.v2.ontologies.models import OntologyObjectArrayType
OntologiesOntologyObjectSetTypefrom foundry_sdk.v2.ontologies.models import OntologyObjectSetType
OntologiesOntologyObjectTypefrom foundry_sdk.v2.ontologies.models import OntologyObjectType
OntologiesOntologyObjectTypeReferenceTypefrom foundry_sdk.v2.ontologies.models import OntologyObjectTypeReferenceType
OntologiesOntologyObjectV2from foundry_sdk.v2.ontologies.models import OntologyObjectV2
OntologiesOntologyRidfrom foundry_sdk.v2.ontologies.models import OntologyRid
OntologiesOntologySetTypefrom foundry_sdk.v2.ontologies.models import OntologySetType
OntologiesOntologyStructFieldfrom foundry_sdk.v2.ontologies.models import OntologyStructField
OntologiesOntologyStructTypefrom foundry_sdk.v2.ontologies.models import OntologyStructType
OntologiesOntologyV2from foundry_sdk.v2.ontologies.models import OntologyV2
OntologiesOrderByfrom foundry_sdk.v2.ontologies.models import OrderBy
OntologiesOrderByDirectionfrom foundry_sdk.v2.ontologies.models import OrderByDirection
OntologiesOrQueryV2from foundry_sdk.v2.ontologies.models import OrQueryV2
OntologiesParameterEvaluatedConstraintfrom foundry_sdk.v2.ontologies.models import ParameterEvaluatedConstraint
OntologiesParameterEvaluationResultfrom foundry_sdk.v2.ontologies.models import ParameterEvaluationResult
OntologiesParameterIdfrom foundry_sdk.v2.ontologies.models import ParameterId
OntologiesParameterOptionfrom foundry_sdk.v2.ontologies.models import ParameterOption
OntologiesPlaintextfrom foundry_sdk.v2.ontologies.models import Plaintext
OntologiesPolygonValuefrom foundry_sdk.v2.ontologies.models import PolygonValue
OntologiesPreciseDurationfrom foundry_sdk.v2.ontologies.models import PreciseDuration
OntologiesPreciseTimeUnitfrom foundry_sdk.v2.ontologies.models import PreciseTimeUnit
OntologiesPrimaryKeyValuefrom foundry_sdk.v2.ontologies.models import PrimaryKeyValue
OntologiesPropertyApiNamefrom foundry_sdk.v2.ontologies.models import PropertyApiName
OntologiesPropertyApiNameSelectorfrom foundry_sdk.v2.ontologies.models import PropertyApiNameSelector
OntologiesPropertyFilterfrom foundry_sdk.v2.ontologies.models import PropertyFilter
OntologiesPropertyIdfrom foundry_sdk.v2.ontologies.models import PropertyId
OntologiesPropertyIdentifierfrom foundry_sdk.v2.ontologies.models import PropertyIdentifier
OntologiesPropertyTypeRidfrom foundry_sdk.v2.ontologies.models import PropertyTypeRid
OntologiesPropertyTypeStatusfrom foundry_sdk.v2.ontologies.models import PropertyTypeStatus
OntologiesPropertyTypeVisibilityfrom foundry_sdk.v2.ontologies.models import PropertyTypeVisibility
OntologiesPropertyV2from foundry_sdk.v2.ontologies.models import PropertyV2
OntologiesPropertyValuefrom foundry_sdk.v2.ontologies.models import PropertyValue
OntologiesPropertyValueEscapedStringfrom foundry_sdk.v2.ontologies.models import PropertyValueEscapedString
OntologiesQueryAggregationfrom foundry_sdk.v2.ontologies.models import QueryAggregation
OntologiesQueryAggregationKeyTypefrom foundry_sdk.v2.ontologies.models import QueryAggregationKeyType
OntologiesQueryAggregationRangeSubTypefrom foundry_sdk.v2.ontologies.models import QueryAggregationRangeSubType
OntologiesQueryAggregationRangeTypefrom foundry_sdk.v2.ontologies.models import QueryAggregationRangeType
OntologiesQueryAggregationValueTypefrom foundry_sdk.v2.ontologies.models import QueryAggregationValueType
OntologiesQueryApiNamefrom foundry_sdk.v2.ontologies.models import QueryApiName
OntologiesQueryArrayTypefrom foundry_sdk.v2.ontologies.models import QueryArrayType
OntologiesQueryDataTypefrom foundry_sdk.v2.ontologies.models import QueryDataType
OntologiesQueryParameterV2from foundry_sdk.v2.ontologies.models import QueryParameterV2
OntologiesQueryRuntimeErrorParameterfrom foundry_sdk.v2.ontologies.models import QueryRuntimeErrorParameter
OntologiesQuerySetTypefrom foundry_sdk.v2.ontologies.models import QuerySetType
OntologiesQueryStructFieldfrom foundry_sdk.v2.ontologies.models import QueryStructField
OntologiesQueryStructTypefrom foundry_sdk.v2.ontologies.models import QueryStructType
OntologiesQueryThreeDimensionalAggregationfrom foundry_sdk.v2.ontologies.models import QueryThreeDimensionalAggregation
OntologiesQueryTwoDimensionalAggregationfrom foundry_sdk.v2.ontologies.models import QueryTwoDimensionalAggregation
OntologiesQueryTypeV2from foundry_sdk.v2.ontologies.models import QueryTypeV2
OntologiesQueryUnionTypefrom foundry_sdk.v2.ontologies.models import QueryUnionType
OntologiesRangeConstraintfrom foundry_sdk.v2.ontologies.models import RangeConstraint
OntologiesRelativeTimefrom foundry_sdk.v2.ontologies.models import RelativeTime
OntologiesRelativeTimeRangefrom foundry_sdk.v2.ontologies.models import RelativeTimeRange
OntologiesRelativeTimeRelationfrom foundry_sdk.v2.ontologies.models import RelativeTimeRelation
OntologiesRelativeTimeSeriesTimeUnitfrom foundry_sdk.v2.ontologies.models import RelativeTimeSeriesTimeUnit
OntologiesReturnEditsModefrom foundry_sdk.v2.ontologies.models import ReturnEditsMode
OntologiesRollingAggregateWindowPointsfrom foundry_sdk.v2.ontologies.models import RollingAggregateWindowPoints
OntologiesSdkPackageNamefrom foundry_sdk.v2.ontologies.models import SdkPackageName
OntologiesSdkPackageRidfrom foundry_sdk.v2.ontologies.models import SdkPackageRid
OntologiesSdkVersionfrom foundry_sdk.v2.ontologies.models import SdkVersion
OntologiesSearchJsonQueryV2from foundry_sdk.v2.ontologies.models import SearchJsonQueryV2
OntologiesSearchObjectsResponseV2from foundry_sdk.v2.ontologies.models import SearchObjectsResponseV2
OntologiesSearchOrderByTypefrom foundry_sdk.v2.ontologies.models import SearchOrderByType
OntologiesSearchOrderByV2from foundry_sdk.v2.ontologies.models import SearchOrderByV2
OntologiesSearchOrderingV2from foundry_sdk.v2.ontologies.models import SearchOrderingV2
OntologiesSelectedPropertyApiNamefrom foundry_sdk.v2.ontologies.models import SelectedPropertyApiName
OntologiesSelectedPropertyApproximateDistinctAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyApproximateDistinctAggregation
OntologiesSelectedPropertyApproximatePercentileAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyApproximatePercentileAggregation
OntologiesSelectedPropertyAvgAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyAvgAggregation
OntologiesSelectedPropertyCollectListAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyCollectListAggregation
OntologiesSelectedPropertyCollectSetAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyCollectSetAggregation
OntologiesSelectedPropertyCountAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyCountAggregation
OntologiesSelectedPropertyExactDistinctAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyExactDistinctAggregation
OntologiesSelectedPropertyExpressionfrom foundry_sdk.v2.ontologies.models import SelectedPropertyExpression
OntologiesSelectedPropertyMaxAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyMaxAggregation
OntologiesSelectedPropertyMinAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyMinAggregation
OntologiesSelectedPropertyOperationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyOperation
OntologiesSelectedPropertySumAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertySumAggregation
OntologiesSharedPropertyTypefrom foundry_sdk.v2.ontologies.models import SharedPropertyType
OntologiesSharedPropertyTypeApiNamefrom foundry_sdk.v2.ontologies.models import SharedPropertyTypeApiName
OntologiesSharedPropertyTypeRidfrom foundry_sdk.v2.ontologies.models import SharedPropertyTypeRid
OntologiesStartsWithQueryfrom foundry_sdk.v2.ontologies.models import StartsWithQuery
OntologiesStreamingOutputFormatfrom foundry_sdk.v2.ontologies.models import StreamingOutputFormat
OntologiesStringLengthConstraintfrom foundry_sdk.v2.ontologies.models import StringLengthConstraint
OntologiesStringRegexMatchConstraintfrom foundry_sdk.v2.ontologies.models import StringRegexMatchConstraint
OntologiesStructEvaluatedConstraintfrom foundry_sdk.v2.ontologies.models import StructEvaluatedConstraint
OntologiesStructFieldApiNamefrom foundry_sdk.v2.ontologies.models import StructFieldApiName
OntologiesStructFieldEvaluatedConstraintfrom foundry_sdk.v2.ontologies.models import StructFieldEvaluatedConstraint
OntologiesStructFieldEvaluationResultfrom foundry_sdk.v2.ontologies.models import StructFieldEvaluationResult
OntologiesStructFieldSelectorfrom foundry_sdk.v2.ontologies.models import StructFieldSelector
OntologiesStructFieldTypefrom foundry_sdk.v2.ontologies.models import StructFieldType
OntologiesStructFieldTypeRidfrom foundry_sdk.v2.ontologies.models import StructFieldTypeRid
OntologiesStructParameterFieldApiNamefrom foundry_sdk.v2.ontologies.models import StructParameterFieldApiName
OntologiesStructTypefrom foundry_sdk.v2.ontologies.models import StructType
OntologiesSubmissionCriteriaEvaluationfrom foundry_sdk.v2.ontologies.models import SubmissionCriteriaEvaluation
OntologiesSubtractPropertyExpressionfrom foundry_sdk.v2.ontologies.models import SubtractPropertyExpression
OntologiesSumAggregationV2from foundry_sdk.v2.ontologies.models import SumAggregationV2
OntologiesSyncApplyActionResponseV2from foundry_sdk.v2.ontologies.models import SyncApplyActionResponseV2
OntologiesThreeDimensionalAggregationfrom foundry_sdk.v2.ontologies.models import ThreeDimensionalAggregation
OntologiesTimeRangefrom foundry_sdk.v2.ontologies.models import TimeRange
OntologiesTimeSeriesAggregationMethodfrom foundry_sdk.v2.ontologies.models import TimeSeriesAggregationMethod
OntologiesTimeSeriesAggregationStrategyfrom foundry_sdk.v2.ontologies.models import TimeSeriesAggregationStrategy
OntologiesTimeSeriesCumulativeAggregatefrom foundry_sdk.v2.ontologies.models import TimeSeriesCumulativeAggregate
OntologiesTimeseriesEntryfrom foundry_sdk.v2.ontologies.models import TimeseriesEntry
OntologiesTimeSeriesPeriodicAggregatefrom foundry_sdk.v2.ontologies.models import TimeSeriesPeriodicAggregate
OntologiesTimeSeriesPointfrom foundry_sdk.v2.ontologies.models import TimeSeriesPoint
OntologiesTimeSeriesRollingAggregatefrom foundry_sdk.v2.ontologies.models import TimeSeriesRollingAggregate
OntologiesTimeSeriesRollingAggregateWindowfrom foundry_sdk.v2.ontologies.models import TimeSeriesRollingAggregateWindow
OntologiesTimeSeriesWindowTypefrom foundry_sdk.v2.ontologies.models import TimeSeriesWindowType
OntologiesTimeUnitfrom foundry_sdk.v2.ontologies.models import TimeUnit
OntologiesTwoDimensionalAggregationfrom foundry_sdk.v2.ontologies.models import TwoDimensionalAggregation
OntologiesUnevaluableConstraintfrom foundry_sdk.v2.ontologies.models import UnevaluableConstraint
OntologiesValidateActionResponseV2from foundry_sdk.v2.ontologies.models import ValidateActionResponseV2
OntologiesValidationResultfrom foundry_sdk.v2.ontologies.models import ValidationResult
OntologiesValueTypefrom foundry_sdk.v2.ontologies.models import ValueType
OntologiesVersionedQueryTypeApiNamefrom foundry_sdk.v2.ontologies.models import VersionedQueryTypeApiName
OntologiesWithinBoundingBoxPointfrom foundry_sdk.v2.ontologies.models import WithinBoundingBoxPoint
OntologiesWithinBoundingBoxQueryfrom foundry_sdk.v2.ontologies.models import WithinBoundingBoxQuery
OntologiesWithinDistanceOfQueryfrom foundry_sdk.v2.ontologies.models import WithinDistanceOfQuery
OntologiesWithinPolygonQueryfrom foundry_sdk.v2.ontologies.models import WithinPolygonQuery
OrchestrationAbortOnFailurefrom foundry_sdk.v2.orchestration.models import AbortOnFailure
OrchestrationActionfrom foundry_sdk.v2.orchestration.models import Action
OrchestrationAndTriggerfrom foundry_sdk.v2.orchestration.models import AndTrigger
OrchestrationBuildfrom foundry_sdk.v2.orchestration.models import Build
OrchestrationBuildableRidfrom foundry_sdk.v2.orchestration.models import BuildableRid
OrchestrationBuildStatusfrom foundry_sdk.v2.orchestration.models import BuildStatus
OrchestrationBuildTargetfrom foundry_sdk.v2.orchestration.models import BuildTarget
OrchestrationConnectingTargetfrom foundry_sdk.v2.orchestration.models import ConnectingTarget
OrchestrationCreateScheduleRequestActionfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestAction
OrchestrationCreateScheduleRequestBuildTargetfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestBuildTarget
OrchestrationCreateScheduleRequestConnectingTargetfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestConnectingTarget
OrchestrationCreateScheduleRequestManualTargetfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestManualTarget
OrchestrationCreateScheduleRequestProjectScopefrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestProjectScope
OrchestrationCreateScheduleRequestScopeModefrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestScopeMode
OrchestrationCreateScheduleRequestUpstreamTargetfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestUpstreamTarget
OrchestrationCreateScheduleRequestUserScopefrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestUserScope
OrchestrationCronExpressionfrom foundry_sdk.v2.orchestration.models import CronExpression
OrchestrationDatasetJobOutputfrom foundry_sdk.v2.orchestration.models import DatasetJobOutput
OrchestrationDatasetUpdatedTriggerfrom foundry_sdk.v2.orchestration.models import DatasetUpdatedTrigger
OrchestrationFallbackBranchesfrom foundry_sdk.v2.orchestration.models import FallbackBranches
OrchestrationForceBuildfrom foundry_sdk.v2.orchestration.models import ForceBuild
OrchestrationGetBuildsBatchRequestElementfrom foundry_sdk.v2.orchestration.models import GetBuildsBatchRequestElement
OrchestrationGetBuildsBatchResponsefrom foundry_sdk.v2.orchestration.models import GetBuildsBatchResponse
OrchestrationGetJobsBatchRequestElementfrom foundry_sdk.v2.orchestration.models import GetJobsBatchRequestElement
OrchestrationGetJobsBatchResponsefrom foundry_sdk.v2.orchestration.models import GetJobsBatchResponse
OrchestrationJobfrom foundry_sdk.v2.orchestration.models import Job
OrchestrationJobOutputfrom foundry_sdk.v2.orchestration.models import JobOutput
OrchestrationJobStartedTimefrom foundry_sdk.v2.orchestration.models import JobStartedTime
OrchestrationJobStatusfrom foundry_sdk.v2.orchestration.models import JobStatus
OrchestrationJobSucceededTriggerfrom foundry_sdk.v2.orchestration.models import JobSucceededTrigger
OrchestrationListJobsOfBuildResponsefrom foundry_sdk.v2.orchestration.models import ListJobsOfBuildResponse
OrchestrationListRunsOfScheduleResponsefrom foundry_sdk.v2.orchestration.models import ListRunsOfScheduleResponse
OrchestrationManualTargetfrom foundry_sdk.v2.orchestration.models import ManualTarget
OrchestrationManualTriggerfrom foundry_sdk.v2.orchestration.models import ManualTrigger
OrchestrationMediaSetUpdatedTriggerfrom foundry_sdk.v2.orchestration.models import MediaSetUpdatedTrigger
OrchestrationNewLogicTriggerfrom foundry_sdk.v2.orchestration.models import NewLogicTrigger
OrchestrationNotificationsEnabledfrom foundry_sdk.v2.orchestration.models import NotificationsEnabled
OrchestrationOrTriggerfrom foundry_sdk.v2.orchestration.models import OrTrigger
OrchestrationProjectScopefrom foundry_sdk.v2.orchestration.models import ProjectScope
OrchestrationReplaceScheduleRequestActionfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestAction
OrchestrationReplaceScheduleRequestBuildTargetfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestBuildTarget
OrchestrationReplaceScheduleRequestConnectingTargetfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestConnectingTarget
OrchestrationReplaceScheduleRequestManualTargetfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestManualTarget
OrchestrationReplaceScheduleRequestProjectScopefrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestProjectScope
OrchestrationReplaceScheduleRequestScopeModefrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestScopeMode
OrchestrationReplaceScheduleRequestUpstreamTargetfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestUpstreamTarget
OrchestrationReplaceScheduleRequestUserScopefrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestUserScope
OrchestrationRetryBackoffDurationfrom foundry_sdk.v2.orchestration.models import RetryBackoffDuration
OrchestrationRetryCountfrom foundry_sdk.v2.orchestration.models import RetryCount
OrchestrationSchedulefrom foundry_sdk.v2.orchestration.models import Schedule
OrchestrationSchedulePausedfrom foundry_sdk.v2.orchestration.models import SchedulePaused
OrchestrationScheduleRunfrom foundry_sdk.v2.orchestration.models import ScheduleRun
OrchestrationScheduleRunErrorfrom foundry_sdk.v2.orchestration.models import ScheduleRunError
OrchestrationScheduleRunErrorNamefrom foundry_sdk.v2.orchestration.models import ScheduleRunErrorName
OrchestrationScheduleRunIgnoredfrom foundry_sdk.v2.orchestration.models import ScheduleRunIgnored
OrchestrationScheduleRunResultfrom foundry_sdk.v2.orchestration.models import ScheduleRunResult
OrchestrationScheduleRunRidfrom foundry_sdk.v2.orchestration.models import ScheduleRunRid
OrchestrationScheduleRunSubmittedfrom foundry_sdk.v2.orchestration.models import ScheduleRunSubmitted
OrchestrationScheduleSucceededTriggerfrom foundry_sdk.v2.orchestration.models import ScheduleSucceededTrigger
OrchestrationScheduleVersionfrom foundry_sdk.v2.orchestration.models import ScheduleVersion
OrchestrationScheduleVersionRidfrom foundry_sdk.v2.orchestration.models import ScheduleVersionRid
OrchestrationScopeModefrom foundry_sdk.v2.orchestration.models import ScopeMode
OrchestrationSearchBuildsAndFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsAndFilter
OrchestrationSearchBuildsEqualsFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsEqualsFilter
OrchestrationSearchBuildsEqualsFilterFieldfrom foundry_sdk.v2.orchestration.models import SearchBuildsEqualsFilterField
OrchestrationSearchBuildsFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsFilter
OrchestrationSearchBuildsGteFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsGteFilter
OrchestrationSearchBuildsGteFilterFieldfrom foundry_sdk.v2.orchestration.models import SearchBuildsGteFilterField
OrchestrationSearchBuildsLtFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsLtFilter
OrchestrationSearchBuildsLtFilterFieldfrom foundry_sdk.v2.orchestration.models import SearchBuildsLtFilterField
OrchestrationSearchBuildsNotFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsNotFilter
OrchestrationSearchBuildsOrderByfrom foundry_sdk.v2.orchestration.models import SearchBuildsOrderBy
OrchestrationSearchBuildsOrderByFieldfrom foundry_sdk.v2.orchestration.models import SearchBuildsOrderByField
OrchestrationSearchBuildsOrderByItemfrom foundry_sdk.v2.orchestration.models import SearchBuildsOrderByItem
OrchestrationSearchBuildsOrFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsOrFilter
OrchestrationSearchBuildsResponsefrom foundry_sdk.v2.orchestration.models import SearchBuildsResponse
OrchestrationTimeTriggerfrom foundry_sdk.v2.orchestration.models import TimeTrigger
OrchestrationTransactionalMediaSetJobOutputfrom foundry_sdk.v2.orchestration.models import TransactionalMediaSetJobOutput
OrchestrationTriggerfrom foundry_sdk.v2.orchestration.models import Trigger
OrchestrationUpstreamTargetfrom foundry_sdk.v2.orchestration.models import UpstreamTarget
OrchestrationUserScopefrom foundry_sdk.v2.orchestration.models import UserScope
SqlQueriesCanceledQueryStatusfrom foundry_sdk.v2.sql_queries.models import CanceledQueryStatus
SqlQueriesFailedQueryStatusfrom foundry_sdk.v2.sql_queries.models import FailedQueryStatus
SqlQueriesQueryStatusfrom foundry_sdk.v2.sql_queries.models import QueryStatus
SqlQueriesRunningQueryStatusfrom foundry_sdk.v2.sql_queries.models import RunningQueryStatus
SqlQueriesSqlQueryIdfrom foundry_sdk.v2.sql_queries.models import SqlQueryId
SqlQueriesSucceededQueryStatusfrom foundry_sdk.v2.sql_queries.models import SucceededQueryStatus
StreamsCompressedfrom foundry_sdk.v2.streams.models import Compressed
StreamsCreateStreamRequestStreamSchemafrom foundry_sdk.v2.streams.models import CreateStreamRequestStreamSchema
StreamsDatasetfrom foundry_sdk.v2.streams.models import Dataset
StreamsPartitionsCountfrom foundry_sdk.v2.streams.models import PartitionsCount
StreamsRecordfrom foundry_sdk.v2.streams.models import Record
StreamsStreamfrom foundry_sdk.v2.streams.models import Stream
StreamsStreamTypefrom foundry_sdk.v2.streams.models import StreamType
StreamsViewRidfrom foundry_sdk.v2.streams.models import ViewRid
ThirdPartyApplicationsListVersionsResponsefrom foundry_sdk.v2.third_party_applications.models import ListVersionsResponse
ThirdPartyApplicationsSubdomainfrom foundry_sdk.v2.third_party_applications.models import Subdomain
ThirdPartyApplicationsThirdPartyApplicationfrom foundry_sdk.v2.third_party_applications.models import ThirdPartyApplication
ThirdPartyApplicationsThirdPartyApplicationRidfrom foundry_sdk.v2.third_party_applications.models import ThirdPartyApplicationRid
ThirdPartyApplicationsVersionfrom foundry_sdk.v2.third_party_applications.models import Version
ThirdPartyApplicationsVersionVersionfrom foundry_sdk.v2.third_party_applications.models import VersionVersion
ThirdPartyApplicationsWebsitefrom foundry_sdk.v2.third_party_applications.models import Website

Documentation for V1 models

NamespaceNameImport
CoreAnyTypefrom foundry_sdk.v1.core.models import AnyType
CoreAttachmentTypefrom foundry_sdk.v1.core.models import AttachmentType
CoreBinaryTypefrom foundry_sdk.v1.core.models import BinaryType
CoreBooleanTypefrom foundry_sdk.v1.core.models import BooleanType
CoreByteTypefrom foundry_sdk.v1.core.models import ByteType
CoreCipherTextTypefrom foundry_sdk.v1.core.models import CipherTextType
CoreContentLengthfrom foundry_sdk.v1.core.models import ContentLength
CoreContentTypefrom foundry_sdk.v1.core.models import ContentType
CoreDateTypefrom foundry_sdk.v1.core.models import DateType
CoreDecimalTypefrom foundry_sdk.v1.core.models import DecimalType
CoreDisplayNamefrom foundry_sdk.v1.core.models import DisplayName
CoreDistanceUnitfrom foundry_sdk.v1.core.models import DistanceUnit
CoreDoubleTypefrom foundry_sdk.v1.core.models import DoubleType
CoreFilenamefrom foundry_sdk.v1.core.models import Filename
CoreFilePathfrom foundry_sdk.v1.core.models import FilePath
CoreFloatTypefrom foundry_sdk.v1.core.models import FloatType
CoreFolderRidfrom foundry_sdk.v1.core.models import FolderRid
CoreIntegerTypefrom foundry_sdk.v1.core.models import IntegerType
CoreLongTypefrom foundry_sdk.v1.core.models import LongType
CoreMarkingTypefrom foundry_sdk.v1.core.models import MarkingType
CoreMediaTypefrom foundry_sdk.v1.core.models import MediaType
CoreNullTypefrom foundry_sdk.v1.core.models import NullType
CoreOperationScopefrom foundry_sdk.v1.core.models import OperationScope
CorePageSizefrom foundry_sdk.v1.core.models import PageSize
CorePageTokenfrom foundry_sdk.v1.core.models import PageToken
CorePreviewModefrom foundry_sdk.v1.core.models import PreviewMode
CoreReleaseStatusfrom foundry_sdk.v1.core.models import ReleaseStatus
CoreShortTypefrom foundry_sdk.v1.core.models import ShortType
CoreSizeBytesfrom foundry_sdk.v1.core.models import SizeBytes
CoreStringTypefrom foundry_sdk.v1.core.models import StringType
CoreStructFieldNamefrom foundry_sdk.v1.core.models import StructFieldName
CoreTimestampTypefrom foundry_sdk.v1.core.models import TimestampType
CoreTotalCountfrom foundry_sdk.v1.core.models import TotalCount
CoreUnsupportedTypefrom foundry_sdk.v1.core.models import UnsupportedType
DatasetsBranchfrom foundry_sdk.v1.datasets.models import Branch
DatasetsBranchIdfrom foundry_sdk.v1.datasets.models import BranchId
DatasetsDatasetfrom foundry_sdk.v1.datasets.models import Dataset
DatasetsDatasetNamefrom foundry_sdk.v1.datasets.models import DatasetName
DatasetsDatasetRidfrom foundry_sdk.v1.datasets.models import DatasetRid
DatasetsFilefrom foundry_sdk.v1.datasets.models import File
DatasetsListBranchesResponsefrom foundry_sdk.v1.datasets.models import ListBranchesResponse
DatasetsListFilesResponsefrom foundry_sdk.v1.datasets.models import ListFilesResponse
DatasetsTableExportFormatfrom foundry_sdk.v1.datasets.models import TableExportFormat
DatasetsTransactionfrom foundry_sdk.v1.datasets.models import Transaction
DatasetsTransactionRidfrom foundry_sdk.v1.datasets.models import TransactionRid
DatasetsTransactionStatusfrom foundry_sdk.v1.datasets.models import TransactionStatus
DatasetsTransactionTypefrom foundry_sdk.v1.datasets.models import TransactionType
OntologiesActionRidfrom foundry_sdk.v1.ontologies.models import ActionRid
OntologiesActionTypefrom foundry_sdk.v1.ontologies.models import ActionType
OntologiesActionTypeApiNamefrom foundry_sdk.v1.ontologies.models import ActionTypeApiName
OntologiesActionTypeRidfrom foundry_sdk.v1.ontologies.models import ActionTypeRid
OntologiesAggregateObjectsResponsefrom foundry_sdk.v1.ontologies.models import AggregateObjectsResponse
OntologiesAggregateObjectsResponseItemfrom foundry_sdk.v1.ontologies.models import AggregateObjectsResponseItem
OntologiesAggregationfrom foundry_sdk.v1.ontologies.models import Aggregation
OntologiesAggregationDurationGroupingfrom foundry_sdk.v1.ontologies.models import AggregationDurationGrouping
OntologiesAggregationExactGroupingfrom foundry_sdk.v1.ontologies.models import AggregationExactGrouping
OntologiesAggregationFixedWidthGroupingfrom foundry_sdk.v1.ontologies.models import AggregationFixedWidthGrouping
OntologiesAggregationGroupByfrom foundry_sdk.v1.ontologies.models import AggregationGroupBy
OntologiesAggregationGroupKeyfrom foundry_sdk.v1.ontologies.models import AggregationGroupKey
OntologiesAggregationGroupValuefrom foundry_sdk.v1.ontologies.models import AggregationGroupValue
OntologiesAggregationMetricNamefrom foundry_sdk.v1.ontologies.models import AggregationMetricName
OntologiesAggregationMetricResultfrom foundry_sdk.v1.ontologies.models import AggregationMetricResult
OntologiesAggregationRangefrom foundry_sdk.v1.ontologies.models import AggregationRange
OntologiesAggregationRangesGroupingfrom foundry_sdk.v1.ontologies.models import AggregationRangesGrouping
OntologiesAllTermsQueryfrom foundry_sdk.v1.ontologies.models import AllTermsQuery
OntologiesAndQueryfrom foundry_sdk.v1.ontologies.models import AndQuery
OntologiesAnyTermQueryfrom foundry_sdk.v1.ontologies.models import AnyTermQuery
OntologiesApplyActionModefrom foundry_sdk.v1.ontologies.models import ApplyActionMode
OntologiesApplyActionRequestfrom foundry_sdk.v1.ontologies.models import ApplyActionRequest
OntologiesApplyActionRequestOptionsfrom foundry_sdk.v1.ontologies.models import ApplyActionRequestOptions
OntologiesApplyActionResponsefrom foundry_sdk.v1.ontologies.models import ApplyActionResponse
OntologiesApproximateDistinctAggregationfrom foundry_sdk.v1.ontologies.models import ApproximateDistinctAggregation
OntologiesArrayEntryEvaluatedConstraintfrom foundry_sdk.v1.ontologies.models import ArrayEntryEvaluatedConstraint
OntologiesArrayEvaluatedConstraintfrom foundry_sdk.v1.ontologies.models import ArrayEvaluatedConstraint
OntologiesArraySizeConstraintfrom foundry_sdk.v1.ontologies.models import ArraySizeConstraint
OntologiesArtifactRepositoryRidfrom foundry_sdk.v1.ontologies.models import ArtifactRepositoryRid
OntologiesAttachmentfrom foundry_sdk.v1.ontologies.models import Attachment
OntologiesAttachmentRidfrom foundry_sdk.v1.ontologies.models import AttachmentRid
OntologiesAvgAggregationfrom foundry_sdk.v1.ontologies.models import AvgAggregation
OntologiesBatchApplyActionResponsefrom foundry_sdk.v1.ontologies.models import BatchApplyActionResponse
OntologiesContainsQueryfrom foundry_sdk.v1.ontologies.models import ContainsQuery
OntologiesCountAggregationfrom foundry_sdk.v1.ontologies.models import CountAggregation
OntologiesCreateInterfaceObjectRulefrom foundry_sdk.v1.ontologies.models import CreateInterfaceObjectRule
OntologiesCreateLinkRulefrom foundry_sdk.v1.ontologies.models import CreateLinkRule
OntologiesCreateObjectRulefrom foundry_sdk.v1.ontologies.models import CreateObjectRule
OntologiesDataValuefrom foundry_sdk.v1.ontologies.models import DataValue
OntologiesDeleteInterfaceObjectRulefrom foundry_sdk.v1.ontologies.models import DeleteInterfaceObjectRule
OntologiesDeleteLinkRulefrom foundry_sdk.v1.ontologies.models import DeleteLinkRule
OntologiesDeleteObjectRulefrom foundry_sdk.v1.ontologies.models import DeleteObjectRule
OntologiesDerivedPropertyApiNamefrom foundry_sdk.v1.ontologies.models import DerivedPropertyApiName
OntologiesDurationfrom foundry_sdk.v1.ontologies.models import Duration
OntologiesEntrySetTypefrom foundry_sdk.v1.ontologies.models import EntrySetType
OntologiesEqualsQueryfrom foundry_sdk.v1.ontologies.models import EqualsQuery
OntologiesExecuteQueryResponsefrom foundry_sdk.v1.ontologies.models import ExecuteQueryResponse
OntologiesFieldNameV1from foundry_sdk.v1.ontologies.models import FieldNameV1
OntologiesFilterValuefrom foundry_sdk.v1.ontologies.models import FilterValue
OntologiesFunctionRidfrom foundry_sdk.v1.ontologies.models import FunctionRid
OntologiesFunctionVersionfrom foundry_sdk.v1.ontologies.models import FunctionVersion
OntologiesFuzzyfrom foundry_sdk.v1.ontologies.models import Fuzzy
OntologiesGroupMemberConstraintfrom foundry_sdk.v1.ontologies.models import GroupMemberConstraint
OntologiesGteQueryfrom foundry_sdk.v1.ontologies.models import GteQuery
OntologiesGtQueryfrom foundry_sdk.v1.ontologies.models import GtQuery
OntologiesInterfaceLinkTypeApiNamefrom foundry_sdk.v1.ontologies.models import InterfaceLinkTypeApiName
OntologiesInterfaceLinkTypeRidfrom foundry_sdk.v1.ontologies.models import InterfaceLinkTypeRid
OntologiesInterfaceTypeApiNamefrom foundry_sdk.v1.ontologies.models import InterfaceTypeApiName
OntologiesInterfaceTypeRidfrom foundry_sdk.v1.ontologies.models import InterfaceTypeRid
OntologiesIsNullQueryfrom foundry_sdk.v1.ontologies.models import IsNullQuery
OntologiesLinkTypeApiNamefrom foundry_sdk.v1.ontologies.models import LinkTypeApiName
OntologiesLinkTypeIdfrom foundry_sdk.v1.ontologies.models import LinkTypeId
OntologiesLinkTypeSidefrom foundry_sdk.v1.ontologies.models import LinkTypeSide
OntologiesLinkTypeSideCardinalityfrom foundry_sdk.v1.ontologies.models import LinkTypeSideCardinality
OntologiesListActionTypesResponsefrom foundry_sdk.v1.ontologies.models import ListActionTypesResponse
OntologiesListLinkedObjectsResponsefrom foundry_sdk.v1.ontologies.models import ListLinkedObjectsResponse
OntologiesListObjectsResponsefrom foundry_sdk.v1.ontologies.models import ListObjectsResponse
OntologiesListObjectTypesResponsefrom foundry_sdk.v1.ontologies.models import ListObjectTypesResponse
OntologiesListOntologiesResponsefrom foundry_sdk.v1.ontologies.models import ListOntologiesResponse
OntologiesListOutgoingLinkTypesResponsefrom foundry_sdk.v1.ontologies.models import ListOutgoingLinkTypesResponse
OntologiesListQueryTypesResponsefrom foundry_sdk.v1.ontologies.models import ListQueryTypesResponse
OntologiesLogicRulefrom foundry_sdk.v1.ontologies.models import LogicRule
OntologiesLteQueryfrom foundry_sdk.v1.ontologies.models import LteQuery
OntologiesLtQueryfrom foundry_sdk.v1.ontologies.models import LtQuery
OntologiesMaxAggregationfrom foundry_sdk.v1.ontologies.models import MaxAggregation
OntologiesMinAggregationfrom foundry_sdk.v1.ontologies.models import MinAggregation
OntologiesModifyInterfaceObjectRulefrom foundry_sdk.v1.ontologies.models import ModifyInterfaceObjectRule
OntologiesModifyObjectRulefrom foundry_sdk.v1.ontologies.models import ModifyObjectRule
OntologiesNotQueryfrom foundry_sdk.v1.ontologies.models import NotQuery
OntologiesObjectPropertyValueConstraintfrom foundry_sdk.v1.ontologies.models import ObjectPropertyValueConstraint
OntologiesObjectQueryResultConstraintfrom foundry_sdk.v1.ontologies.models import ObjectQueryResultConstraint
OntologiesObjectRidfrom foundry_sdk.v1.ontologies.models import ObjectRid
OntologiesObjectSetRidfrom foundry_sdk.v1.ontologies.models import ObjectSetRid
OntologiesObjectTypefrom foundry_sdk.v1.ontologies.models import ObjectType
OntologiesObjectTypeApiNamefrom foundry_sdk.v1.ontologies.models import ObjectTypeApiName
OntologiesObjectTypeRidfrom foundry_sdk.v1.ontologies.models import ObjectTypeRid
OntologiesObjectTypeVisibilityfrom foundry_sdk.v1.ontologies.models import ObjectTypeVisibility
OntologiesOneOfConstraintfrom foundry_sdk.v1.ontologies.models import OneOfConstraint
OntologiesOntologyfrom foundry_sdk.v1.ontologies.models import Ontology
OntologiesOntologyApiNamefrom foundry_sdk.v1.ontologies.models import OntologyApiName
OntologiesOntologyArrayTypefrom foundry_sdk.v1.ontologies.models import OntologyArrayType
OntologiesOntologyDataTypefrom foundry_sdk.v1.ontologies.models import OntologyDataType
OntologiesOntologyInterfaceObjectTypefrom foundry_sdk.v1.ontologies.models import OntologyInterfaceObjectType
OntologiesOntologyMapTypefrom foundry_sdk.v1.ontologies.models import OntologyMapType
OntologiesOntologyObjectfrom foundry_sdk.v1.ontologies.models import OntologyObject
OntologiesOntologyObjectSetTypefrom foundry_sdk.v1.ontologies.models import OntologyObjectSetType
OntologiesOntologyObjectTypefrom foundry_sdk.v1.ontologies.models import OntologyObjectType
OntologiesOntologyRidfrom foundry_sdk.v1.ontologies.models import OntologyRid
OntologiesOntologySetTypefrom foundry_sdk.v1.ontologies.models import OntologySetType
OntologiesOntologyStructFieldfrom foundry_sdk.v1.ontologies.models import OntologyStructField
OntologiesOntologyStructTypefrom foundry_sdk.v1.ontologies.models import OntologyStructType
OntologiesOrderByfrom foundry_sdk.v1.ontologies.models import OrderBy
OntologiesOrQueryfrom foundry_sdk.v1.ontologies.models import OrQuery
OntologiesParameterfrom foundry_sdk.v1.ontologies.models import Parameter
OntologiesParameterEvaluatedConstraintfrom foundry_sdk.v1.ontologies.models import ParameterEvaluatedConstraint
OntologiesParameterEvaluationResultfrom foundry_sdk.v1.ontologies.models import ParameterEvaluationResult
OntologiesParameterIdfrom foundry_sdk.v1.ontologies.models import ParameterId
OntologiesParameterOptionfrom foundry_sdk.v1.ontologies.models import ParameterOption
OntologiesPhraseQueryfrom foundry_sdk.v1.ontologies.models import PhraseQuery
OntologiesPrefixQueryfrom foundry_sdk.v1.ontologies.models import PrefixQuery
OntologiesPrimaryKeyValuefrom foundry_sdk.v1.ontologies.models import PrimaryKeyValue
OntologiesPropertyfrom foundry_sdk.v1.ontologies.models import Property
OntologiesPropertyApiNamefrom foundry_sdk.v1.ontologies.models import PropertyApiName
OntologiesPropertyFilterfrom foundry_sdk.v1.ontologies.models import PropertyFilter
OntologiesPropertyIdfrom foundry_sdk.v1.ontologies.models import PropertyId
OntologiesPropertyTypeRidfrom foundry_sdk.v1.ontologies.models import PropertyTypeRid
OntologiesPropertyValuefrom foundry_sdk.v1.ontologies.models import PropertyValue
OntologiesPropertyValueEscapedStringfrom foundry_sdk.v1.ontologies.models import PropertyValueEscapedString
OntologiesQueryAggregationKeyTypefrom foundry_sdk.v1.ontologies.models import QueryAggregationKeyType
OntologiesQueryAggregationRangeSubTypefrom foundry_sdk.v1.ontologies.models import QueryAggregationRangeSubType
OntologiesQueryAggregationRangeTypefrom foundry_sdk.v1.ontologies.models import QueryAggregationRangeType
OntologiesQueryAggregationValueTypefrom foundry_sdk.v1.ontologies.models import QueryAggregationValueType
OntologiesQueryApiNamefrom foundry_sdk.v1.ontologies.models import QueryApiName
OntologiesQueryArrayTypefrom foundry_sdk.v1.ontologies.models import QueryArrayType
OntologiesQueryDataTypefrom foundry_sdk.v1.ontologies.models import QueryDataType
OntologiesQueryRuntimeErrorParameterfrom foundry_sdk.v1.ontologies.models import QueryRuntimeErrorParameter
OntologiesQuerySetTypefrom foundry_sdk.v1.ontologies.models import QuerySetType
OntologiesQueryStructFieldfrom foundry_sdk.v1.ontologies.models import QueryStructField
OntologiesQueryStructTypefrom foundry_sdk.v1.ontologies.models import QueryStructType
OntologiesQueryTypefrom foundry_sdk.v1.ontologies.models import QueryType
OntologiesQueryUnionTypefrom foundry_sdk.v1.ontologies.models import QueryUnionType
OntologiesRangeConstraintfrom foundry_sdk.v1.ontologies.models import RangeConstraint
OntologiesReturnEditsModefrom foundry_sdk.v1.ontologies.models import ReturnEditsMode
OntologiesSdkPackageNamefrom foundry_sdk.v1.ontologies.models import SdkPackageName
OntologiesSdkPackageRidfrom foundry_sdk.v1.ontologies.models import SdkPackageRid
OntologiesSdkVersionfrom foundry_sdk.v1.ontologies.models import SdkVersion
OntologiesSearchJsonQueryfrom foundry_sdk.v1.ontologies.models import SearchJsonQuery
OntologiesSearchObjectsResponsefrom foundry_sdk.v1.ontologies.models import SearchObjectsResponse
OntologiesSearchOrderByfrom foundry_sdk.v1.ontologies.models import SearchOrderBy
OntologiesSearchOrderByTypefrom foundry_sdk.v1.ontologies.models import SearchOrderByType
OntologiesSearchOrderingfrom foundry_sdk.v1.ontologies.models import SearchOrdering
OntologiesSelectedPropertyApiNamefrom foundry_sdk.v1.ontologies.models import SelectedPropertyApiName
OntologiesSharedPropertyTypeApiNamefrom foundry_sdk.v1.ontologies.models import SharedPropertyTypeApiName
OntologiesSharedPropertyTypeRidfrom foundry_sdk.v1.ontologies.models import SharedPropertyTypeRid
OntologiesStringLengthConstraintfrom foundry_sdk.v1.ontologies.models import StringLengthConstraint
OntologiesStringRegexMatchConstraintfrom foundry_sdk.v1.ontologies.models import StringRegexMatchConstraint
OntologiesStructEvaluatedConstraintfrom foundry_sdk.v1.ontologies.models import StructEvaluatedConstraint
OntologiesStructFieldEvaluatedConstraintfrom foundry_sdk.v1.ontologies.models import StructFieldEvaluatedConstraint
OntologiesStructFieldEvaluationResultfrom foundry_sdk.v1.ontologies.models import StructFieldEvaluationResult
OntologiesStructParameterFieldApiNamefrom foundry_sdk.v1.ontologies.models import StructParameterFieldApiName
OntologiesSubmissionCriteriaEvaluationfrom foundry_sdk.v1.ontologies.models import SubmissionCriteriaEvaluation
OntologiesSumAggregationfrom foundry_sdk.v1.ontologies.models import SumAggregation
OntologiesThreeDimensionalAggregationfrom foundry_sdk.v1.ontologies.models import ThreeDimensionalAggregation
OntologiesTwoDimensionalAggregationfrom foundry_sdk.v1.ontologies.models import TwoDimensionalAggregation
OntologiesUnevaluableConstraintfrom foundry_sdk.v1.ontologies.models import UnevaluableConstraint
OntologiesValidateActionResponsefrom foundry_sdk.v1.ontologies.models import ValidateActionResponse
OntologiesValidationResultfrom foundry_sdk.v1.ontologies.models import ValidationResult
OntologiesValueTypefrom foundry_sdk.v1.ontologies.models import ValueType

Documentation for errors

Documentation for V2 errors

NamespaceNameImport
AdminAddGroupMembersPermissionDeniedfrom foundry_sdk.v2.admin.errors import AddGroupMembersPermissionDenied
AdminAddMarkingMembersPermissionDeniedfrom foundry_sdk.v2.admin.errors import AddMarkingMembersPermissionDenied
AdminAddMarkingRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import AddMarkingRoleAssignmentsPermissionDenied
AdminAddOrganizationRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import AddOrganizationRoleAssignmentsPermissionDenied
AdminAuthenticationProviderNotFoundfrom foundry_sdk.v2.admin.errors import AuthenticationProviderNotFound
AdminCannotReplaceProviderInfoForPrincipalInProtectedRealmfrom foundry_sdk.v2.admin.errors import CannotReplaceProviderInfoForPrincipalInProtectedRealm
AdminCreateGroupPermissionDeniedfrom foundry_sdk.v2.admin.errors import CreateGroupPermissionDenied
AdminCreateMarkingMissingInitialAdminRolefrom foundry_sdk.v2.admin.errors import CreateMarkingMissingInitialAdminRole
AdminCreateMarkingPermissionDeniedfrom foundry_sdk.v2.admin.errors import CreateMarkingPermissionDenied
AdminDeleteGroupPermissionDeniedfrom foundry_sdk.v2.admin.errors import DeleteGroupPermissionDenied
AdminDeleteUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import DeleteUserPermissionDenied
AdminEnrollmentNotFoundfrom foundry_sdk.v2.admin.errors import EnrollmentNotFound
AdminGetCurrentEnrollmentPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetCurrentEnrollmentPermissionDenied
AdminGetCurrentUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetCurrentUserPermissionDenied
AdminGetGroupProviderInfoPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetGroupProviderInfoPermissionDenied
AdminGetMarkingCategoryPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetMarkingCategoryPermissionDenied
AdminGetMarkingPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetMarkingPermissionDenied
AdminGetMarkingsUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetMarkingsUserPermissionDenied
AdminGetProfilePictureOfUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetProfilePictureOfUserPermissionDenied
AdminGetUserProviderInfoPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetUserProviderInfoPermissionDenied
AdminGroupMembershipExpirationPolicyNotFoundfrom foundry_sdk.v2.admin.errors import GroupMembershipExpirationPolicyNotFound
AdminGroupNameAlreadyExistsfrom foundry_sdk.v2.admin.errors import GroupNameAlreadyExists
AdminGroupNotFoundfrom foundry_sdk.v2.admin.errors import GroupNotFound
AdminGroupProviderInfoNotFoundfrom foundry_sdk.v2.admin.errors import GroupProviderInfoNotFound
AdminInvalidGroupMembershipExpirationfrom foundry_sdk.v2.admin.errors import InvalidGroupMembershipExpiration
AdminInvalidGroupOrganizationsfrom foundry_sdk.v2.admin.errors import InvalidGroupOrganizations
AdminInvalidHostNamefrom foundry_sdk.v2.admin.errors import InvalidHostName
AdminInvalidProfilePicturefrom foundry_sdk.v2.admin.errors import InvalidProfilePicture
AdminListAvailableRolesOrganizationPermissionDeniedfrom foundry_sdk.v2.admin.errors import ListAvailableRolesOrganizationPermissionDenied
AdminListHostsPermissionDeniedfrom foundry_sdk.v2.admin.errors import ListHostsPermissionDenied
AdminListMarkingMembersPermissionDeniedfrom foundry_sdk.v2.admin.errors import ListMarkingMembersPermissionDenied
AdminListMarkingRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import ListMarkingRoleAssignmentsPermissionDenied
AdminListOrganizationRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import ListOrganizationRoleAssignmentsPermissionDenied
AdminMarkingCategoryNotFoundfrom foundry_sdk.v2.admin.errors import MarkingCategoryNotFound
AdminMarkingNameInCategoryAlreadyExistsfrom foundry_sdk.v2.admin.errors import MarkingNameInCategoryAlreadyExists
AdminMarkingNameIsEmptyfrom foundry_sdk.v2.admin.errors import MarkingNameIsEmpty
AdminMarkingNotFoundfrom foundry_sdk.v2.admin.errors import MarkingNotFound
AdminOrganizationNotFoundfrom foundry_sdk.v2.admin.errors import OrganizationNotFound
AdminPreregisterGroupPermissionDeniedfrom foundry_sdk.v2.admin.errors import PreregisterGroupPermissionDenied
AdminPreregisterUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import PreregisterUserPermissionDenied
AdminPrincipalNotFoundfrom foundry_sdk.v2.admin.errors import PrincipalNotFound
AdminProfilePictureNotFoundfrom foundry_sdk.v2.admin.errors import ProfilePictureNotFound
AdminRemoveGroupMembersPermissionDeniedfrom foundry_sdk.v2.admin.errors import RemoveGroupMembersPermissionDenied
AdminRemoveMarkingMembersPermissionDeniedfrom foundry_sdk.v2.admin.errors import RemoveMarkingMembersPermissionDenied
AdminRemoveMarkingRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import RemoveMarkingRoleAssignmentsPermissionDenied
AdminRemoveMarkingRoleAssignmentsRemoveAllAdministratorsNotAllowedfrom foundry_sdk.v2.admin.errors import RemoveMarkingRoleAssignmentsRemoveAllAdministratorsNotAllowed
AdminRemoveOrganizationRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import RemoveOrganizationRoleAssignmentsPermissionDenied
AdminReplaceGroupMembershipExpirationPolicyPermissionDeniedfrom foundry_sdk.v2.admin.errors import ReplaceGroupMembershipExpirationPolicyPermissionDenied
AdminReplaceGroupProviderInfoPermissionDeniedfrom foundry_sdk.v2.admin.errors import ReplaceGroupProviderInfoPermissionDenied
AdminReplaceMarkingPermissionDeniedfrom foundry_sdk.v2.admin.errors import ReplaceMarkingPermissionDenied
AdminReplaceOrganizationPermissionDeniedfrom foundry_sdk.v2.admin.errors import ReplaceOrganizationPermissionDenied
AdminReplaceUserProviderInfoPermissionDeniedfrom foundry_sdk.v2.admin.errors import ReplaceUserProviderInfoPermissionDenied
AdminRevokeAllTokensUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import RevokeAllTokensUserPermissionDenied
AdminRoleNotFoundfrom foundry_sdk.v2.admin.errors import RoleNotFound
AdminSearchGroupsPermissionDeniedfrom foundry_sdk.v2.admin.errors import SearchGroupsPermissionDenied
AdminSearchUsersPermissionDeniedfrom foundry_sdk.v2.admin.errors import SearchUsersPermissionDenied
AdminUserNotFoundfrom foundry_sdk.v2.admin.errors import UserNotFound
AdminUserProviderInfoNotFoundfrom foundry_sdk.v2.admin.errors import UserProviderInfoNotFound
AipAgentsAgentIterationsExceededLimitfrom foundry_sdk.v2.aip_agents.errors import AgentIterationsExceededLimit
AipAgentsAgentNotFoundfrom foundry_sdk.v2.aip_agents.errors import AgentNotFound
AipAgentsAgentVersionNotFoundfrom foundry_sdk.v2.aip_agents.errors import AgentVersionNotFound
AipAgentsBlockingContinueSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import BlockingContinueSessionPermissionDenied
AipAgentsCancelSessionFailedMessageNotInProgressfrom foundry_sdk.v2.aip_agents.errors import CancelSessionFailedMessageNotInProgress
AipAgentsCancelSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import CancelSessionPermissionDenied
AipAgentsContentNotFoundfrom foundry_sdk.v2.aip_agents.errors import ContentNotFound
AipAgentsContextSizeExceededLimitfrom foundry_sdk.v2.aip_agents.errors import ContextSizeExceededLimit
AipAgentsCreateSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import CreateSessionPermissionDenied
AipAgentsFunctionLocatorNotFoundfrom foundry_sdk.v2.aip_agents.errors import FunctionLocatorNotFound
AipAgentsGetAllSessionsAgentsPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import GetAllSessionsAgentsPermissionDenied
AipAgentsGetRagContextForSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import GetRagContextForSessionPermissionDenied
AipAgentsInvalidAgentVersionfrom foundry_sdk.v2.aip_agents.errors import InvalidAgentVersion
AipAgentsInvalidParameterfrom foundry_sdk.v2.aip_agents.errors import InvalidParameter
AipAgentsInvalidParameterTypefrom foundry_sdk.v2.aip_agents.errors import InvalidParameterType
AipAgentsListSessionsForAgentsPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import ListSessionsForAgentsPermissionDenied
AipAgentsNoPublishedAgentVersionfrom foundry_sdk.v2.aip_agents.errors import NoPublishedAgentVersion
AipAgentsObjectTypeIdsNotFoundfrom foundry_sdk.v2.aip_agents.errors import ObjectTypeIdsNotFound
AipAgentsObjectTypeRidsNotFoundfrom foundry_sdk.v2.aip_agents.errors import ObjectTypeRidsNotFound
AipAgentsOntologyEntitiesNotFoundfrom foundry_sdk.v2.aip_agents.errors import OntologyEntitiesNotFound
AipAgentsRateLimitExceededfrom foundry_sdk.v2.aip_agents.errors import RateLimitExceeded
AipAgentsSessionExecutionFailedfrom foundry_sdk.v2.aip_agents.errors import SessionExecutionFailed
AipAgentsSessionNotFoundfrom foundry_sdk.v2.aip_agents.errors import SessionNotFound
AipAgentsSessionTraceIdAlreadyExistsfrom foundry_sdk.v2.aip_agents.errors import SessionTraceIdAlreadyExists
AipAgentsSessionTraceNotFoundfrom foundry_sdk.v2.aip_agents.errors import SessionTraceNotFound
AipAgentsStreamingContinueSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import StreamingContinueSessionPermissionDenied
AipAgentsUpdateSessionTitlePermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import UpdateSessionTitlePermissionDenied
ConnectivityAdditionalSecretsMustBeSpecifiedAsPlaintextValueMapfrom foundry_sdk.v2.connectivity.errors import AdditionalSecretsMustBeSpecifiedAsPlaintextValueMap
ConnectivityConnectionDetailsNotDeterminedfrom foundry_sdk.v2.connectivity.errors import ConnectionDetailsNotDetermined
ConnectivityConnectionNotFoundfrom foundry_sdk.v2.connectivity.errors import ConnectionNotFound
ConnectivityConnectionTypeNotSupportedfrom foundry_sdk.v2.connectivity.errors import ConnectionTypeNotSupported
ConnectivityCreateConnectionPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import CreateConnectionPermissionDenied
ConnectivityCreateFileImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import CreateFileImportPermissionDenied
ConnectivityCreateTableImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import CreateTableImportPermissionDenied
ConnectivityDeleteFileImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import DeleteFileImportPermissionDenied
ConnectivityDeleteTableImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import DeleteTableImportPermissionDenied
ConnectivityDomainMustUseHttpsWithAuthenticationfrom foundry_sdk.v2.connectivity.errors import DomainMustUseHttpsWithAuthentication
ConnectivityEncryptedPropertyMustBeSpecifiedAsPlaintextValuefrom foundry_sdk.v2.connectivity.errors import EncryptedPropertyMustBeSpecifiedAsPlaintextValue
ConnectivityExecuteFileImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import ExecuteFileImportPermissionDenied
ConnectivityExecuteTableImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import ExecuteTableImportPermissionDenied
ConnectivityFileAtLeastCountFilterInvalidMinCountfrom foundry_sdk.v2.connectivity.errors import FileAtLeastCountFilterInvalidMinCount
ConnectivityFileImportCustomFilterCannotBeUsedToCreateOrUpdateFileImportsfrom foundry_sdk.v2.connectivity.errors import FileImportCustomFilterCannotBeUsedToCreateOrUpdateFileImports
ConnectivityFileImportNotFoundfrom foundry_sdk.v2.connectivity.errors import FileImportNotFound
ConnectivityFileImportNotSupportedForConnectionfrom foundry_sdk.v2.connectivity.errors import FileImportNotSupportedForConnection
ConnectivityFilesCountLimitFilterInvalidLimitfrom foundry_sdk.v2.connectivity.errors import FilesCountLimitFilterInvalidLimit
ConnectivityFileSizeFilterGreaterThanCannotBeNegativefrom foundry_sdk.v2.connectivity.errors import FileSizeFilterGreaterThanCannotBeNegative
ConnectivityFileSizeFilterInvalidGreaterThanAndLessThanRangefrom foundry_sdk.v2.connectivity.errors import FileSizeFilterInvalidGreaterThanAndLessThanRange
ConnectivityFileSizeFilterLessThanMustBeOneByteOrLargerfrom foundry_sdk.v2.connectivity.errors import FileSizeFilterLessThanMustBeOneByteOrLarger
ConnectivityFileSizeFilterMissingGreaterThanAndLessThanfrom foundry_sdk.v2.connectivity.errors import FileSizeFilterMissingGreaterThanAndLessThan
ConnectivityGetConfigurationPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import GetConfigurationPermissionDenied
ConnectivityHostNameCannotHaveProtocolOrPortfrom foundry_sdk.v2.connectivity.errors import HostNameCannotHaveProtocolOrPort
ConnectivityParentFolderNotFoundForConnectionfrom foundry_sdk.v2.connectivity.errors import ParentFolderNotFoundForConnection
ConnectivityPropertyCannotBeBlankfrom foundry_sdk.v2.connectivity.errors import PropertyCannotBeBlank
ConnectivityPropertyCannotBeEmptyfrom foundry_sdk.v2.connectivity.errors import PropertyCannotBeEmpty
ConnectivityReplaceFileImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import ReplaceFileImportPermissionDenied
ConnectivityReplaceTableImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import ReplaceTableImportPermissionDenied
ConnectivitySecretNamesDoNotExistfrom foundry_sdk.v2.connectivity.errors import SecretNamesDoNotExist
ConnectivityTableImportNotFoundfrom foundry_sdk.v2.connectivity.errors import TableImportNotFound
ConnectivityTableImportNotSupportedForConnectionfrom foundry_sdk.v2.connectivity.errors import TableImportNotSupportedForConnection
ConnectivityTableImportTypeNotSupportedfrom foundry_sdk.v2.connectivity.errors import TableImportTypeNotSupported
ConnectivityUpdateExportSettingsForConnectionPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import UpdateExportSettingsForConnectionPermissionDenied
ConnectivityUpdateSecretsForConnectionPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import UpdateSecretsForConnectionPermissionDenied
CoreApiFeaturePreviewUsageOnlyfrom foundry_sdk.v2.core.errors import ApiFeaturePreviewUsageOnly
CoreApiUsageDeniedfrom foundry_sdk.v2.core.errors import ApiUsageDenied
CoreBatchRequestSizeExceededLimitfrom foundry_sdk.v2.core.errors import BatchRequestSizeExceededLimit
CoreFolderNotFoundfrom foundry_sdk.v2.core.errors import FolderNotFound
CoreInvalidAndFilterfrom foundry_sdk.v2.core.errors import InvalidAndFilter
CoreInvalidChangeDataCaptureConfigurationfrom foundry_sdk.v2.core.errors import InvalidChangeDataCaptureConfiguration
CoreInvalidFieldSchemafrom foundry_sdk.v2.core.errors import InvalidFieldSchema
CoreInvalidFilterValuefrom foundry_sdk.v2.core.errors import InvalidFilterValue
CoreInvalidOrFilterfrom foundry_sdk.v2.core.errors import InvalidOrFilter
CoreInvalidPageSizefrom foundry_sdk.v2.core.errors import InvalidPageSize
CoreInvalidPageTokenfrom foundry_sdk.v2.core.errors import InvalidPageToken
CoreInvalidParameterCombinationfrom foundry_sdk.v2.core.errors import InvalidParameterCombination
CoreInvalidSchemafrom foundry_sdk.v2.core.errors import InvalidSchema
CoreInvalidTimeZonefrom foundry_sdk.v2.core.errors import InvalidTimeZone
CoreMissingBatchRequestfrom foundry_sdk.v2.core.errors import MissingBatchRequest
CoreMissingPostBodyfrom foundry_sdk.v2.core.errors import MissingPostBody
CoreResourceNameAlreadyExistsfrom foundry_sdk.v2.core.errors import ResourceNameAlreadyExists
CoreSchemaIsNotStreamSchemafrom foundry_sdk.v2.core.errors import SchemaIsNotStreamSchema
CoreUnknownDistanceUnitfrom foundry_sdk.v2.core.errors import UnknownDistanceUnit
DatasetsAbortTransactionPermissionDeniedfrom foundry_sdk.v2.datasets.errors import AbortTransactionPermissionDenied
DatasetsAddBackingDatasetsPermissionDeniedfrom foundry_sdk.v2.datasets.errors import AddBackingDatasetsPermissionDenied
DatasetsAddPrimaryKeyPermissionDeniedfrom foundry_sdk.v2.datasets.errors import AddPrimaryKeyPermissionDenied
DatasetsBranchAlreadyExistsfrom foundry_sdk.v2.datasets.errors import BranchAlreadyExists
DatasetsBranchNotFoundfrom foundry_sdk.v2.datasets.errors import BranchNotFound
DatasetsBuildTransactionPermissionDeniedfrom foundry_sdk.v2.datasets.errors import BuildTransactionPermissionDenied
DatasetsColumnTypesNotSupportedfrom foundry_sdk.v2.datasets.errors import ColumnTypesNotSupported
DatasetsCommitTransactionPermissionDeniedfrom foundry_sdk.v2.datasets.errors import CommitTransactionPermissionDenied
DatasetsCreateBranchPermissionDeniedfrom foundry_sdk.v2.datasets.errors import CreateBranchPermissionDenied
DatasetsCreateDatasetPermissionDeniedfrom foundry_sdk.v2.datasets.errors import CreateDatasetPermissionDenied
DatasetsCreateTransactionPermissionDeniedfrom foundry_sdk.v2.datasets.errors import CreateTransactionPermissionDenied
DatasetsCreateViewPermissionDeniedfrom foundry_sdk.v2.datasets.errors import CreateViewPermissionDenied
DatasetsDatasetNotFoundfrom foundry_sdk.v2.datasets.errors import DatasetNotFound
DatasetsDatasetReadNotSupportedfrom foundry_sdk.v2.datasets.errors import DatasetReadNotSupported
DatasetsDeleteBranchPermissionDeniedfrom foundry_sdk.v2.datasets.errors import DeleteBranchPermissionDenied
DatasetsDeleteFilePermissionDeniedfrom foundry_sdk.v2.datasets.errors import DeleteFilePermissionDenied
DatasetsDeleteSchemaPermissionDeniedfrom foundry_sdk.v2.datasets.errors import DeleteSchemaPermissionDenied
DatasetsFileAlreadyExistsfrom foundry_sdk.v2.datasets.errors import FileAlreadyExists
DatasetsFileNotFoundfrom foundry_sdk.v2.datasets.errors import FileNotFound
DatasetsFileNotFoundOnBranchfrom foundry_sdk.v2.datasets.errors import FileNotFoundOnBranch
DatasetsFileNotFoundOnTransactionRangefrom foundry_sdk.v2.datasets.errors import FileNotFoundOnTransactionRange
DatasetsGetDatasetSchedulesPermissionDeniedfrom foundry_sdk.v2.datasets.errors import GetDatasetSchedulesPermissionDenied
DatasetsGetFileContentPermissionDeniedfrom foundry_sdk.v2.datasets.errors import GetFileContentPermissionDenied
DatasetsInvalidBranchNamefrom foundry_sdk.v2.datasets.errors import InvalidBranchName
DatasetsInvalidTransactionTypefrom foundry_sdk.v2.datasets.errors import InvalidTransactionType
DatasetsInvalidViewBackingDatasetfrom foundry_sdk.v2.datasets.errors import InvalidViewBackingDataset
DatasetsJobTransactionPermissionDeniedfrom foundry_sdk.v2.datasets.errors import JobTransactionPermissionDenied
DatasetsOpenTransactionAlreadyExistsfrom foundry_sdk.v2.datasets.errors import OpenTransactionAlreadyExists
DatasetsPutSchemaPermissionDeniedfrom foundry_sdk.v2.datasets.errors import PutSchemaPermissionDenied
DatasetsReadTableDatasetPermissionDeniedfrom foundry_sdk.v2.datasets.errors import ReadTableDatasetPermissionDenied
DatasetsReadTableErrorfrom foundry_sdk.v2.datasets.errors import ReadTableError
DatasetsReadTableRowLimitExceededfrom foundry_sdk.v2.datasets.errors import ReadTableRowLimitExceeded
DatasetsReadTableTimeoutfrom foundry_sdk.v2.datasets.errors import ReadTableTimeout
DatasetsRemoveBackingDatasetsPermissionDeniedfrom foundry_sdk.v2.datasets.errors import RemoveBackingDatasetsPermissionDenied
DatasetsReplaceBackingDatasetsPermissionDeniedfrom foundry_sdk.v2.datasets.errors import ReplaceBackingDatasetsPermissionDenied
DatasetsSchemaNotFoundfrom foundry_sdk.v2.datasets.errors import SchemaNotFound
DatasetsTransactionNotCommittedfrom foundry_sdk.v2.datasets.errors import TransactionNotCommitted
DatasetsTransactionNotFoundfrom foundry_sdk.v2.datasets.errors import TransactionNotFound
DatasetsTransactionNotOpenfrom foundry_sdk.v2.datasets.errors import TransactionNotOpen
DatasetsUploadFilePermissionDeniedfrom foundry_sdk.v2.datasets.errors import UploadFilePermissionDenied
DatasetsViewDatasetCleanupFailedfrom foundry_sdk.v2.datasets.errors import ViewDatasetCleanupFailed
DatasetsViewNotFoundfrom foundry_sdk.v2.datasets.errors import ViewNotFound
DatasetsViewPrimaryKeyCannotBeModifiedfrom foundry_sdk.v2.datasets.errors import ViewPrimaryKeyCannotBeModified
DatasetsViewPrimaryKeyMustContainAtLeastOneColumnfrom foundry_sdk.v2.datasets.errors import ViewPrimaryKeyMustContainAtLeastOneColumn
DatasetsViewPrimaryKeyRequiresBackingDatasetsfrom foundry_sdk.v2.datasets.errors import ViewPrimaryKeyRequiresBackingDatasets
FilesystemAddGroupToParentGroupPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import AddGroupToParentGroupPermissionDenied
FilesystemAddMarkingsPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import AddMarkingsPermissionDenied
FilesystemAddOrganizationsPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import AddOrganizationsPermissionDenied
FilesystemAddResourceRolesPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import AddResourceRolesPermissionDenied
FilesystemCreateFolderOutsideProjectNotSupportedfrom foundry_sdk.v2.filesystem.errors import CreateFolderOutsideProjectNotSupported
FilesystemCreateFolderPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import CreateFolderPermissionDenied
FilesystemCreateGroupPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import CreateGroupPermissionDenied
FilesystemCreateProjectFromTemplatePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import CreateProjectFromTemplatePermissionDenied
FilesystemCreateProjectNoOwnerLikeRoleGrantfrom foundry_sdk.v2.filesystem.errors import CreateProjectNoOwnerLikeRoleGrant
FilesystemCreateProjectPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import CreateProjectPermissionDenied
FilesystemDefaultRolesNotInSpaceRoleSetfrom foundry_sdk.v2.filesystem.errors import DefaultRolesNotInSpaceRoleSet
FilesystemDeleteResourcePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import DeleteResourcePermissionDenied
FilesystemFolderNotFoundfrom foundry_sdk.v2.filesystem.errors import FolderNotFound
FilesystemForbiddenOperationOnAutosavedResourcefrom foundry_sdk.v2.filesystem.errors import ForbiddenOperationOnAutosavedResource
FilesystemForbiddenOperationOnHiddenResourcefrom foundry_sdk.v2.filesystem.errors import ForbiddenOperationOnHiddenResource
FilesystemGetAccessRequirementsPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import GetAccessRequirementsPermissionDenied
FilesystemGetByPathPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import GetByPathPermissionDenied
FilesystemGetRootFolderNotSupportedfrom foundry_sdk.v2.filesystem.errors import GetRootFolderNotSupported
FilesystemGetSpaceResourceNotSupportedfrom foundry_sdk.v2.filesystem.errors import GetSpaceResourceNotSupported
FilesystemInvalidDefaultRolesfrom foundry_sdk.v2.filesystem.errors import InvalidDefaultRoles
FilesystemInvalidDescriptionfrom foundry_sdk.v2.filesystem.errors import InvalidDescription
FilesystemInvalidDisplayNamefrom foundry_sdk.v2.filesystem.errors import InvalidDisplayName
FilesystemInvalidFolderfrom foundry_sdk.v2.filesystem.errors import InvalidFolder
FilesystemInvalidOrganizationHierarchyfrom foundry_sdk.v2.filesystem.errors import InvalidOrganizationHierarchy
FilesystemInvalidOrganizationsfrom foundry_sdk.v2.filesystem.errors import InvalidOrganizations
FilesystemInvalidPathfrom foundry_sdk.v2.filesystem.errors import InvalidPath
FilesystemInvalidPrincipalIdsForGroupTemplatefrom foundry_sdk.v2.filesystem.errors import InvalidPrincipalIdsForGroupTemplate
FilesystemInvalidRoleIdsfrom foundry_sdk.v2.filesystem.errors import InvalidRoleIds
FilesystemInvalidVariablefrom foundry_sdk.v2.filesystem.errors import InvalidVariable
FilesystemInvalidVariableEnumOptionfrom foundry_sdk.v2.filesystem.errors import InvalidVariableEnumOption
FilesystemMarkingNotFoundfrom foundry_sdk.v2.filesystem.errors import MarkingNotFound
FilesystemMissingDisplayNamefrom foundry_sdk.v2.filesystem.errors import MissingDisplayName
FilesystemMissingVariableValuefrom foundry_sdk.v2.filesystem.errors import MissingVariableValue
FilesystemNotAuthorizedToApplyOrganizationfrom foundry_sdk.v2.filesystem.errors import NotAuthorizedToApplyOrganization
FilesystemOrganizationCannotBeRemovedfrom foundry_sdk.v2.filesystem.errors import OrganizationCannotBeRemoved
FilesystemOrganizationMarkingNotOnSpacefrom foundry_sdk.v2.filesystem.errors import OrganizationMarkingNotOnSpace
FilesystemOrganizationMarkingNotSupportedfrom foundry_sdk.v2.filesystem.errors import OrganizationMarkingNotSupported
FilesystemOrganizationsNotFoundfrom foundry_sdk.v2.filesystem.errors import OrganizationsNotFound
FilesystemPathNotFoundfrom foundry_sdk.v2.filesystem.errors import PathNotFound
FilesystemPermanentlyDeleteResourcePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import PermanentlyDeleteResourcePermissionDenied
FilesystemProjectCreationNotSupportedfrom foundry_sdk.v2.filesystem.errors import ProjectCreationNotSupported
FilesystemProjectNameAlreadyExistsfrom foundry_sdk.v2.filesystem.errors import ProjectNameAlreadyExists
FilesystemProjectNotFoundfrom foundry_sdk.v2.filesystem.errors import ProjectNotFound
FilesystemProjectTemplateNotFoundfrom foundry_sdk.v2.filesystem.errors import ProjectTemplateNotFound
FilesystemRemoveMarkingsPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import RemoveMarkingsPermissionDenied
FilesystemRemoveOrganizationsPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import RemoveOrganizationsPermissionDenied
FilesystemRemoveResourceRolesPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import RemoveResourceRolesPermissionDenied
FilesystemReplaceProjectPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import ReplaceProjectPermissionDenied
FilesystemResourceNameAlreadyExistsfrom foundry_sdk.v2.filesystem.errors import ResourceNameAlreadyExists
FilesystemResourceNotDirectlyTrashedfrom foundry_sdk.v2.filesystem.errors import ResourceNotDirectlyTrashed
FilesystemResourceNotFoundfrom foundry_sdk.v2.filesystem.errors import ResourceNotFound
FilesystemResourceNotTrashedfrom foundry_sdk.v2.filesystem.errors import ResourceNotTrashed
FilesystemRestoreResourcePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import RestoreResourcePermissionDenied
FilesystemSpaceNotFoundfrom foundry_sdk.v2.filesystem.errors import SpaceNotFound
FilesystemTemplateGroupNameConflictfrom foundry_sdk.v2.filesystem.errors import TemplateGroupNameConflict
FilesystemTemplateMarkingNameConflictfrom foundry_sdk.v2.filesystem.errors import TemplateMarkingNameConflict
FilesystemTrashingAutosavedResourcesNotSupportedfrom foundry_sdk.v2.filesystem.errors import TrashingAutosavedResourcesNotSupported
FilesystemTrashingHiddenResourcesNotSupportedfrom foundry_sdk.v2.filesystem.errors import TrashingHiddenResourcesNotSupported
FilesystemTrashingSpaceNotSupportedfrom foundry_sdk.v2.filesystem.errors import TrashingSpaceNotSupported
FunctionsExecuteQueryPermissionDeniedfrom foundry_sdk.v2.functions.errors import ExecuteQueryPermissionDenied
FunctionsGetByRidQueriesPermissionDeniedfrom foundry_sdk.v2.functions.errors import GetByRidQueriesPermissionDenied
FunctionsInvalidQueryOutputValuefrom foundry_sdk.v2.functions.errors import InvalidQueryOutputValue
FunctionsInvalidQueryParameterValuefrom foundry_sdk.v2.functions.errors import InvalidQueryParameterValue
FunctionsMissingParameterfrom foundry_sdk.v2.functions.errors import MissingParameter
FunctionsQueryEncounteredUserFacingErrorfrom foundry_sdk.v2.functions.errors import QueryEncounteredUserFacingError
FunctionsQueryMemoryExceededLimitfrom foundry_sdk.v2.functions.errors import QueryMemoryExceededLimit
FunctionsQueryNotFoundfrom foundry_sdk.v2.functions.errors import QueryNotFound
FunctionsQueryRuntimeErrorfrom foundry_sdk.v2.functions.errors import QueryRuntimeError
FunctionsQueryTimeExceededLimitfrom foundry_sdk.v2.functions.errors import QueryTimeExceededLimit
FunctionsQueryVersionNotFoundfrom foundry_sdk.v2.functions.errors import QueryVersionNotFound
FunctionsUnknownParameterfrom foundry_sdk.v2.functions.errors import UnknownParameter
FunctionsValueTypeNotFoundfrom foundry_sdk.v2.functions.errors import ValueTypeNotFound
FunctionsVersionIdNotFoundfrom foundry_sdk.v2.functions.errors import VersionIdNotFound
MediaSetsConflictingMediaSetIdentifiersfrom foundry_sdk.v2.media_sets.errors import ConflictingMediaSetIdentifiers
MediaSetsGetMediaItemRidByPathPermissionDeniedfrom foundry_sdk.v2.media_sets.errors import GetMediaItemRidByPathPermissionDenied
MediaSetsMediaItemNotFoundfrom foundry_sdk.v2.media_sets.errors import MediaItemNotFound
MediaSetsMediaSetNotFoundfrom foundry_sdk.v2.media_sets.errors import MediaSetNotFound
MediaSetsMissingMediaItemPathfrom foundry_sdk.v2.media_sets.errors import MissingMediaItemPath
OntologiesActionContainsDuplicateEditsfrom foundry_sdk.v2.ontologies.errors import ActionContainsDuplicateEdits
OntologiesActionEditedPropertiesNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionEditedPropertiesNotFound
OntologiesActionEditsReadOnlyEntityfrom foundry_sdk.v2.ontologies.errors import ActionEditsReadOnlyEntity
OntologiesActionNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionNotFound
OntologiesActionParameterInterfaceTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionParameterInterfaceTypeNotFound
OntologiesActionParameterObjectNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionParameterObjectNotFound
OntologiesActionParameterObjectTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionParameterObjectTypeNotFound
OntologiesActionTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionTypeNotFound
OntologiesActionValidationFailedfrom foundry_sdk.v2.ontologies.errors import ActionValidationFailed
OntologiesAggregationAccuracyNotSupportedfrom foundry_sdk.v2.ontologies.errors import AggregationAccuracyNotSupported
OntologiesAggregationGroupCountExceededLimitfrom foundry_sdk.v2.ontologies.errors import AggregationGroupCountExceededLimit
OntologiesAggregationMemoryExceededLimitfrom foundry_sdk.v2.ontologies.errors import AggregationMemoryExceededLimit
OntologiesAggregationNestedObjectSetSizeExceededLimitfrom foundry_sdk.v2.ontologies.errors import AggregationNestedObjectSetSizeExceededLimit
OntologiesApplyActionFailedfrom foundry_sdk.v2.ontologies.errors import ApplyActionFailed
OntologiesAttachmentNotFoundfrom foundry_sdk.v2.ontologies.errors import AttachmentNotFound
OntologiesAttachmentSizeExceededLimitfrom foundry_sdk.v2.ontologies.errors import AttachmentSizeExceededLimit
OntologiesCipherChannelNotFoundfrom foundry_sdk.v2.ontologies.errors import CipherChannelNotFound
OntologiesCompositePrimaryKeyNotSupportedfrom foundry_sdk.v2.ontologies.errors import CompositePrimaryKeyNotSupported
OntologiesDerivedPropertyApiNamesNotUniquefrom foundry_sdk.v2.ontologies.errors import DerivedPropertyApiNamesNotUnique
OntologiesDuplicateOrderByfrom foundry_sdk.v2.ontologies.errors import DuplicateOrderBy
OntologiesEditObjectPermissionDeniedfrom foundry_sdk.v2.ontologies.errors import EditObjectPermissionDenied
OntologiesFunctionEncounteredUserFacingErrorfrom foundry_sdk.v2.ontologies.errors import FunctionEncounteredUserFacingError
OntologiesFunctionExecutionFailedfrom foundry_sdk.v2.ontologies.errors import FunctionExecutionFailed
OntologiesFunctionExecutionTimedOutfrom foundry_sdk.v2.ontologies.errors import FunctionExecutionTimedOut
OntologiesFunctionInvalidInputfrom foundry_sdk.v2.ontologies.errors import FunctionInvalidInput
OntologiesHighScaleComputationNotEnabledfrom foundry_sdk.v2.ontologies.errors import HighScaleComputationNotEnabled
OntologiesInterfaceLinkTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import InterfaceLinkTypeNotFound
OntologiesInterfaceTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import InterfaceTypeNotFound
OntologiesInterfaceTypesNotFoundfrom foundry_sdk.v2.ontologies.errors import InterfaceTypesNotFound
OntologiesInvalidAggregationOrderingfrom foundry_sdk.v2.ontologies.errors import InvalidAggregationOrdering
OntologiesInvalidAggregationRangefrom foundry_sdk.v2.ontologies.errors import InvalidAggregationRange
OntologiesInvalidAggregationRangePropertyTypefrom foundry_sdk.v2.ontologies.errors import InvalidAggregationRangePropertyType
OntologiesInvalidAggregationRangeValuefrom foundry_sdk.v2.ontologies.errors import InvalidAggregationRangeValue
OntologiesInvalidApplyActionOptionCombinationfrom foundry_sdk.v2.ontologies.errors import InvalidApplyActionOptionCombination
OntologiesInvalidContentLengthfrom foundry_sdk.v2.ontologies.errors import InvalidContentLength
OntologiesInvalidContentTypefrom foundry_sdk.v2.ontologies.errors import InvalidContentType
OntologiesInvalidDerivedPropertyDefinitionfrom foundry_sdk.v2.ontologies.errors import InvalidDerivedPropertyDefinition
OntologiesInvalidDurationGroupByPropertyTypefrom foundry_sdk.v2.ontologies.errors import InvalidDurationGroupByPropertyType
OntologiesInvalidDurationGroupByValuefrom foundry_sdk.v2.ontologies.errors import InvalidDurationGroupByValue
OntologiesInvalidFieldsfrom foundry_sdk.v2.ontologies.errors import InvalidFields
OntologiesInvalidGroupIdfrom foundry_sdk.v2.ontologies.errors import InvalidGroupId
OntologiesInvalidOrderTypefrom foundry_sdk.v2.ontologies.errors import InvalidOrderType
OntologiesInvalidParameterValuefrom foundry_sdk.v2.ontologies.errors import InvalidParameterValue
OntologiesInvalidPropertyFiltersCombinationfrom foundry_sdk.v2.ontologies.errors import InvalidPropertyFiltersCombination
OntologiesInvalidPropertyFilterValuefrom foundry_sdk.v2.ontologies.errors import InvalidPropertyFilterValue
OntologiesInvalidPropertyTypefrom foundry_sdk.v2.ontologies.errors import InvalidPropertyType
OntologiesInvalidPropertyValuefrom foundry_sdk.v2.ontologies.errors import InvalidPropertyValue
OntologiesInvalidQueryOutputValuefrom foundry_sdk.v2.ontologies.errors import InvalidQueryOutputValue
OntologiesInvalidQueryParameterValuefrom foundry_sdk.v2.ontologies.errors import InvalidQueryParameterValue
OntologiesInvalidRangeQueryfrom foundry_sdk.v2.ontologies.errors import InvalidRangeQuery
OntologiesInvalidSortOrderfrom foundry_sdk.v2.ontologies.errors import InvalidSortOrder
OntologiesInvalidSortTypefrom foundry_sdk.v2.ontologies.errors import InvalidSortType
OntologiesInvalidUserIdfrom foundry_sdk.v2.ontologies.errors import InvalidUserId
OntologiesInvalidVectorDimensionfrom foundry_sdk.v2.ontologies.errors import InvalidVectorDimension
OntologiesLinkAlreadyExistsfrom foundry_sdk.v2.ontologies.errors import LinkAlreadyExists
OntologiesLinkedObjectNotFoundfrom foundry_sdk.v2.ontologies.errors import LinkedObjectNotFound
OntologiesLinkTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import LinkTypeNotFound
OntologiesMalformedPropertyFiltersfrom foundry_sdk.v2.ontologies.errors import MalformedPropertyFilters
OntologiesMarketplaceActionMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceActionMappingNotFound
OntologiesMarketplaceInstallationNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceInstallationNotFound
OntologiesMarketplaceLinkMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceLinkMappingNotFound
OntologiesMarketplaceObjectMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceObjectMappingNotFound
OntologiesMarketplaceQueryMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceQueryMappingNotFound
OntologiesMarketplaceSdkActionMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkActionMappingNotFound
OntologiesMarketplaceSdkInstallationNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkInstallationNotFound
OntologiesMarketplaceSdkLinkMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkLinkMappingNotFound
OntologiesMarketplaceSdkObjectMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkObjectMappingNotFound
OntologiesMarketplaceSdkPropertyMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkPropertyMappingNotFound
OntologiesMarketplaceSdkQueryMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkQueryMappingNotFound
OntologiesMissingParameterfrom foundry_sdk.v2.ontologies.errors import MissingParameter
OntologiesMultipleGroupByOnFieldNotSupportedfrom foundry_sdk.v2.ontologies.errors import MultipleGroupByOnFieldNotSupported
OntologiesMultiplePropertyValuesNotSupportedfrom foundry_sdk.v2.ontologies.errors import MultiplePropertyValuesNotSupported
OntologiesNotCipherFormattedfrom foundry_sdk.v2.ontologies.errors import NotCipherFormatted
OntologiesObjectAlreadyExistsfrom foundry_sdk.v2.ontologies.errors import ObjectAlreadyExists
OntologiesObjectChangedfrom foundry_sdk.v2.ontologies.errors import ObjectChanged
OntologiesObjectNotFoundfrom foundry_sdk.v2.ontologies.errors import ObjectNotFound
OntologiesObjectSetNotFoundfrom foundry_sdk.v2.ontologies.errors import ObjectSetNotFound
OntologiesObjectsExceededLimitfrom foundry_sdk.v2.ontologies.errors import ObjectsExceededLimit
OntologiesObjectTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import ObjectTypeNotFound
OntologiesObjectTypeNotSyncedfrom foundry_sdk.v2.ontologies.errors import ObjectTypeNotSynced
OntologiesObjectTypesNotSyncedfrom foundry_sdk.v2.ontologies.errors import ObjectTypesNotSynced
OntologiesOntologyApiNameNotUniquefrom foundry_sdk.v2.ontologies.errors import OntologyApiNameNotUnique
OntologiesOntologyEditsExceededLimitfrom foundry_sdk.v2.ontologies.errors import OntologyEditsExceededLimit
OntologiesOntologyNotFoundfrom foundry_sdk.v2.ontologies.errors import OntologyNotFound
OntologiesOntologySyncingfrom foundry_sdk.v2.ontologies.errors import OntologySyncing
OntologiesOntologySyncingObjectTypesfrom foundry_sdk.v2.ontologies.errors import OntologySyncingObjectTypes
OntologiesParameterObjectNotFoundfrom foundry_sdk.v2.ontologies.errors import ParameterObjectNotFound
OntologiesParameterObjectSetRidNotFoundfrom foundry_sdk.v2.ontologies.errors import ParameterObjectSetRidNotFound
OntologiesParametersNotFoundfrom foundry_sdk.v2.ontologies.errors import ParametersNotFound
OntologiesParameterTypeNotSupportedfrom foundry_sdk.v2.ontologies.errors import ParameterTypeNotSupported
OntologiesParentAttachmentPermissionDeniedfrom foundry_sdk.v2.ontologies.errors import ParentAttachmentPermissionDenied
OntologiesPropertiesHaveDifferentIdsfrom foundry_sdk.v2.ontologies.errors import PropertiesHaveDifferentIds
OntologiesPropertiesNotFilterablefrom foundry_sdk.v2.ontologies.errors import PropertiesNotFilterable
OntologiesPropertiesNotFoundfrom foundry_sdk.v2.ontologies.errors import PropertiesNotFound
OntologiesPropertiesNotSearchablefrom foundry_sdk.v2.ontologies.errors import PropertiesNotSearchable
OntologiesPropertiesNotSortablefrom foundry_sdk.v2.ontologies.errors import PropertiesNotSortable
OntologiesPropertyApiNameNotFoundfrom foundry_sdk.v2.ontologies.errors import PropertyApiNameNotFound
OntologiesPropertyBaseTypeNotSupportedfrom foundry_sdk.v2.ontologies.errors import PropertyBaseTypeNotSupported
OntologiesPropertyFiltersNotSupportedfrom foundry_sdk.v2.ontologies.errors import PropertyFiltersNotSupported
OntologiesPropertyNotFoundfrom foundry_sdk.v2.ontologies.errors import PropertyNotFound
OntologiesPropertyTypeDoesNotSupportNearestNeighborsfrom foundry_sdk.v2.ontologies.errors import PropertyTypeDoesNotSupportNearestNeighbors
OntologiesPropertyTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import PropertyTypeNotFound
OntologiesPropertyTypeRidNotFoundfrom foundry_sdk.v2.ontologies.errors import PropertyTypeRidNotFound
OntologiesPropertyTypesSearchNotSupportedfrom foundry_sdk.v2.ontologies.errors import PropertyTypesSearchNotSupported
OntologiesQueryEncounteredUserFacingErrorfrom foundry_sdk.v2.ontologies.errors import QueryEncounteredUserFacingError
OntologiesQueryMemoryExceededLimitfrom foundry_sdk.v2.ontologies.errors import QueryMemoryExceededLimit
OntologiesQueryNotFoundfrom foundry_sdk.v2.ontologies.errors import QueryNotFound
OntologiesQueryRuntimeErrorfrom foundry_sdk.v2.ontologies.errors import QueryRuntimeError
OntologiesQueryTimeExceededLimitfrom foundry_sdk.v2.ontologies.errors import QueryTimeExceededLimit
OntologiesQueryVersionNotFoundfrom foundry_sdk.v2.ontologies.errors import QueryVersionNotFound
OntologiesRateLimitReachedfrom foundry_sdk.v2.ontologies.errors import RateLimitReached
OntologiesSharedPropertiesNotFoundfrom foundry_sdk.v2.ontologies.errors import SharedPropertiesNotFound
OntologiesSharedPropertyTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import SharedPropertyTypeNotFound
OntologiesTooManyNearestNeighborsRequestedfrom foundry_sdk.v2.ontologies.errors import TooManyNearestNeighborsRequested
OntologiesUnauthorizedCipherOperationfrom foundry_sdk.v2.ontologies.errors import UnauthorizedCipherOperation
OntologiesUndecryptableValuefrom foundry_sdk.v2.ontologies.errors import UndecryptableValue
OntologiesUnknownParameterfrom foundry_sdk.v2.ontologies.errors import UnknownParameter
OntologiesUnsupportedObjectSetfrom foundry_sdk.v2.ontologies.errors import UnsupportedObjectSet
OntologiesViewObjectPermissionDeniedfrom foundry_sdk.v2.ontologies.errors import ViewObjectPermissionDenied
OrchestrationBuildInputsNotFoundfrom foundry_sdk.v2.orchestration.errors import BuildInputsNotFound
OrchestrationBuildInputsPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import BuildInputsPermissionDenied
OrchestrationBuildNotFoundfrom foundry_sdk.v2.orchestration.errors import BuildNotFound
OrchestrationBuildTargetsMissingJobSpecsfrom foundry_sdk.v2.orchestration.errors import BuildTargetsMissingJobSpecs
OrchestrationBuildTargetsNotFoundfrom foundry_sdk.v2.orchestration.errors import BuildTargetsNotFound
OrchestrationBuildTargetsPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import BuildTargetsPermissionDenied
OrchestrationBuildTargetsResolutionErrorfrom foundry_sdk.v2.orchestration.errors import BuildTargetsResolutionError
OrchestrationBuildTargetsUpToDatefrom foundry_sdk.v2.orchestration.errors import BuildTargetsUpToDate
OrchestrationCancelBuildPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import CancelBuildPermissionDenied
OrchestrationCreateBuildPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import CreateBuildPermissionDenied
OrchestrationCreateSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import CreateSchedulePermissionDenied
OrchestrationDeleteSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import DeleteSchedulePermissionDenied
OrchestrationInvalidAndTriggerfrom foundry_sdk.v2.orchestration.errors import InvalidAndTrigger
OrchestrationInvalidMediaSetTriggerfrom foundry_sdk.v2.orchestration.errors import InvalidMediaSetTrigger
OrchestrationInvalidOrTriggerfrom foundry_sdk.v2.orchestration.errors import InvalidOrTrigger
OrchestrationInvalidScheduleDescriptionfrom foundry_sdk.v2.orchestration.errors import InvalidScheduleDescription
OrchestrationInvalidScheduleNamefrom foundry_sdk.v2.orchestration.errors import InvalidScheduleName
OrchestrationInvalidTimeTriggerfrom foundry_sdk.v2.orchestration.errors import InvalidTimeTrigger
OrchestrationJobNotFoundfrom foundry_sdk.v2.orchestration.errors import JobNotFound
OrchestrationMissingBuildTargetsfrom foundry_sdk.v2.orchestration.errors import MissingBuildTargets
OrchestrationMissingConnectingBuildInputsfrom foundry_sdk.v2.orchestration.errors import MissingConnectingBuildInputs
OrchestrationMissingTriggerfrom foundry_sdk.v2.orchestration.errors import MissingTrigger
OrchestrationPauseSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import PauseSchedulePermissionDenied
OrchestrationReplaceSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import ReplaceSchedulePermissionDenied
OrchestrationRunSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import RunSchedulePermissionDenied
OrchestrationScheduleAlreadyRunningfrom foundry_sdk.v2.orchestration.errors import ScheduleAlreadyRunning
OrchestrationScheduleNotFoundfrom foundry_sdk.v2.orchestration.errors import ScheduleNotFound
OrchestrationScheduleTriggerResourcesNotFoundfrom foundry_sdk.v2.orchestration.errors import ScheduleTriggerResourcesNotFound
OrchestrationScheduleTriggerResourcesPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import ScheduleTriggerResourcesPermissionDenied
OrchestrationScheduleVersionNotFoundfrom foundry_sdk.v2.orchestration.errors import ScheduleVersionNotFound
OrchestrationSearchBuildsPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import SearchBuildsPermissionDenied
OrchestrationTargetNotSupportedfrom foundry_sdk.v2.orchestration.errors import TargetNotSupported
OrchestrationUnpauseSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import UnpauseSchedulePermissionDenied
SqlQueriesCancelSqlQueryPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import CancelSqlQueryPermissionDenied
SqlQueriesExecuteSqlQueryPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import ExecuteSqlQueryPermissionDenied
SqlQueriesGetResultsSqlQueryPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import GetResultsSqlQueryPermissionDenied
SqlQueriesGetStatusSqlQueryPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import GetStatusSqlQueryPermissionDenied
SqlQueriesQueryCanceledfrom foundry_sdk.v2.sql_queries.errors import QueryCanceled
SqlQueriesQueryFailedfrom foundry_sdk.v2.sql_queries.errors import QueryFailed
SqlQueriesQueryParseErrorfrom foundry_sdk.v2.sql_queries.errors import QueryParseError
SqlQueriesQueryPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import QueryPermissionDenied
SqlQueriesQueryRunningfrom foundry_sdk.v2.sql_queries.errors import QueryRunning
SqlQueriesReadQueryInputsPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import ReadQueryInputsPermissionDenied
StreamsCannotCreateStreamingDatasetInUserFolderfrom foundry_sdk.v2.streams.errors import CannotCreateStreamingDatasetInUserFolder
StreamsCannotWriteToTrashedStreamfrom foundry_sdk.v2.streams.errors import CannotWriteToTrashedStream
StreamsCreateStreamingDatasetPermissionDeniedfrom foundry_sdk.v2.streams.errors import CreateStreamingDatasetPermissionDenied
StreamsCreateStreamPermissionDeniedfrom foundry_sdk.v2.streams.errors import CreateStreamPermissionDenied
StreamsFailedToProcessBinaryRecordfrom foundry_sdk.v2.streams.errors import FailedToProcessBinaryRecord
StreamsInvalidStreamNoSchemafrom foundry_sdk.v2.streams.errors import InvalidStreamNoSchema
StreamsInvalidStreamTypefrom foundry_sdk.v2.streams.errors import InvalidStreamType
StreamsPublishBinaryRecordToStreamPermissionDeniedfrom foundry_sdk.v2.streams.errors import PublishBinaryRecordToStreamPermissionDenied
StreamsPublishRecordsToStreamPermissionDeniedfrom foundry_sdk.v2.streams.errors import PublishRecordsToStreamPermissionDenied
StreamsPublishRecordToStreamPermissionDeniedfrom foundry_sdk.v2.streams.errors import PublishRecordToStreamPermissionDenied
StreamsRecordDoesNotMatchStreamSchemafrom foundry_sdk.v2.streams.errors import RecordDoesNotMatchStreamSchema
StreamsRecordTooLargefrom foundry_sdk.v2.streams.errors import RecordTooLarge
StreamsResetStreamPermissionDeniedfrom foundry_sdk.v2.streams.errors import ResetStreamPermissionDenied
StreamsStreamNotFoundfrom foundry_sdk.v2.streams.errors import StreamNotFound
StreamsViewNotFoundfrom foundry_sdk.v2.streams.errors import ViewNotFound
ThirdPartyApplicationsCannotDeleteDeployedVersionfrom foundry_sdk.v2.third_party_applications.errors import CannotDeleteDeployedVersion
ThirdPartyApplicationsDeleteVersionPermissionDeniedfrom foundry_sdk.v2.third_party_applications.errors import DeleteVersionPermissionDenied
ThirdPartyApplicationsDeployWebsitePermissionDeniedfrom foundry_sdk.v2.third_party_applications.errors import DeployWebsitePermissionDenied
ThirdPartyApplicationsFileCountLimitExceededfrom foundry_sdk.v2.third_party_applications.errors import FileCountLimitExceeded
ThirdPartyApplicationsFileSizeLimitExceededfrom foundry_sdk.v2.third_party_applications.errors import FileSizeLimitExceeded
ThirdPartyApplicationsInvalidVersionfrom foundry_sdk.v2.third_party_applications.errors import InvalidVersion
ThirdPartyApplicationsThirdPartyApplicationNotFoundfrom foundry_sdk.v2.third_party_applications.errors import ThirdPartyApplicationNotFound
ThirdPartyApplicationsUndeployWebsitePermissionDeniedfrom foundry_sdk.v2.third_party_applications.errors import UndeployWebsitePermissionDenied
ThirdPartyApplicationsUploadSnapshotVersionPermissionDeniedfrom foundry_sdk.v2.third_party_applications.errors import UploadSnapshotVersionPermissionDenied
ThirdPartyApplicationsUploadVersionPermissionDeniedfrom foundry_sdk.v2.third_party_applications.errors import UploadVersionPermissionDenied
ThirdPartyApplicationsVersionAlreadyExistsfrom foundry_sdk.v2.third_party_applications.errors import VersionAlreadyExists
ThirdPartyApplicationsVersionLimitExceededfrom foundry_sdk.v2.third_party_applications.errors import VersionLimitExceeded
ThirdPartyApplicationsVersionNotFoundfrom foundry_sdk.v2.third_party_applications.errors import VersionNotFound
ThirdPartyApplicationsWebsiteNotFoundfrom foundry_sdk.v2.third_party_applications.errors import WebsiteNotFound

Documentation for V1 errors

NamespaceNameImport
CoreApiFeaturePreviewUsageOnlyfrom foundry_sdk.v1.core.errors import ApiFeaturePreviewUsageOnly
CoreApiUsageDeniedfrom foundry_sdk.v1.core.errors import ApiUsageDenied
CoreFolderNotFoundfrom foundry_sdk.v1.core.errors import FolderNotFound
CoreInvalidPageSizefrom foundry_sdk.v1.core.errors import InvalidPageSize
CoreInvalidPageTokenfrom foundry_sdk.v1.core.errors import InvalidPageToken
CoreInvalidParameterCombinationfrom foundry_sdk.v1.core.errors import InvalidParameterCombination
CoreMissingPostBodyfrom foundry_sdk.v1.core.errors import MissingPostBody
CoreResourceNameAlreadyExistsfrom foundry_sdk.v1.core.errors import ResourceNameAlreadyExists
CoreUnknownDistanceUnitfrom foundry_sdk.v1.core.errors import UnknownDistanceUnit
DatasetsAbortTransactionPermissionDeniedfrom foundry_sdk.v1.datasets.errors import AbortTransactionPermissionDenied
DatasetsBranchAlreadyExistsfrom foundry_sdk.v1.datasets.errors import BranchAlreadyExists
DatasetsBranchNotFoundfrom foundry_sdk.v1.datasets.errors import BranchNotFound
DatasetsColumnTypesNotSupportedfrom foundry_sdk.v1.datasets.errors import ColumnTypesNotSupported
DatasetsCommitTransactionPermissionDeniedfrom foundry_sdk.v1.datasets.errors import CommitTransactionPermissionDenied
DatasetsCreateBranchPermissionDeniedfrom foundry_sdk.v1.datasets.errors import CreateBranchPermissionDenied
DatasetsCreateDatasetPermissionDeniedfrom foundry_sdk.v1.datasets.errors import CreateDatasetPermissionDenied
DatasetsCreateTransactionPermissionDeniedfrom foundry_sdk.v1.datasets.errors import CreateTransactionPermissionDenied
DatasetsDatasetNotFoundfrom foundry_sdk.v1.datasets.errors import DatasetNotFound
DatasetsDatasetReadNotSupportedfrom foundry_sdk.v1.datasets.errors import DatasetReadNotSupported
DatasetsDeleteBranchPermissionDeniedfrom foundry_sdk.v1.datasets.errors import DeleteBranchPermissionDenied
DatasetsDeleteSchemaPermissionDeniedfrom foundry_sdk.v1.datasets.errors import DeleteSchemaPermissionDenied
DatasetsFileAlreadyExistsfrom foundry_sdk.v1.datasets.errors import FileAlreadyExists
DatasetsFileNotFoundOnBranchfrom foundry_sdk.v1.datasets.errors import FileNotFoundOnBranch
DatasetsFileNotFoundOnTransactionRangefrom foundry_sdk.v1.datasets.errors import FileNotFoundOnTransactionRange
DatasetsInvalidBranchIdfrom foundry_sdk.v1.datasets.errors import InvalidBranchId
DatasetsInvalidTransactionTypefrom foundry_sdk.v1.datasets.errors import InvalidTransactionType
DatasetsOpenTransactionAlreadyExistsfrom foundry_sdk.v1.datasets.errors import OpenTransactionAlreadyExists
DatasetsPutSchemaPermissionDeniedfrom foundry_sdk.v1.datasets.errors import PutSchemaPermissionDenied
DatasetsReadTablePermissionDeniedfrom foundry_sdk.v1.datasets.errors import ReadTablePermissionDenied
DatasetsSchemaNotFoundfrom foundry_sdk.v1.datasets.errors import SchemaNotFound
DatasetsTransactionNotCommittedfrom foundry_sdk.v1.datasets.errors import TransactionNotCommitted
DatasetsTransactionNotFoundfrom foundry_sdk.v1.datasets.errors import TransactionNotFound
DatasetsTransactionNotOpenfrom foundry_sdk.v1.datasets.errors import TransactionNotOpen
DatasetsUploadFilePermissionDeniedfrom foundry_sdk.v1.datasets.errors import UploadFilePermissionDenied
OntologiesActionContainsDuplicateEditsfrom foundry_sdk.v1.ontologies.errors import ActionContainsDuplicateEdits
OntologiesActionEditedPropertiesNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionEditedPropertiesNotFound
OntologiesActionEditsReadOnlyEntityfrom foundry_sdk.v1.ontologies.errors import ActionEditsReadOnlyEntity
OntologiesActionNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionNotFound
OntologiesActionParameterInterfaceTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionParameterInterfaceTypeNotFound
OntologiesActionParameterObjectNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionParameterObjectNotFound
OntologiesActionParameterObjectTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionParameterObjectTypeNotFound
OntologiesActionTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionTypeNotFound
OntologiesActionValidationFailedfrom foundry_sdk.v1.ontologies.errors import ActionValidationFailed
OntologiesAggregationAccuracyNotSupportedfrom foundry_sdk.v1.ontologies.errors import AggregationAccuracyNotSupported
OntologiesAggregationGroupCountExceededLimitfrom foundry_sdk.v1.ontologies.errors import AggregationGroupCountExceededLimit
OntologiesAggregationMemoryExceededLimitfrom foundry_sdk.v1.ontologies.errors import AggregationMemoryExceededLimit
OntologiesAggregationNestedObjectSetSizeExceededLimitfrom foundry_sdk.v1.ontologies.errors import AggregationNestedObjectSetSizeExceededLimit
OntologiesApplyActionFailedfrom foundry_sdk.v1.ontologies.errors import ApplyActionFailed
OntologiesAttachmentNotFoundfrom foundry_sdk.v1.ontologies.errors import AttachmentNotFound
OntologiesAttachmentSizeExceededLimitfrom foundry_sdk.v1.ontologies.errors import AttachmentSizeExceededLimit
OntologiesCipherChannelNotFoundfrom foundry_sdk.v1.ontologies.errors import CipherChannelNotFound
OntologiesCompositePrimaryKeyNotSupportedfrom foundry_sdk.v1.ontologies.errors import CompositePrimaryKeyNotSupported
OntologiesDerivedPropertyApiNamesNotUniquefrom foundry_sdk.v1.ontologies.errors import DerivedPropertyApiNamesNotUnique
OntologiesDuplicateOrderByfrom foundry_sdk.v1.ontologies.errors import DuplicateOrderBy
OntologiesEditObjectPermissionDeniedfrom foundry_sdk.v1.ontologies.errors import EditObjectPermissionDenied
OntologiesFunctionEncounteredUserFacingErrorfrom foundry_sdk.v1.ontologies.errors import FunctionEncounteredUserFacingError
OntologiesFunctionExecutionFailedfrom foundry_sdk.v1.ontologies.errors import FunctionExecutionFailed
OntologiesFunctionExecutionTimedOutfrom foundry_sdk.v1.ontologies.errors import FunctionExecutionTimedOut
OntologiesFunctionInvalidInputfrom foundry_sdk.v1.ontologies.errors import FunctionInvalidInput
OntologiesHighScaleComputationNotEnabledfrom foundry_sdk.v1.ontologies.errors import HighScaleComputationNotEnabled
OntologiesInterfaceLinkTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import InterfaceLinkTypeNotFound
OntologiesInterfaceTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import InterfaceTypeNotFound
OntologiesInterfaceTypesNotFoundfrom foundry_sdk.v1.ontologies.errors import InterfaceTypesNotFound
OntologiesInvalidAggregationOrderingfrom foundry_sdk.v1.ontologies.errors import InvalidAggregationOrdering
OntologiesInvalidAggregationRangefrom foundry_sdk.v1.ontologies.errors import InvalidAggregationRange
OntologiesInvalidAggregationRangePropertyTypefrom foundry_sdk.v1.ontologies.errors import InvalidAggregationRangePropertyType
OntologiesInvalidAggregationRangeValuefrom foundry_sdk.v1.ontologies.errors import InvalidAggregationRangeValue
OntologiesInvalidApplyActionOptionCombinationfrom foundry_sdk.v1.ontologies.errors import InvalidApplyActionOptionCombination
OntologiesInvalidContentLengthfrom foundry_sdk.v1.ontologies.errors import InvalidContentLength
OntologiesInvalidContentTypefrom foundry_sdk.v1.ontologies.errors import InvalidContentType
OntologiesInvalidDerivedPropertyDefinitionfrom foundry_sdk.v1.ontologies.errors import InvalidDerivedPropertyDefinition
OntologiesInvalidDurationGroupByPropertyTypefrom foundry_sdk.v1.ontologies.errors import InvalidDurationGroupByPropertyType
OntologiesInvalidDurationGroupByValuefrom foundry_sdk.v1.ontologies.errors import InvalidDurationGroupByValue
OntologiesInvalidFieldsfrom foundry_sdk.v1.ontologies.errors import InvalidFields
OntologiesInvalidGroupIdfrom foundry_sdk.v1.ontologies.errors import InvalidGroupId
OntologiesInvalidOrderTypefrom foundry_sdk.v1.ontologies.errors import InvalidOrderType
OntologiesInvalidParameterValuefrom foundry_sdk.v1.ontologies.errors import InvalidParameterValue
OntologiesInvalidPropertyFiltersCombinationfrom foundry_sdk.v1.ontologies.errors import InvalidPropertyFiltersCombination
OntologiesInvalidPropertyFilterValuefrom foundry_sdk.v1.ontologies.errors import InvalidPropertyFilterValue
OntologiesInvalidPropertyTypefrom foundry_sdk.v1.ontologies.errors import InvalidPropertyType
OntologiesInvalidPropertyValuefrom foundry_sdk.v1.ontologies.errors import InvalidPropertyValue
OntologiesInvalidQueryOutputValuefrom foundry_sdk.v1.ontologies.errors import InvalidQueryOutputValue
OntologiesInvalidQueryParameterValuefrom foundry_sdk.v1.ontologies.errors import InvalidQueryParameterValue
OntologiesInvalidRangeQueryfrom foundry_sdk.v1.ontologies.errors import InvalidRangeQuery
OntologiesInvalidSortOrderfrom foundry_sdk.v1.ontologies.errors import InvalidSortOrder
OntologiesInvalidSortTypefrom foundry_sdk.v1.ontologies.errors import InvalidSortType
OntologiesInvalidUserIdfrom foundry_sdk.v1.ontologies.errors import InvalidUserId
OntologiesInvalidVectorDimensionfrom foundry_sdk.v1.ontologies.errors import InvalidVectorDimension
OntologiesLinkAlreadyExistsfrom foundry_sdk.v1.ontologies.errors import LinkAlreadyExists
OntologiesLinkedObjectNotFoundfrom foundry_sdk.v1.ontologies.errors import LinkedObjectNotFound
OntologiesLinkTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import LinkTypeNotFound
OntologiesMalformedPropertyFiltersfrom foundry_sdk.v1.ontologies.errors import MalformedPropertyFilters
OntologiesMarketplaceActionMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceActionMappingNotFound
OntologiesMarketplaceInstallationNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceInstallationNotFound
OntologiesMarketplaceLinkMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceLinkMappingNotFound
OntologiesMarketplaceObjectMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceObjectMappingNotFound
OntologiesMarketplaceQueryMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceQueryMappingNotFound
OntologiesMarketplaceSdkActionMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkActionMappingNotFound
OntologiesMarketplaceSdkInstallationNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkInstallationNotFound
OntologiesMarketplaceSdkLinkMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkLinkMappingNotFound
OntologiesMarketplaceSdkObjectMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkObjectMappingNotFound
OntologiesMarketplaceSdkPropertyMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkPropertyMappingNotFound
OntologiesMarketplaceSdkQueryMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkQueryMappingNotFound
OntologiesMissingParameterfrom foundry_sdk.v1.ontologies.errors import MissingParameter
OntologiesMultipleGroupByOnFieldNotSupportedfrom foundry_sdk.v1.ontologies.errors import MultipleGroupByOnFieldNotSupported
OntologiesMultiplePropertyValuesNotSupportedfrom foundry_sdk.v1.ontologies.errors import MultiplePropertyValuesNotSupported
OntologiesNotCipherFormattedfrom foundry_sdk.v1.ontologies.errors import NotCipherFormatted
OntologiesObjectAlreadyExistsfrom foundry_sdk.v1.ontologies.errors import ObjectAlreadyExists
OntologiesObjectChangedfrom foundry_sdk.v1.ontologies.errors import ObjectChanged
OntologiesObjectNotFoundfrom foundry_sdk.v1.ontologies.errors import ObjectNotFound
OntologiesObjectSetNotFoundfrom foundry_sdk.v1.ontologies.errors import ObjectSetNotFound
OntologiesObjectsExceededLimitfrom foundry_sdk.v1.ontologies.errors import ObjectsExceededLimit
OntologiesObjectTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import ObjectTypeNotFound
OntologiesObjectTypeNotSyncedfrom foundry_sdk.v1.ontologies.errors import ObjectTypeNotSynced
OntologiesObjectTypesNotSyncedfrom foundry_sdk.v1.ontologies.errors import ObjectTypesNotSynced
OntologiesOntologyApiNameNotUniquefrom foundry_sdk.v1.ontologies.errors import OntologyApiNameNotUnique
OntologiesOntologyEditsExceededLimitfrom foundry_sdk.v1.ontologies.errors import OntologyEditsExceededLimit
OntologiesOntologyNotFoundfrom foundry_sdk.v1.ontologies.errors import OntologyNotFound
OntologiesOntologySyncingfrom foundry_sdk.v1.ontologies.errors import OntologySyncing
OntologiesOntologySyncingObjectTypesfrom foundry_sdk.v1.ontologies.errors import OntologySyncingObjectTypes
OntologiesParameterObjectNotFoundfrom foundry_sdk.v1.ontologies.errors import ParameterObjectNotFound
OntologiesParameterObjectSetRidNotFoundfrom foundry_sdk.v1.ontologies.errors import ParameterObjectSetRidNotFound
OntologiesParametersNotFoundfrom foundry_sdk.v1.ontologies.errors import ParametersNotFound
OntologiesParameterTypeNotSupportedfrom foundry_sdk.v1.ontologies.errors import ParameterTypeNotSupported
OntologiesParentAttachmentPermissionDeniedfrom foundry_sdk.v1.ontologies.errors import ParentAttachmentPermissionDenied
OntologiesPropertiesHaveDifferentIdsfrom foundry_sdk.v1.ontologies.errors import PropertiesHaveDifferentIds
OntologiesPropertiesNotFilterablefrom foundry_sdk.v1.ontologies.errors import PropertiesNotFilterable
OntologiesPropertiesNotFoundfrom foundry_sdk.v1.ontologies.errors import PropertiesNotFound
OntologiesPropertiesNotSearchablefrom foundry_sdk.v1.ontologies.errors import PropertiesNotSearchable
OntologiesPropertiesNotSortablefrom foundry_sdk.v1.ontologies.errors import PropertiesNotSortable
OntologiesPropertyApiNameNotFoundfrom foundry_sdk.v1.ontologies.errors import PropertyApiNameNotFound
OntologiesPropertyBaseTypeNotSupportedfrom foundry_sdk.v1.ontologies.errors import PropertyBaseTypeNotSupported
OntologiesPropertyFiltersNotSupportedfrom foundry_sdk.v1.ontologies.errors import PropertyFiltersNotSupported
OntologiesPropertyNotFoundfrom foundry_sdk.v1.ontologies.errors import PropertyNotFound
OntologiesPropertyTypeDoesNotSupportNearestNeighborsfrom foundry_sdk.v1.ontologies.errors import PropertyTypeDoesNotSupportNearestNeighbors
OntologiesPropertyTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import PropertyTypeNotFound
OntologiesPropertyTypeRidNotFoundfrom foundry_sdk.v1.ontologies.errors import PropertyTypeRidNotFound
OntologiesPropertyTypesSearchNotSupportedfrom foundry_sdk.v1.ontologies.errors import PropertyTypesSearchNotSupported
OntologiesQueryEncounteredUserFacingErrorfrom foundry_sdk.v1.ontologies.errors import QueryEncounteredUserFacingError
OntologiesQueryMemoryExceededLimitfrom foundry_sdk.v1.ontologies.errors import QueryMemoryExceededLimit
OntologiesQueryNotFoundfrom foundry_sdk.v1.ontologies.errors import QueryNotFound
OntologiesQueryRuntimeErrorfrom foundry_sdk.v1.ontologies.errors import QueryRuntimeError
OntologiesQueryTimeExceededLimitfrom foundry_sdk.v1.ontologies.errors import QueryTimeExceededLimit
OntologiesQueryVersionNotFoundfrom foundry_sdk.v1.ontologies.errors import QueryVersionNotFound
OntologiesRateLimitReachedfrom foundry_sdk.v1.ontologies.errors import RateLimitReached
OntologiesSharedPropertiesNotFoundfrom foundry_sdk.v1.ontologies.errors import SharedPropertiesNotFound
OntologiesSharedPropertyTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import SharedPropertyTypeNotFound
OntologiesTooManyNearestNeighborsRequestedfrom foundry_sdk.v1.ontologies.errors import TooManyNearestNeighborsRequested
OntologiesUnauthorizedCipherOperationfrom foundry_sdk.v1.ontologies.errors import UnauthorizedCipherOperation
OntologiesUndecryptableValuefrom foundry_sdk.v1.ontologies.errors import UndecryptableValue
OntologiesUnknownParameterfrom foundry_sdk.v1.ontologies.errors import UnknownParameter
OntologiesUnsupportedObjectSetfrom foundry_sdk.v1.ontologies.errors import UnsupportedObjectSet
OntologiesViewObjectPermissionDeniedfrom foundry_sdk.v1.ontologies.errors import ViewObjectPermissionDenied

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.

Keywords

Palantir

FAQs

Did you know?

Socket

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Install

Related posts