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:
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,
[!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:
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 Code
Error Class
400
BadRequestError
401
UnauthorizedError
403
PermissionDeniedError
404
NotFoundError
413
RequestEntityTooLargeError
422
UnprocessableEntityError
429
RateLimitError
>=500,<600
InternalServerError
Other
PalantirRPCException
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.
There are a handful of other exception classes that could be thrown when instantiating or using a client.
ErrorClass
Thrown Directly
Description
NotAuthenticated
Yes
You used either ConfidentialClientAuth or PublicClientAuth to make an API call without going through the OAuth process first.
ConnectionError
Yes
An issue occurred when connecting to the server. This also catches ProxyError.
ProxyError
Yes
An issue occurred when connecting to or authenticating with a proxy server.
TimeoutError
No
The request timed out. This catches both ConnectTimeout, ReadTimeout and WriteTimeout.
ConnectTimeout
Yes
The request timed out when attempting to connect to the server.
ReadTimeout
Yes
The server did not send any data in the allotted amount of time.
WriteTimeout
Yes
There was a timeout when writing data to the server.
StreamConsumedError
Yes
The content of the given stream has already been consumed.
RequestEntityTooLargeError
Yes
The request entity is too large.
ConflictError
Yes
There was a conflict with another request.
SDKInternalError
Yes
An 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:
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)
Foundry Platform SDK
The Foundry Platform SDK is a Python SDK built on top of the Foundry API. Review Foundry API documentation for more details.
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.
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
: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:
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 thefoundry_sdk
package.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:
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
You can pass in a user token as an arguments when initializing the
UserTokenAuth
: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 a401
(Unauthorized) error is thrown after refreshing the token.After creating the
ConfidentialClientAuth
object, pass it in to theFoundryClient
,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.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:If you did this, you would receive an error that looks something like:
To handle these errors, you can catch
pydantic.ValidationError
. To learn more, see the Pydantic error documentation.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 aBranchNotFound
error, which is defined as follows:As a user, you can catch this exception and handle it accordingly.
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 asBadRequestError
orNotFoundError
.BadRequestError
UnauthorizedError
PermissionDeniedError
NotFoundError
RequestEntityTooLargeError
UnprocessableEntityError
RateLimitError
InternalServerError
PalantirRPCException
All HTTP exceptions will have the following properties. See the Foundry API docs for details about the Foundry error information.
Other exceptions
There are a handful of other exception classes that could be thrown when instantiating or using a client.
ConfidentialClientAuth
orPublicClientAuth
to make an API call without going through the OAuth process first.ProxyError
.ConnectTimeout
,ReadTimeout
andWriteTimeout
.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: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
.Asynchronous Pagination (Beta)
When using the
AsyncFoundryClient
client, pagination works similar to the synchronous client but you need to useasync for
to iterate over the results. Here’s an example:For more control over asynchronous pagination, you can manually handle the pagination tokens and use the
with_raw_response
utility to fetch each page.Asynchronous Client (Beta)
This SDK supports creating an asynchronous client, just import and instantiate the
AsyncFoundryClient
instead of theFoundryClient
.When using asynchronous clients, you’ll just need to use the
await
keyword when calling APIs. Otherwise, the behaviour between theFoundryClient
andAsyncFoundryClient
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.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 howGroup.search
method is defined in theAdmin
namespace: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
toname
butname
expects a string or if you try to accessbranchName
on the returnedBranch
object (the property is actually calledname
), you will get the following errors:HTTP Session Configuration
You can configure various parts of the HTTP session using the
Config
class.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 toTrue
.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 toTrue
(the default value). Ifverify
is set to False, the environment variables will be ignored.Common errors
This section will document any user-related errors with information on how you may be able to resolve them.
ApiFeaturePreviewUsageOnly
This error indicates you are trying to use an endpoint in public preview and have not set
preview=True
when calling the endpoint. Before doing so, note that this endpoint is in preview state and breaking changes may occur at any time.During the first phase of an endpoint’s lifecycle, it may be in
Public Preview
state. This indicates that the endpoint is in development and is not intended for production use.Input should have timezone info
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 adatetime
object with timezone information. For example, you can use thetimezone
class in thedatetime
package:Documentation for V2 API endpoints
Documentation for V1 API endpoints
Documentation for V2 models
from foundry_sdk.v2.admin.models import AttributeName
from foundry_sdk.v2.admin.models import AttributeValue
from foundry_sdk.v2.admin.models import AttributeValues
from foundry_sdk.v2.admin.models import AuthenticationProtocol
from foundry_sdk.v2.admin.models import AuthenticationProvider
from foundry_sdk.v2.admin.models import AuthenticationProviderEnabled
from foundry_sdk.v2.admin.models import AuthenticationProviderName
from foundry_sdk.v2.admin.models import AuthenticationProviderRid
from foundry_sdk.v2.admin.models import CertificateInfo
from foundry_sdk.v2.admin.models import CertificateUsageType
from foundry_sdk.v2.admin.models import Enrollment
from foundry_sdk.v2.admin.models import EnrollmentName
from foundry_sdk.v2.admin.models import GetGroupsBatchRequestElement
from foundry_sdk.v2.admin.models import GetGroupsBatchResponse
from foundry_sdk.v2.admin.models import GetMarkingsBatchRequestElement
from foundry_sdk.v2.admin.models import GetMarkingsBatchResponse
from foundry_sdk.v2.admin.models import GetRolesBatchRequestElement
from foundry_sdk.v2.admin.models import GetRolesBatchResponse
from foundry_sdk.v2.admin.models import GetUserMarkingsResponse
from foundry_sdk.v2.admin.models import GetUsersBatchRequestElement
from foundry_sdk.v2.admin.models import GetUsersBatchResponse
from foundry_sdk.v2.admin.models import Group
from foundry_sdk.v2.admin.models import GroupMember
from foundry_sdk.v2.admin.models import GroupMembership
from foundry_sdk.v2.admin.models import GroupMembershipExpiration
from foundry_sdk.v2.admin.models import GroupName
from foundry_sdk.v2.admin.models import GroupProviderInfo
from foundry_sdk.v2.admin.models import GroupSearchFilter
from foundry_sdk.v2.admin.models import Host
from foundry_sdk.v2.admin.models import HostName
from foundry_sdk.v2.admin.models import ListAuthenticationProvidersResponse
from foundry_sdk.v2.admin.models import ListAvailableOrganizationRolesResponse
from foundry_sdk.v2.admin.models import ListGroupMembershipsResponse
from foundry_sdk.v2.admin.models import ListGroupMembersResponse
from foundry_sdk.v2.admin.models import ListGroupsResponse
from foundry_sdk.v2.admin.models import ListHostsResponse
from foundry_sdk.v2.admin.models import ListMarkingCategoriesResponse
from foundry_sdk.v2.admin.models import ListMarkingMembersResponse
from foundry_sdk.v2.admin.models import ListMarkingRoleAssignmentsResponse
from foundry_sdk.v2.admin.models import ListMarkingsResponse
from foundry_sdk.v2.admin.models import ListOrganizationRoleAssignmentsResponse
from foundry_sdk.v2.admin.models import ListUsersResponse
from foundry_sdk.v2.admin.models import Marking
from foundry_sdk.v2.admin.models import MarkingCategory
from foundry_sdk.v2.admin.models import MarkingCategoryId
from foundry_sdk.v2.admin.models import MarkingCategoryName
from foundry_sdk.v2.admin.models import MarkingCategoryType
from foundry_sdk.v2.admin.models import MarkingMember
from foundry_sdk.v2.admin.models import MarkingName
from foundry_sdk.v2.admin.models import MarkingRole
from foundry_sdk.v2.admin.models import MarkingRoleAssignment
from foundry_sdk.v2.admin.models import MarkingRoleUpdate
from foundry_sdk.v2.admin.models import MarkingType
from foundry_sdk.v2.admin.models import OidcAuthenticationProtocol
from foundry_sdk.v2.admin.models import Organization
from foundry_sdk.v2.admin.models import OrganizationName
from foundry_sdk.v2.admin.models import OrganizationRoleAssignment
from foundry_sdk.v2.admin.models import PrincipalFilterType
from foundry_sdk.v2.admin.models import ProviderId
from foundry_sdk.v2.admin.models import Role
from foundry_sdk.v2.admin.models import RoleDescription
from foundry_sdk.v2.admin.models import RoleDisplayName
from foundry_sdk.v2.admin.models import SamlAuthenticationProtocol
from foundry_sdk.v2.admin.models import SamlServiceProviderMetadata
from foundry_sdk.v2.admin.models import SearchGroupsResponse
from foundry_sdk.v2.admin.models import SearchUsersResponse
from foundry_sdk.v2.admin.models import User
from foundry_sdk.v2.admin.models import UserProviderInfo
from foundry_sdk.v2.admin.models import UserSearchFilter
from foundry_sdk.v2.admin.models import UserUsername
from foundry_sdk.v2.aip_agents.models import Agent
from foundry_sdk.v2.aip_agents.models import AgentMarkdownResponse
from foundry_sdk.v2.aip_agents.models import AgentMetadata
from foundry_sdk.v2.aip_agents.models import AgentRid
from foundry_sdk.v2.aip_agents.models import AgentSessionRagContextResponse
from foundry_sdk.v2.aip_agents.models import AgentsSessionsPage
from foundry_sdk.v2.aip_agents.models import AgentVersion
from foundry_sdk.v2.aip_agents.models import AgentVersionDetails
from foundry_sdk.v2.aip_agents.models import AgentVersionString
from foundry_sdk.v2.aip_agents.models import CancelSessionResponse
from foundry_sdk.v2.aip_agents.models import Content
from foundry_sdk.v2.aip_agents.models import FailureToolCallOutput
from foundry_sdk.v2.aip_agents.models import FunctionRetrievedContext
from foundry_sdk.v2.aip_agents.models import InputContext
from foundry_sdk.v2.aip_agents.models import ListAgentVersionsResponse
from foundry_sdk.v2.aip_agents.models import ListSessionsResponse
from foundry_sdk.v2.aip_agents.models import MessageId
from foundry_sdk.v2.aip_agents.models import ObjectContext
from foundry_sdk.v2.aip_agents.models import ObjectSetParameter
from foundry_sdk.v2.aip_agents.models import ObjectSetParameterValue
from foundry_sdk.v2.aip_agents.models import ObjectSetParameterValueUpdate
from foundry_sdk.v2.aip_agents.models import Parameter
from foundry_sdk.v2.aip_agents.models import ParameterAccessMode
from foundry_sdk.v2.aip_agents.models import ParameterId
from foundry_sdk.v2.aip_agents.models import ParameterType
from foundry_sdk.v2.aip_agents.models import ParameterValue
from foundry_sdk.v2.aip_agents.models import ParameterValueUpdate
from foundry_sdk.v2.aip_agents.models import RidToolInputValue
from foundry_sdk.v2.aip_agents.models import RidToolOutputValue
from foundry_sdk.v2.aip_agents.models import Session
from foundry_sdk.v2.aip_agents.models import SessionExchange
from foundry_sdk.v2.aip_agents.models import SessionExchangeContexts
from foundry_sdk.v2.aip_agents.models import SessionExchangeResult
from foundry_sdk.v2.aip_agents.models import SessionMetadata
from foundry_sdk.v2.aip_agents.models import SessionRid
from foundry_sdk.v2.aip_agents.models import SessionTrace
from foundry_sdk.v2.aip_agents.models import SessionTraceId
from foundry_sdk.v2.aip_agents.models import SessionTraceStatus
from foundry_sdk.v2.aip_agents.models import StringParameter
from foundry_sdk.v2.aip_agents.models import StringParameterValue
from foundry_sdk.v2.aip_agents.models import StringToolInputValue
from foundry_sdk.v2.aip_agents.models import StringToolOutputValue
from foundry_sdk.v2.aip_agents.models import SuccessToolCallOutput
from foundry_sdk.v2.aip_agents.models import ToolCall
from foundry_sdk.v2.aip_agents.models import ToolCallGroup
from foundry_sdk.v2.aip_agents.models import ToolCallInput
from foundry_sdk.v2.aip_agents.models import ToolCallOutput
from foundry_sdk.v2.aip_agents.models import ToolInputName
from foundry_sdk.v2.aip_agents.models import ToolInputValue
from foundry_sdk.v2.aip_agents.models import ToolMetadata
from foundry_sdk.v2.aip_agents.models import ToolOutputValue
from foundry_sdk.v2.aip_agents.models import ToolType
from foundry_sdk.v2.aip_agents.models import UserTextInput
from foundry_sdk.v2.connectivity.models import ApiKeyAuthentication
from foundry_sdk.v2.connectivity.models import AsPlaintextValue
from foundry_sdk.v2.connectivity.models import AsSecretName
from foundry_sdk.v2.connectivity.models import AwsAccessKey
from foundry_sdk.v2.connectivity.models import AwsOidcAuthentication
from foundry_sdk.v2.connectivity.models import BasicCredentials
from foundry_sdk.v2.connectivity.models import BearerToken
from foundry_sdk.v2.connectivity.models import CloudIdentity
from foundry_sdk.v2.connectivity.models import CloudIdentityRid
from foundry_sdk.v2.connectivity.models import Connection
from foundry_sdk.v2.connectivity.models import ConnectionConfiguration
from foundry_sdk.v2.connectivity.models import ConnectionDisplayName
from foundry_sdk.v2.connectivity.models import ConnectionRid
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestAsPlaintextValue
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestAsSecretName
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestBasicCredentials
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestConnectionConfiguration
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestEncryptedProperty
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestJdbcConnectionConfiguration
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestRestConnectionConfiguration
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestS3ConnectionConfiguration
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeAuthenticationMode
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeConnectionConfiguration
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeExternalOauth
from foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeKeyPairAuthentication
from foundry_sdk.v2.connectivity.models import CreateTableImportRequestJdbcTableImportConfig
from foundry_sdk.v2.connectivity.models import CreateTableImportRequestMicrosoftAccessTableImportConfig
from foundry_sdk.v2.connectivity.models import CreateTableImportRequestMicrosoftSqlServerTableImportConfig
from foundry_sdk.v2.connectivity.models import CreateTableImportRequestOracleTableImportConfig
from foundry_sdk.v2.connectivity.models import CreateTableImportRequestPostgreSqlTableImportConfig
from foundry_sdk.v2.connectivity.models import CreateTableImportRequestSnowflakeTableImportConfig
from foundry_sdk.v2.connectivity.models import CreateTableImportRequestTableImportConfig
from foundry_sdk.v2.connectivity.models import DateColumnInitialIncrementalState
from foundry_sdk.v2.connectivity.models import DecimalColumnInitialIncrementalState
from foundry_sdk.v2.connectivity.models import Domain
from foundry_sdk.v2.connectivity.models import EncryptedProperty
from foundry_sdk.v2.connectivity.models import FileAnyPathMatchesFilter
from foundry_sdk.v2.connectivity.models import FileAtLeastCountFilter
from foundry_sdk.v2.connectivity.models import FileChangedSinceLastUploadFilter
from foundry_sdk.v2.connectivity.models import FileImport
from foundry_sdk.v2.connectivity.models import FileImportCustomFilter
from foundry_sdk.v2.connectivity.models import FileImportDisplayName
from foundry_sdk.v2.connectivity.models import FileImportFilter
from foundry_sdk.v2.connectivity.models import FileImportMode
from foundry_sdk.v2.connectivity.models import FileImportRid
from foundry_sdk.v2.connectivity.models import FileLastModifiedAfterFilter
from foundry_sdk.v2.connectivity.models import FilePathMatchesFilter
from foundry_sdk.v2.connectivity.models import FilePathNotMatchesFilter
from foundry_sdk.v2.connectivity.models import FileProperty
from foundry_sdk.v2.connectivity.models import FilesCountLimitFilter
from foundry_sdk.v2.connectivity.models import FileSizeFilter
from foundry_sdk.v2.connectivity.models import HeaderApiKey
from foundry_sdk.v2.connectivity.models import IntegerColumnInitialIncrementalState
from foundry_sdk.v2.connectivity.models import JdbcConnectionConfiguration
from foundry_sdk.v2.connectivity.models import JdbcTableImportConfig
from foundry_sdk.v2.connectivity.models import ListFileImportsResponse
from foundry_sdk.v2.connectivity.models import ListTableImportsResponse
from foundry_sdk.v2.connectivity.models import LongColumnInitialIncrementalState
from foundry_sdk.v2.connectivity.models import MicrosoftAccessTableImportConfig
from foundry_sdk.v2.connectivity.models import MicrosoftSqlServerTableImportConfig
from foundry_sdk.v2.connectivity.models import OracleTableImportConfig
from foundry_sdk.v2.connectivity.models import PlaintextValue
from foundry_sdk.v2.connectivity.models import PostgreSqlTableImportConfig
from foundry_sdk.v2.connectivity.models import Protocol
from foundry_sdk.v2.connectivity.models import QueryParameterApiKey
from foundry_sdk.v2.connectivity.models import Region
from foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestJdbcTableImportConfig
from foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestMicrosoftAccessTableImportConfig
from foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestMicrosoftSqlServerTableImportConfig
from foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestOracleTableImportConfig
from foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestPostgreSqlTableImportConfig
from foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestSnowflakeTableImportConfig
from foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestTableImportConfig
from foundry_sdk.v2.connectivity.models import RestAuthenticationMode
from foundry_sdk.v2.connectivity.models import RestConnectionAdditionalSecrets
from foundry_sdk.v2.connectivity.models import RestConnectionConfiguration
from foundry_sdk.v2.connectivity.models import RestConnectionOAuth2
from foundry_sdk.v2.connectivity.models import RestRequestApiKeyLocation
from foundry_sdk.v2.connectivity.models import S3AuthenticationMode
from foundry_sdk.v2.connectivity.models import S3ConnectionConfiguration
from foundry_sdk.v2.connectivity.models import S3KmsConfiguration
from foundry_sdk.v2.connectivity.models import S3ProxyConfiguration
from foundry_sdk.v2.connectivity.models import SecretName
from foundry_sdk.v2.connectivity.models import SecretsNames
from foundry_sdk.v2.connectivity.models import SecretsWithPlaintextValues
from foundry_sdk.v2.connectivity.models import SnowflakeAuthenticationMode
from foundry_sdk.v2.connectivity.models import SnowflakeConnectionConfiguration
from foundry_sdk.v2.connectivity.models import SnowflakeExternalOauth
from foundry_sdk.v2.connectivity.models import SnowflakeKeyPairAuthentication
from foundry_sdk.v2.connectivity.models import SnowflakeTableImportConfig
from foundry_sdk.v2.connectivity.models import StringColumnInitialIncrementalState
from foundry_sdk.v2.connectivity.models import StsRoleConfiguration
from foundry_sdk.v2.connectivity.models import TableImport
from foundry_sdk.v2.connectivity.models import TableImportAllowSchemaChanges
from foundry_sdk.v2.connectivity.models import TableImportConfig
from foundry_sdk.v2.connectivity.models import TableImportDisplayName
from foundry_sdk.v2.connectivity.models import TableImportInitialIncrementalState
from foundry_sdk.v2.connectivity.models import TableImportMode
from foundry_sdk.v2.connectivity.models import TableImportQuery
from foundry_sdk.v2.connectivity.models import TableImportRid
from foundry_sdk.v2.connectivity.models import TimestampColumnInitialIncrementalState
from foundry_sdk.v2.connectivity.models import UriScheme
from foundry_sdk.v2.core.models import AnyType
from foundry_sdk.v2.core.models import ArrayFieldType
from foundry_sdk.v2.core.models import AttachmentType
from foundry_sdk.v2.core.models import BinaryType
from foundry_sdk.v2.core.models import BooleanType
from foundry_sdk.v2.core.models import BuildRid
from foundry_sdk.v2.core.models import ByteType
from foundry_sdk.v2.core.models import ChangeDataCaptureConfiguration
from foundry_sdk.v2.core.models import CipherTextType
from foundry_sdk.v2.core.models import ContentLength
from foundry_sdk.v2.core.models import ContentType
from foundry_sdk.v2.core.models import CreatedBy
from foundry_sdk.v2.core.models import CreatedTime
from foundry_sdk.v2.core.models import CustomMetadata
from foundry_sdk.v2.core.models import DateType
from foundry_sdk.v2.core.models import DecimalType
from foundry_sdk.v2.core.models import DisplayName
from foundry_sdk.v2.core.models import Distance
from foundry_sdk.v2.core.models import DistanceUnit
from foundry_sdk.v2.core.models import DoubleType
from foundry_sdk.v2.core.models import Duration
from foundry_sdk.v2.core.models import EmbeddingModel
from foundry_sdk.v2.core.models import EnrollmentRid
from foundry_sdk.v2.core.models import Field
from foundry_sdk.v2.core.models import FieldDataType
from foundry_sdk.v2.core.models import FieldName
from foundry_sdk.v2.core.models import FieldSchema
from foundry_sdk.v2.core.models import Filename
from foundry_sdk.v2.core.models import FilePath
from foundry_sdk.v2.core.models import FilterBinaryType
from foundry_sdk.v2.core.models import FilterBooleanType
from foundry_sdk.v2.core.models import FilterDateTimeType
from foundry_sdk.v2.core.models import FilterDateType
from foundry_sdk.v2.core.models import FilterDoubleType
from foundry_sdk.v2.core.models import FilterEnumType
from foundry_sdk.v2.core.models import FilterFloatType
from foundry_sdk.v2.core.models import FilterIntegerType
from foundry_sdk.v2.core.models import FilterLongType
from foundry_sdk.v2.core.models import FilterRidType
from foundry_sdk.v2.core.models import FilterStringType
from foundry_sdk.v2.core.models import FilterType
from foundry_sdk.v2.core.models import FilterUuidType
from foundry_sdk.v2.core.models import FloatType
from foundry_sdk.v2.core.models import FolderRid
from foundry_sdk.v2.core.models import FoundryLiveDeployment
from foundry_sdk.v2.core.models import FullRowChangeDataCaptureConfiguration
from foundry_sdk.v2.core.models import GeohashType
from foundry_sdk.v2.core.models import GeoPointType
from foundry_sdk.v2.core.models import GeoShapeType
from foundry_sdk.v2.core.models import GeotimeSeriesReferenceType
from foundry_sdk.v2.core.models import GroupName
from foundry_sdk.v2.core.models import GroupRid
from foundry_sdk.v2.core.models import IntegerType
from foundry_sdk.v2.core.models import JobRid
from foundry_sdk.v2.core.models import LmsEmbeddingModel
from foundry_sdk.v2.core.models import LmsEmbeddingModelValue
from foundry_sdk.v2.core.models import LongType
from foundry_sdk.v2.core.models import MapFieldType
from foundry_sdk.v2.core.models import MarkingId
from foundry_sdk.v2.core.models import MarkingType
from foundry_sdk.v2.core.models import MediaItemPath
from foundry_sdk.v2.core.models import MediaItemReadToken
from foundry_sdk.v2.core.models import MediaItemRid
from foundry_sdk.v2.core.models import MediaReference
from foundry_sdk.v2.core.models import MediaReferenceType
from foundry_sdk.v2.core.models import MediaSetRid
from foundry_sdk.v2.core.models import MediaSetViewItem
from foundry_sdk.v2.core.models import MediaSetViewItemWrapper
from foundry_sdk.v2.core.models import MediaSetViewRid
from foundry_sdk.v2.core.models import MediaType
from foundry_sdk.v2.core.models import NullType
from foundry_sdk.v2.core.models import Operation
from foundry_sdk.v2.core.models import OperationScope
from foundry_sdk.v2.core.models import OrderByDirection
from foundry_sdk.v2.core.models import OrganizationRid
from foundry_sdk.v2.core.models import PageSize
from foundry_sdk.v2.core.models import PageToken
from foundry_sdk.v2.core.models import PreviewMode
from foundry_sdk.v2.core.models import PrincipalId
from foundry_sdk.v2.core.models import PrincipalType
from foundry_sdk.v2.core.models import Realm
from foundry_sdk.v2.core.models import Reference
from foundry_sdk.v2.core.models import ReleaseStatus
from foundry_sdk.v2.core.models import Role
from foundry_sdk.v2.core.models import RoleAssignmentUpdate
from foundry_sdk.v2.core.models import RoleContext
from foundry_sdk.v2.core.models import RoleId
from foundry_sdk.v2.core.models import RoleSetId
from foundry_sdk.v2.core.models import ScheduleRid
from foundry_sdk.v2.core.models import ShortType
from foundry_sdk.v2.core.models import SizeBytes
from foundry_sdk.v2.core.models import StreamSchema
from foundry_sdk.v2.core.models import StringType
from foundry_sdk.v2.core.models import StructFieldName
from foundry_sdk.v2.core.models import StructFieldType
from foundry_sdk.v2.core.models import TimeSeriesItemType
from foundry_sdk.v2.core.models import TimeseriesType
from foundry_sdk.v2.core.models import TimestampType
from foundry_sdk.v2.core.models import TimeUnit
from foundry_sdk.v2.core.models import TotalCount
from foundry_sdk.v2.core.models import UnsupportedType
from foundry_sdk.v2.core.models import UpdatedBy
from foundry_sdk.v2.core.models import UpdatedTime
from foundry_sdk.v2.core.models import UserId
from foundry_sdk.v2.core.models import VectorSimilarityFunction
from foundry_sdk.v2.core.models import VectorSimilarityFunctionValue
from foundry_sdk.v2.core.models import VectorType
from foundry_sdk.v2.core.models import ZoneId
from foundry_sdk.v2.datasets.models import Branch
from foundry_sdk.v2.datasets.models import BranchName
from foundry_sdk.v2.datasets.models import Dataset
from foundry_sdk.v2.datasets.models import DatasetName
from foundry_sdk.v2.datasets.models import DatasetRid
from foundry_sdk.v2.datasets.models import File
from foundry_sdk.v2.datasets.models import FileUpdatedTime
from foundry_sdk.v2.datasets.models import ListBranchesResponse
from foundry_sdk.v2.datasets.models import ListFilesResponse
from foundry_sdk.v2.datasets.models import ListSchedulesResponse
from foundry_sdk.v2.datasets.models import TableExportFormat
from foundry_sdk.v2.datasets.models import Transaction
from foundry_sdk.v2.datasets.models import TransactionCreatedTime
from foundry_sdk.v2.datasets.models import TransactionRid
from foundry_sdk.v2.datasets.models import TransactionStatus
from foundry_sdk.v2.datasets.models import TransactionType
from foundry_sdk.v2.filesystem.models import AccessRequirements
from foundry_sdk.v2.filesystem.models import Everyone
from foundry_sdk.v2.filesystem.models import FileSystemId
from foundry_sdk.v2.filesystem.models import Folder
from foundry_sdk.v2.filesystem.models import FolderRid
from foundry_sdk.v2.filesystem.models import FolderType
from foundry_sdk.v2.filesystem.models import IsDirectlyApplied
from foundry_sdk.v2.filesystem.models import ListChildrenOfFolderResponse
from foundry_sdk.v2.filesystem.models import ListMarkingsOfResourceResponse
from foundry_sdk.v2.filesystem.models import ListOrganizationsOfProjectResponse
from foundry_sdk.v2.filesystem.models import ListResourceRolesResponse
from foundry_sdk.v2.filesystem.models import ListSpacesResponse
from foundry_sdk.v2.filesystem.models import Marking
from foundry_sdk.v2.filesystem.models import Organization
from foundry_sdk.v2.filesystem.models import PrincipalWithId
from foundry_sdk.v2.filesystem.models import Project
from foundry_sdk.v2.filesystem.models import ProjectRid
from foundry_sdk.v2.filesystem.models import ProjectTemplateRid
from foundry_sdk.v2.filesystem.models import ProjectTemplateVariableId
from foundry_sdk.v2.filesystem.models import ProjectTemplateVariableValue
from foundry_sdk.v2.filesystem.models import Resource
from foundry_sdk.v2.filesystem.models import ResourceDisplayName
from foundry_sdk.v2.filesystem.models import ResourcePath
from foundry_sdk.v2.filesystem.models import ResourceRid
from foundry_sdk.v2.filesystem.models import ResourceRole
from foundry_sdk.v2.filesystem.models import ResourceRolePrincipal
from foundry_sdk.v2.filesystem.models import ResourceType
from foundry_sdk.v2.filesystem.models import Space
from foundry_sdk.v2.filesystem.models import SpaceRid
from foundry_sdk.v2.filesystem.models import TrashStatus
from foundry_sdk.v2.filesystem.models import UsageAccountRid
from foundry_sdk.v2.functions.models import DataValue
from foundry_sdk.v2.functions.models import ExecuteQueryResponse
from foundry_sdk.v2.functions.models import FunctionRid
from foundry_sdk.v2.functions.models import FunctionVersion
from foundry_sdk.v2.functions.models import Parameter
from foundry_sdk.v2.functions.models import ParameterId
from foundry_sdk.v2.functions.models import Query
from foundry_sdk.v2.functions.models import QueryAggregationKeyType
from foundry_sdk.v2.functions.models import QueryAggregationRangeSubType
from foundry_sdk.v2.functions.models import QueryAggregationRangeType
from foundry_sdk.v2.functions.models import QueryAggregationValueType
from foundry_sdk.v2.functions.models import QueryApiName
from foundry_sdk.v2.functions.models import QueryArrayType
from foundry_sdk.v2.functions.models import QueryDataType
from foundry_sdk.v2.functions.models import QueryRuntimeErrorParameter
from foundry_sdk.v2.functions.models import QuerySetType
from foundry_sdk.v2.functions.models import QueryStructField
from foundry_sdk.v2.functions.models import QueryStructType
from foundry_sdk.v2.functions.models import QueryUnionType
from foundry_sdk.v2.functions.models import StructFieldName
from foundry_sdk.v2.functions.models import ThreeDimensionalAggregation
from foundry_sdk.v2.functions.models import TwoDimensionalAggregation
from foundry_sdk.v2.functions.models import ValueType
from foundry_sdk.v2.functions.models import ValueTypeApiName
from foundry_sdk.v2.functions.models import ValueTypeDataType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeArrayType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeBinaryType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeBooleanType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeByteType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeDateType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeDecimalType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeDoubleType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeFloatType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeIntegerType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeLongType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeMapType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeOptionalType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeShortType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeStringType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeStructElement
from foundry_sdk.v2.functions.models import ValueTypeDataTypeStructFieldIdentifier
from foundry_sdk.v2.functions.models import ValueTypeDataTypeStructType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeTimestampType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeUnionType
from foundry_sdk.v2.functions.models import ValueTypeDataTypeValueTypeReference
from foundry_sdk.v2.functions.models import ValueTypeDescription
from foundry_sdk.v2.functions.models import ValueTypeReference
from foundry_sdk.v2.functions.models import ValueTypeRid
from foundry_sdk.v2.functions.models import ValueTypeVersion
from foundry_sdk.v2.functions.models import ValueTypeVersionId
from foundry_sdk.v2.functions.models import VersionId
from foundry_sdk.v2.geo.models import BBox
from foundry_sdk.v2.geo.models import Coordinate
from foundry_sdk.v2.geo.models import Feature
from foundry_sdk.v2.geo.models import FeatureCollection
from foundry_sdk.v2.geo.models import FeatureCollectionTypes
from foundry_sdk.v2.geo.models import FeaturePropertyKey
from foundry_sdk.v2.geo.models import Geometry
from foundry_sdk.v2.geo.models import GeometryCollection
from foundry_sdk.v2.geo.models import GeoPoint
from foundry_sdk.v2.geo.models import LinearRing
from foundry_sdk.v2.geo.models import LineString
from foundry_sdk.v2.geo.models import LineStringCoordinates
from foundry_sdk.v2.geo.models import MultiLineString
from foundry_sdk.v2.geo.models import MultiPoint
from foundry_sdk.v2.geo.models import MultiPolygon
from foundry_sdk.v2.geo.models import Polygon
from foundry_sdk.v2.geo.models import Position
from foundry_sdk.v2.media_sets.models import BranchName
from foundry_sdk.v2.media_sets.models import BranchRid
from foundry_sdk.v2.media_sets.models import GetMediaItemInfoResponse
from foundry_sdk.v2.media_sets.models import LogicalTimestamp
from foundry_sdk.v2.media_sets.models import MediaAttribution
from foundry_sdk.v2.media_sets.models import PutMediaItemResponse
from foundry_sdk.v2.media_sets.models import TransactionId
from foundry_sdk.v2.ontologies.models import AbsoluteTimeRange
from foundry_sdk.v2.ontologies.models import AbsoluteValuePropertyExpression
from foundry_sdk.v2.ontologies.models import ActionParameterArrayType
from foundry_sdk.v2.ontologies.models import ActionParameterType
from foundry_sdk.v2.ontologies.models import ActionParameterV2
from foundry_sdk.v2.ontologies.models import ActionResults
from foundry_sdk.v2.ontologies.models import ActionRid
from foundry_sdk.v2.ontologies.models import ActionTypeApiName
from foundry_sdk.v2.ontologies.models import ActionTypeRid
from foundry_sdk.v2.ontologies.models import ActionTypeV2
from foundry_sdk.v2.ontologies.models import ActivePropertyTypeStatus
from foundry_sdk.v2.ontologies.models import AddLink
from foundry_sdk.v2.ontologies.models import AddObject
from foundry_sdk.v2.ontologies.models import AddPropertyExpression
from foundry_sdk.v2.ontologies.models import AggregateObjectsResponseItemV2
from foundry_sdk.v2.ontologies.models import AggregateObjectsResponseV2
from foundry_sdk.v2.ontologies.models import AggregateTimeSeries
from foundry_sdk.v2.ontologies.models import AggregationAccuracy
from foundry_sdk.v2.ontologies.models import AggregationAccuracyRequest
from foundry_sdk.v2.ontologies.models import AggregationDurationGroupingV2
from foundry_sdk.v2.ontologies.models import AggregationExactGroupingV2
from foundry_sdk.v2.ontologies.models import AggregationFixedWidthGroupingV2
from foundry_sdk.v2.ontologies.models import AggregationGroupByV2
from foundry_sdk.v2.ontologies.models import AggregationGroupKeyV2
from foundry_sdk.v2.ontologies.models import AggregationGroupValueV2
from foundry_sdk.v2.ontologies.models import AggregationMetricName
from foundry_sdk.v2.ontologies.models import AggregationMetricResultV2
from foundry_sdk.v2.ontologies.models import AggregationRangesGroupingV2
from foundry_sdk.v2.ontologies.models import AggregationRangeV2
from foundry_sdk.v2.ontologies.models import AggregationV2
from foundry_sdk.v2.ontologies.models import AndQueryV2
from foundry_sdk.v2.ontologies.models import ApplyActionMode
from foundry_sdk.v2.ontologies.models import ApplyActionRequestOptions
from foundry_sdk.v2.ontologies.models import ApproximateDistinctAggregationV2
from foundry_sdk.v2.ontologies.models import ApproximatePercentileAggregationV2
from foundry_sdk.v2.ontologies.models import ArraySizeConstraint
from foundry_sdk.v2.ontologies.models import ArtifactRepositoryRid
from foundry_sdk.v2.ontologies.models import AttachmentMetadataResponse
from foundry_sdk.v2.ontologies.models import AttachmentRid
from foundry_sdk.v2.ontologies.models import AttachmentV2
from foundry_sdk.v2.ontologies.models import AvgAggregationV2
from foundry_sdk.v2.ontologies.models import BatchActionObjectEdit
from foundry_sdk.v2.ontologies.models import BatchActionObjectEdits
from foundry_sdk.v2.ontologies.models import BatchActionResults
from foundry_sdk.v2.ontologies.models import BatchApplyActionRequestItem
from foundry_sdk.v2.ontologies.models import BatchApplyActionRequestOptions
from foundry_sdk.v2.ontologies.models import BatchApplyActionResponseV2
from foundry_sdk.v2.ontologies.models import BatchReturnEditsMode
from foundry_sdk.v2.ontologies.models import BlueprintIcon
from foundry_sdk.v2.ontologies.models import BoundingBoxValue
from foundry_sdk.v2.ontologies.models import CenterPoint
from foundry_sdk.v2.ontologies.models import CenterPointTypes
from foundry_sdk.v2.ontologies.models import ContainsAllTermsInOrderPrefixLastTerm
from foundry_sdk.v2.ontologies.models import ContainsAllTermsInOrderQuery
from foundry_sdk.v2.ontologies.models import ContainsAllTermsQuery
from foundry_sdk.v2.ontologies.models import ContainsAnyTermQuery
from foundry_sdk.v2.ontologies.models import ContainsQueryV2
from foundry_sdk.v2.ontologies.models import CountAggregationV2
from foundry_sdk.v2.ontologies.models import CountObjectsResponseV2
from foundry_sdk.v2.ontologies.models import CreateInterfaceObjectRule
from foundry_sdk.v2.ontologies.models import CreateLinkRule
from foundry_sdk.v2.ontologies.models import CreateObjectRule
from foundry_sdk.v2.ontologies.models import CreateTemporaryObjectSetResponseV2
from foundry_sdk.v2.ontologies.models import DataValue
from foundry_sdk.v2.ontologies.models import DecryptionResult
from foundry_sdk.v2.ontologies.models import DeleteInterfaceObjectRule
from foundry_sdk.v2.ontologies.models import DeleteLink
from foundry_sdk.v2.ontologies.models import DeleteLinkRule
from foundry_sdk.v2.ontologies.models import DeleteObject
from foundry_sdk.v2.ontologies.models import DeleteObjectRule
from foundry_sdk.v2.ontologies.models import DeprecatedPropertyTypeStatus
from foundry_sdk.v2.ontologies.models import DerivedPropertyApiName
from foundry_sdk.v2.ontologies.models import DerivedPropertyDefinition
from foundry_sdk.v2.ontologies.models import DividePropertyExpression
from foundry_sdk.v2.ontologies.models import DoesNotIntersectBoundingBoxQuery
from foundry_sdk.v2.ontologies.models import DoesNotIntersectPolygonQuery
from foundry_sdk.v2.ontologies.models import DoubleVector
from foundry_sdk.v2.ontologies.models import EntrySetType
from foundry_sdk.v2.ontologies.models import EqualsQueryV2
from foundry_sdk.v2.ontologies.models import ExactDistinctAggregationV2
from foundry_sdk.v2.ontologies.models import ExamplePropertyTypeStatus
from foundry_sdk.v2.ontologies.models import ExecuteQueryResponse
from foundry_sdk.v2.ontologies.models import ExperimentalPropertyTypeStatus
from foundry_sdk.v2.ontologies.models import ExtractDatePart
from foundry_sdk.v2.ontologies.models import ExtractPropertyExpression
from foundry_sdk.v2.ontologies.models import FilterValue
from foundry_sdk.v2.ontologies.models import FunctionRid
from foundry_sdk.v2.ontologies.models import FunctionVersion
from foundry_sdk.v2.ontologies.models import FuzzyV2
from foundry_sdk.v2.ontologies.models import GetSelectedPropertyOperation
from foundry_sdk.v2.ontologies.models import GreatestPropertyExpression
from foundry_sdk.v2.ontologies.models import GroupMemberConstraint
from foundry_sdk.v2.ontologies.models import GteQueryV2
from foundry_sdk.v2.ontologies.models import GtQueryV2
from foundry_sdk.v2.ontologies.models import Icon
from foundry_sdk.v2.ontologies.models import InQuery
from foundry_sdk.v2.ontologies.models import InterfaceLinkType
from foundry_sdk.v2.ontologies.models import InterfaceLinkTypeApiName
from foundry_sdk.v2.ontologies.models import InterfaceLinkTypeCardinality
from foundry_sdk.v2.ontologies.models import InterfaceLinkTypeLinkedEntityApiName
from foundry_sdk.v2.ontologies.models import InterfaceLinkTypeRid
from foundry_sdk.v2.ontologies.models import InterfaceSharedPropertyType
from foundry_sdk.v2.ontologies.models import InterfaceToObjectTypeMapping
from foundry_sdk.v2.ontologies.models import InterfaceToObjectTypeMappings
from foundry_sdk.v2.ontologies.models import InterfaceType
from foundry_sdk.v2.ontologies.models import InterfaceTypeApiName
from foundry_sdk.v2.ontologies.models import InterfaceTypeRid
from foundry_sdk.v2.ontologies.models import IntersectsBoundingBoxQuery
from foundry_sdk.v2.ontologies.models import IntersectsPolygonQuery
from foundry_sdk.v2.ontologies.models import IsNullQueryV2
from foundry_sdk.v2.ontologies.models import LeastPropertyExpression
from foundry_sdk.v2.ontologies.models import LinkedInterfaceTypeApiName
from foundry_sdk.v2.ontologies.models import LinkedObjectTypeApiName
from foundry_sdk.v2.ontologies.models import LinkSideObject
from foundry_sdk.v2.ontologies.models import LinkTypeApiName
from foundry_sdk.v2.ontologies.models import LinkTypeRid
from foundry_sdk.v2.ontologies.models import LinkTypeSideCardinality
from foundry_sdk.v2.ontologies.models import LinkTypeSideV2
from foundry_sdk.v2.ontologies.models import ListActionTypesResponseV2
from foundry_sdk.v2.ontologies.models import ListAttachmentsResponseV2
from foundry_sdk.v2.ontologies.models import ListInterfaceTypesResponse
from foundry_sdk.v2.ontologies.models import ListLinkedObjectsResponseV2
from foundry_sdk.v2.ontologies.models import ListObjectsResponseV2
from foundry_sdk.v2.ontologies.models import ListObjectTypesV2Response
from foundry_sdk.v2.ontologies.models import ListOntologiesV2Response
from foundry_sdk.v2.ontologies.models import ListOutgoingLinkTypesResponseV2
from foundry_sdk.v2.ontologies.models import ListQueryTypesResponseV2
from foundry_sdk.v2.ontologies.models import LoadObjectSetResponseV2
from foundry_sdk.v2.ontologies.models import LoadObjectSetV2MultipleObjectTypesResponse
from foundry_sdk.v2.ontologies.models import LoadObjectSetV2ObjectsOrInterfacesResponse
from foundry_sdk.v2.ontologies.models import LogicRule
from foundry_sdk.v2.ontologies.models import LteQueryV2
from foundry_sdk.v2.ontologies.models import LtQueryV2
from foundry_sdk.v2.ontologies.models import MaxAggregationV2
from foundry_sdk.v2.ontologies.models import MediaMetadata
from foundry_sdk.v2.ontologies.models import MethodObjectSet
from foundry_sdk.v2.ontologies.models import MinAggregationV2
from foundry_sdk.v2.ontologies.models import ModifyInterfaceObjectRule
from foundry_sdk.v2.ontologies.models import ModifyObject
from foundry_sdk.v2.ontologies.models import ModifyObjectRule
from foundry_sdk.v2.ontologies.models import MultiplyPropertyExpression
from foundry_sdk.v2.ontologies.models import NearestNeighborsQuery
from foundry_sdk.v2.ontologies.models import NearestNeighborsQueryText
from foundry_sdk.v2.ontologies.models import NegatePropertyExpression
from foundry_sdk.v2.ontologies.models import NotQueryV2
from foundry_sdk.v2.ontologies.models import ObjectEdit
from foundry_sdk.v2.ontologies.models import ObjectEdits
from foundry_sdk.v2.ontologies.models import ObjectPropertyType
from foundry_sdk.v2.ontologies.models import ObjectPropertyValueConstraint
from foundry_sdk.v2.ontologies.models import ObjectQueryResultConstraint
from foundry_sdk.v2.ontologies.models import ObjectRid
from foundry_sdk.v2.ontologies.models import ObjectSet
from foundry_sdk.v2.ontologies.models import ObjectSetAsBaseObjectTypesType
from foundry_sdk.v2.ontologies.models import ObjectSetAsTypeType
from foundry_sdk.v2.ontologies.models import ObjectSetBaseType
from foundry_sdk.v2.ontologies.models import ObjectSetFilterType
from foundry_sdk.v2.ontologies.models import ObjectSetInterfaceBaseType
from foundry_sdk.v2.ontologies.models import ObjectSetIntersectionType
from foundry_sdk.v2.ontologies.models import ObjectSetMethodInputType
from foundry_sdk.v2.ontologies.models import ObjectSetNearestNeighborsType
from foundry_sdk.v2.ontologies.models import ObjectSetReferenceType
from foundry_sdk.v2.ontologies.models import ObjectSetRid
from foundry_sdk.v2.ontologies.models import ObjectSetSearchAroundType
from foundry_sdk.v2.ontologies.models import ObjectSetStaticType
from foundry_sdk.v2.ontologies.models import ObjectSetSubtractType
from foundry_sdk.v2.ontologies.models import ObjectSetUnionType
from foundry_sdk.v2.ontologies.models import ObjectSetWithPropertiesType
from foundry_sdk.v2.ontologies.models import ObjectTypeApiName
from foundry_sdk.v2.ontologies.models import ObjectTypeEdits
from foundry_sdk.v2.ontologies.models import ObjectTypeFullMetadata
from foundry_sdk.v2.ontologies.models import ObjectTypeId
from foundry_sdk.v2.ontologies.models import ObjectTypeInterfaceImplementation
from foundry_sdk.v2.ontologies.models import ObjectTypeRid
from foundry_sdk.v2.ontologies.models import ObjectTypeV2
from foundry_sdk.v2.ontologies.models import ObjectTypeVisibility
from foundry_sdk.v2.ontologies.models import OneOfConstraint
from foundry_sdk.v2.ontologies.models import OntologyApiName
from foundry_sdk.v2.ontologies.models import OntologyArrayType
from foundry_sdk.v2.ontologies.models import OntologyDataType
from foundry_sdk.v2.ontologies.models import OntologyFullMetadata
from foundry_sdk.v2.ontologies.models import OntologyIdentifier
from foundry_sdk.v2.ontologies.models import OntologyInterfaceObjectType
from foundry_sdk.v2.ontologies.models import OntologyMapType
from foundry_sdk.v2.ontologies.models import OntologyObjectArrayType
from foundry_sdk.v2.ontologies.models import OntologyObjectSetType
from foundry_sdk.v2.ontologies.models import OntologyObjectType
from foundry_sdk.v2.ontologies.models import OntologyObjectTypeReferenceType
from foundry_sdk.v2.ontologies.models import OntologyObjectV2
from foundry_sdk.v2.ontologies.models import OntologyRid
from foundry_sdk.v2.ontologies.models import OntologySetType
from foundry_sdk.v2.ontologies.models import OntologyStructField
from foundry_sdk.v2.ontologies.models import OntologyStructType
from foundry_sdk.v2.ontologies.models import OntologyV2
from foundry_sdk.v2.ontologies.models import OrderBy
from foundry_sdk.v2.ontologies.models import OrderByDirection
from foundry_sdk.v2.ontologies.models import OrQueryV2
from foundry_sdk.v2.ontologies.models import ParameterEvaluatedConstraint
from foundry_sdk.v2.ontologies.models import ParameterEvaluationResult
from foundry_sdk.v2.ontologies.models import ParameterId
from foundry_sdk.v2.ontologies.models import ParameterOption
from foundry_sdk.v2.ontologies.models import Plaintext
from foundry_sdk.v2.ontologies.models import PolygonValue
from foundry_sdk.v2.ontologies.models import PreciseDuration
from foundry_sdk.v2.ontologies.models import PreciseTimeUnit
from foundry_sdk.v2.ontologies.models import PrimaryKeyValue
from foundry_sdk.v2.ontologies.models import PropertyApiName
from foundry_sdk.v2.ontologies.models import PropertyApiNameSelector
from foundry_sdk.v2.ontologies.models import PropertyFilter
from foundry_sdk.v2.ontologies.models import PropertyId
from foundry_sdk.v2.ontologies.models import PropertyIdentifier
from foundry_sdk.v2.ontologies.models import PropertyTypeRid
from foundry_sdk.v2.ontologies.models import PropertyTypeStatus
from foundry_sdk.v2.ontologies.models import PropertyTypeVisibility
from foundry_sdk.v2.ontologies.models import PropertyV2
from foundry_sdk.v2.ontologies.models import PropertyValue
from foundry_sdk.v2.ontologies.models import PropertyValueEscapedString
from foundry_sdk.v2.ontologies.models import QueryAggregationKeyType
from foundry_sdk.v2.ontologies.models import QueryAggregationRangeSubType
from foundry_sdk.v2.ontologies.models import QueryAggregationRangeType
from foundry_sdk.v2.ontologies.models import QueryAggregationValueType
from foundry_sdk.v2.ontologies.models import QueryApiName
from foundry_sdk.v2.ontologies.models import QueryArrayType
from foundry_sdk.v2.ontologies.models import QueryDataType
from foundry_sdk.v2.ontologies.models import QueryParameterV2
from foundry_sdk.v2.ontologies.models import QueryRuntimeErrorParameter
from foundry_sdk.v2.ontologies.models import QuerySetType
from foundry_sdk.v2.ontologies.models import QueryStructField
from foundry_sdk.v2.ontologies.models import QueryStructType
from foundry_sdk.v2.ontologies.models import QueryTypeV2
from foundry_sdk.v2.ontologies.models import QueryUnionType
from foundry_sdk.v2.ontologies.models import RangeConstraint
from foundry_sdk.v2.ontologies.models import RelativeTime
from foundry_sdk.v2.ontologies.models import RelativeTimeRange
from foundry_sdk.v2.ontologies.models import RelativeTimeRelation
from foundry_sdk.v2.ontologies.models import RelativeTimeSeriesTimeUnit
from foundry_sdk.v2.ontologies.models import ReturnEditsMode
from foundry_sdk.v2.ontologies.models import RollingAggregateWindowPoints
from foundry_sdk.v2.ontologies.models import SdkPackageName
from foundry_sdk.v2.ontologies.models import SdkPackageRid
from foundry_sdk.v2.ontologies.models import SdkVersion
from foundry_sdk.v2.ontologies.models import SearchJsonQueryV2
from foundry_sdk.v2.ontologies.models import SearchObjectsResponseV2
from foundry_sdk.v2.ontologies.models import SearchOrderByType
from foundry_sdk.v2.ontologies.models import SearchOrderByV2
from foundry_sdk.v2.ontologies.models import SearchOrderingV2
from foundry_sdk.v2.ontologies.models import SelectedPropertyApiName
from foundry_sdk.v2.ontologies.models import SelectedPropertyApproximateDistinctAggregation
from foundry_sdk.v2.ontologies.models import SelectedPropertyApproximatePercentileAggregation
from foundry_sdk.v2.ontologies.models import SelectedPropertyAvgAggregation
from foundry_sdk.v2.ontologies.models import SelectedPropertyCollectListAggregation
from foundry_sdk.v2.ontologies.models import SelectedPropertyCollectSetAggregation
from foundry_sdk.v2.ontologies.models import SelectedPropertyCountAggregation
from foundry_sdk.v2.ontologies.models import SelectedPropertyExactDistinctAggregation
from foundry_sdk.v2.ontologies.models import SelectedPropertyExpression
from foundry_sdk.v2.ontologies.models import SelectedPropertyMaxAggregation
from foundry_sdk.v2.ontologies.models import SelectedPropertyMinAggregation
from foundry_sdk.v2.ontologies.models import SelectedPropertyOperation
from foundry_sdk.v2.ontologies.models import SelectedPropertySumAggregation
from foundry_sdk.v2.ontologies.models import SharedPropertyType
from foundry_sdk.v2.ontologies.models import SharedPropertyTypeApiName
from foundry_sdk.v2.ontologies.models import SharedPropertyTypeRid
from foundry_sdk.v2.ontologies.models import StartsWithQuery
from foundry_sdk.v2.ontologies.models import StreamingOutputFormat
from foundry_sdk.v2.ontologies.models import StringLengthConstraint
from foundry_sdk.v2.ontologies.models import StringRegexMatchConstraint
from foundry_sdk.v2.ontologies.models import StructFieldApiName
from foundry_sdk.v2.ontologies.models import StructFieldSelector
from foundry_sdk.v2.ontologies.models import StructFieldType
from foundry_sdk.v2.ontologies.models import StructType
from foundry_sdk.v2.ontologies.models import SubmissionCriteriaEvaluation
from foundry_sdk.v2.ontologies.models import SubtractPropertyExpression
from foundry_sdk.v2.ontologies.models import SumAggregationV2
from foundry_sdk.v2.ontologies.models import SyncApplyActionResponseV2
from foundry_sdk.v2.ontologies.models import ThreeDimensionalAggregation
from foundry_sdk.v2.ontologies.models import TimeRange
from foundry_sdk.v2.ontologies.models import TimeSeriesAggregationMethod
from foundry_sdk.v2.ontologies.models import TimeSeriesAggregationStrategy
from foundry_sdk.v2.ontologies.models import TimeSeriesCumulativeAggregate
from foundry_sdk.v2.ontologies.models import TimeseriesEntry
from foundry_sdk.v2.ontologies.models import TimeSeriesPeriodicAggregate
from foundry_sdk.v2.ontologies.models import TimeSeriesPoint
from foundry_sdk.v2.ontologies.models import TimeSeriesRollingAggregate
from foundry_sdk.v2.ontologies.models import TimeSeriesRollingAggregateWindow
from foundry_sdk.v2.ontologies.models import TimeSeriesWindowType
from foundry_sdk.v2.ontologies.models import TimeUnit
from foundry_sdk.v2.ontologies.models import TwoDimensionalAggregation
from foundry_sdk.v2.ontologies.models import UnevaluableConstraint
from foundry_sdk.v2.ontologies.models import ValidateActionResponseV2
from foundry_sdk.v2.ontologies.models import ValidationResult
from foundry_sdk.v2.ontologies.models import ValueType
from foundry_sdk.v2.ontologies.models import VersionedQueryTypeApiName
from foundry_sdk.v2.ontologies.models import WithinBoundingBoxPoint
from foundry_sdk.v2.ontologies.models import WithinBoundingBoxQuery
from foundry_sdk.v2.ontologies.models import WithinDistanceOfQuery
from foundry_sdk.v2.ontologies.models import WithinPolygonQuery
from foundry_sdk.v2.orchestration.models import AbortOnFailure
from foundry_sdk.v2.orchestration.models import Action
from foundry_sdk.v2.orchestration.models import AndTrigger
from foundry_sdk.v2.orchestration.models import Build
from foundry_sdk.v2.orchestration.models import BuildableRid
from foundry_sdk.v2.orchestration.models import BuildStatus
from foundry_sdk.v2.orchestration.models import BuildTarget
from foundry_sdk.v2.orchestration.models import ConnectingTarget
from foundry_sdk.v2.orchestration.models import CreateScheduleRequestAction
from foundry_sdk.v2.orchestration.models import CreateScheduleRequestBuildTarget
from foundry_sdk.v2.orchestration.models import CreateScheduleRequestConnectingTarget
from foundry_sdk.v2.orchestration.models import CreateScheduleRequestManualTarget
from foundry_sdk.v2.orchestration.models import CreateScheduleRequestProjectScope
from foundry_sdk.v2.orchestration.models import CreateScheduleRequestScopeMode
from foundry_sdk.v2.orchestration.models import CreateScheduleRequestUpstreamTarget
from foundry_sdk.v2.orchestration.models import CreateScheduleRequestUserScope
from foundry_sdk.v2.orchestration.models import CronExpression
from foundry_sdk.v2.orchestration.models import DatasetJobOutput
from foundry_sdk.v2.orchestration.models import DatasetUpdatedTrigger
from foundry_sdk.v2.orchestration.models import FallbackBranches
from foundry_sdk.v2.orchestration.models import ForceBuild
from foundry_sdk.v2.orchestration.models import GetBuildsBatchRequestElement
from foundry_sdk.v2.orchestration.models import GetBuildsBatchResponse
from foundry_sdk.v2.orchestration.models import GetJobsBatchRequestElement
from foundry_sdk.v2.orchestration.models import GetJobsBatchResponse
from foundry_sdk.v2.orchestration.models import Job
from foundry_sdk.v2.orchestration.models import JobOutput
from foundry_sdk.v2.orchestration.models import JobStartedTime
from foundry_sdk.v2.orchestration.models import JobStatus
from foundry_sdk.v2.orchestration.models import JobSucceededTrigger
from foundry_sdk.v2.orchestration.models import ListJobsOfBuildResponse
from foundry_sdk.v2.orchestration.models import ListRunsOfScheduleResponse
from foundry_sdk.v2.orchestration.models import ManualTarget
from foundry_sdk.v2.orchestration.models import ManualTrigger
from foundry_sdk.v2.orchestration.models import MediaSetUpdatedTrigger
from foundry_sdk.v2.orchestration.models import NewLogicTrigger
from foundry_sdk.v2.orchestration.models import NotificationsEnabled
from foundry_sdk.v2.orchestration.models import OrTrigger
from foundry_sdk.v2.orchestration.models import ProjectScope
from foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestAction
from foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestBuildTarget
from foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestConnectingTarget
from foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestManualTarget
from foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestProjectScope
from foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestScopeMode
from foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestUpstreamTarget
from foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestUserScope
from foundry_sdk.v2.orchestration.models import RetryBackoffDuration
from foundry_sdk.v2.orchestration.models import RetryCount
from foundry_sdk.v2.orchestration.models import Schedule
from foundry_sdk.v2.orchestration.models import SchedulePaused
from foundry_sdk.v2.orchestration.models import ScheduleRun
from foundry_sdk.v2.orchestration.models import ScheduleRunError
from foundry_sdk.v2.orchestration.models import ScheduleRunErrorName
from foundry_sdk.v2.orchestration.models import ScheduleRunIgnored
from foundry_sdk.v2.orchestration.models import ScheduleRunResult
from foundry_sdk.v2.orchestration.models import ScheduleRunRid
from foundry_sdk.v2.orchestration.models import ScheduleRunSubmitted
from foundry_sdk.v2.orchestration.models import ScheduleSucceededTrigger
from foundry_sdk.v2.orchestration.models import ScheduleVersion
from foundry_sdk.v2.orchestration.models import ScheduleVersionRid
from foundry_sdk.v2.orchestration.models import ScopeMode
from foundry_sdk.v2.orchestration.models import SearchBuildsAndFilter
from foundry_sdk.v2.orchestration.models import SearchBuildsEqualsFilter
from foundry_sdk.v2.orchestration.models import SearchBuildsEqualsFilterField
from foundry_sdk.v2.orchestration.models import SearchBuildsFilter
from foundry_sdk.v2.orchestration.models import SearchBuildsGteFilter
from foundry_sdk.v2.orchestration.models import SearchBuildsGteFilterField
from foundry_sdk.v2.orchestration.models import SearchBuildsLtFilter
from foundry_sdk.v2.orchestration.models import SearchBuildsLtFilterField
from foundry_sdk.v2.orchestration.models import SearchBuildsNotFilter
from foundry_sdk.v2.orchestration.models import SearchBuildsOrderBy
from foundry_sdk.v2.orchestration.models import SearchBuildsOrderByField
from foundry_sdk.v2.orchestration.models import SearchBuildsOrderByItem
from foundry_sdk.v2.orchestration.models import SearchBuildsOrFilter
from foundry_sdk.v2.orchestration.models import SearchBuildsResponse
from foundry_sdk.v2.orchestration.models import TimeTrigger
from foundry_sdk.v2.orchestration.models import TransactionalMediaSetJobOutput
from foundry_sdk.v2.orchestration.models import Trigger
from foundry_sdk.v2.orchestration.models import UpstreamTarget
from foundry_sdk.v2.orchestration.models import UserScope
from foundry_sdk.v2.sql_queries.models import CanceledQueryStatus
from foundry_sdk.v2.sql_queries.models import FailedQueryStatus
from foundry_sdk.v2.sql_queries.models import QueryStatus
from foundry_sdk.v2.sql_queries.models import RunningQueryStatus
from foundry_sdk.v2.sql_queries.models import SqlQueryId
from foundry_sdk.v2.sql_queries.models import SucceededQueryStatus
from foundry_sdk.v2.streams.models import Compressed
from foundry_sdk.v2.streams.models import CreateStreamRequestStreamSchema
from foundry_sdk.v2.streams.models import Dataset
from foundry_sdk.v2.streams.models import PartitionsCount
from foundry_sdk.v2.streams.models import Record
from foundry_sdk.v2.streams.models import Stream
from foundry_sdk.v2.streams.models import StreamType
from foundry_sdk.v2.streams.models import ViewRid
from foundry_sdk.v2.third_party_applications.models import ListVersionsResponse
from foundry_sdk.v2.third_party_applications.models import Subdomain
from foundry_sdk.v2.third_party_applications.models import ThirdPartyApplication
from foundry_sdk.v2.third_party_applications.models import ThirdPartyApplicationRid
from foundry_sdk.v2.third_party_applications.models import Version
from foundry_sdk.v2.third_party_applications.models import VersionVersion
from foundry_sdk.v2.third_party_applications.models import Website
Documentation for V1 models
from foundry_sdk.v1.core.models import AnyType
from foundry_sdk.v1.core.models import AttachmentType
from foundry_sdk.v1.core.models import BinaryType
from foundry_sdk.v1.core.models import BooleanType
from foundry_sdk.v1.core.models import ByteType
from foundry_sdk.v1.core.models import CipherTextType
from foundry_sdk.v1.core.models import ContentLength
from foundry_sdk.v1.core.models import ContentType
from foundry_sdk.v1.core.models import DateType
from foundry_sdk.v1.core.models import DecimalType
from foundry_sdk.v1.core.models import DisplayName
from foundry_sdk.v1.core.models import DistanceUnit
from foundry_sdk.v1.core.models import DoubleType
from foundry_sdk.v1.core.models import Filename
from foundry_sdk.v1.core.models import FilePath
from foundry_sdk.v1.core.models import FloatType
from foundry_sdk.v1.core.models import FolderRid
from foundry_sdk.v1.core.models import IntegerType
from foundry_sdk.v1.core.models import LongType
from foundry_sdk.v1.core.models import MarkingType
from foundry_sdk.v1.core.models import MediaType
from foundry_sdk.v1.core.models import NullType
from foundry_sdk.v1.core.models import OperationScope
from foundry_sdk.v1.core.models import PageSize
from foundry_sdk.v1.core.models import PageToken
from foundry_sdk.v1.core.models import PreviewMode
from foundry_sdk.v1.core.models import ReleaseStatus
from foundry_sdk.v1.core.models import ShortType
from foundry_sdk.v1.core.models import SizeBytes
from foundry_sdk.v1.core.models import StringType
from foundry_sdk.v1.core.models import StructFieldName
from foundry_sdk.v1.core.models import TimestampType
from foundry_sdk.v1.core.models import TotalCount
from foundry_sdk.v1.core.models import UnsupportedType
from foundry_sdk.v1.datasets.models import Branch
from foundry_sdk.v1.datasets.models import BranchId
from foundry_sdk.v1.datasets.models import Dataset
from foundry_sdk.v1.datasets.models import DatasetName
from foundry_sdk.v1.datasets.models import DatasetRid
from foundry_sdk.v1.datasets.models import File
from foundry_sdk.v1.datasets.models import ListBranchesResponse
from foundry_sdk.v1.datasets.models import ListFilesResponse
from foundry_sdk.v1.datasets.models import TableExportFormat
from foundry_sdk.v1.datasets.models import Transaction
from foundry_sdk.v1.datasets.models import TransactionRid
from foundry_sdk.v1.datasets.models import TransactionStatus
from foundry_sdk.v1.datasets.models import TransactionType
from foundry_sdk.v1.ontologies.models import ActionRid
from foundry_sdk.v1.ontologies.models import ActionType
from foundry_sdk.v1.ontologies.models import ActionTypeApiName
from foundry_sdk.v1.ontologies.models import ActionTypeRid
from foundry_sdk.v1.ontologies.models import AggregateObjectsResponse
from foundry_sdk.v1.ontologies.models import AggregateObjectsResponseItem
from foundry_sdk.v1.ontologies.models import Aggregation
from foundry_sdk.v1.ontologies.models import AggregationDurationGrouping
from foundry_sdk.v1.ontologies.models import AggregationExactGrouping
from foundry_sdk.v1.ontologies.models import AggregationFixedWidthGrouping
from foundry_sdk.v1.ontologies.models import AggregationGroupBy
from foundry_sdk.v1.ontologies.models import AggregationGroupKey
from foundry_sdk.v1.ontologies.models import AggregationGroupValue
from foundry_sdk.v1.ontologies.models import AggregationMetricName
from foundry_sdk.v1.ontologies.models import AggregationMetricResult
from foundry_sdk.v1.ontologies.models import AggregationRange
from foundry_sdk.v1.ontologies.models import AggregationRangesGrouping
from foundry_sdk.v1.ontologies.models import AllTermsQuery
from foundry_sdk.v1.ontologies.models import AndQuery
from foundry_sdk.v1.ontologies.models import AnyTermQuery
from foundry_sdk.v1.ontologies.models import ApplyActionMode
from foundry_sdk.v1.ontologies.models import ApplyActionRequest
from foundry_sdk.v1.ontologies.models import ApplyActionRequestOptions
from foundry_sdk.v1.ontologies.models import ApplyActionResponse
from foundry_sdk.v1.ontologies.models import ApproximateDistinctAggregation
from foundry_sdk.v1.ontologies.models import ArraySizeConstraint
from foundry_sdk.v1.ontologies.models import ArtifactRepositoryRid
from foundry_sdk.v1.ontologies.models import Attachment
from foundry_sdk.v1.ontologies.models import AttachmentRid
from foundry_sdk.v1.ontologies.models import AvgAggregation
from foundry_sdk.v1.ontologies.models import BatchApplyActionResponse
from foundry_sdk.v1.ontologies.models import ContainsQuery
from foundry_sdk.v1.ontologies.models import CountAggregation
from foundry_sdk.v1.ontologies.models import CreateInterfaceObjectRule
from foundry_sdk.v1.ontologies.models import CreateLinkRule
from foundry_sdk.v1.ontologies.models import CreateObjectRule
from foundry_sdk.v1.ontologies.models import DataValue
from foundry_sdk.v1.ontologies.models import DeleteInterfaceObjectRule
from foundry_sdk.v1.ontologies.models import DeleteLinkRule
from foundry_sdk.v1.ontologies.models import DeleteObjectRule
from foundry_sdk.v1.ontologies.models import DerivedPropertyApiName
from foundry_sdk.v1.ontologies.models import Duration
from foundry_sdk.v1.ontologies.models import EntrySetType
from foundry_sdk.v1.ontologies.models import EqualsQuery
from foundry_sdk.v1.ontologies.models import ExecuteQueryResponse
from foundry_sdk.v1.ontologies.models import FieldNameV1
from foundry_sdk.v1.ontologies.models import FilterValue
from foundry_sdk.v1.ontologies.models import FunctionRid
from foundry_sdk.v1.ontologies.models import FunctionVersion
from foundry_sdk.v1.ontologies.models import Fuzzy
from foundry_sdk.v1.ontologies.models import GroupMemberConstraint
from foundry_sdk.v1.ontologies.models import GteQuery
from foundry_sdk.v1.ontologies.models import GtQuery
from foundry_sdk.v1.ontologies.models import InterfaceTypeApiName
from foundry_sdk.v1.ontologies.models import InterfaceTypeRid
from foundry_sdk.v1.ontologies.models import IsNullQuery
from foundry_sdk.v1.ontologies.models import LinkTypeApiName
from foundry_sdk.v1.ontologies.models import LinkTypeSide
from foundry_sdk.v1.ontologies.models import LinkTypeSideCardinality
from foundry_sdk.v1.ontologies.models import ListActionTypesResponse
from foundry_sdk.v1.ontologies.models import ListLinkedObjectsResponse
from foundry_sdk.v1.ontologies.models import ListObjectsResponse
from foundry_sdk.v1.ontologies.models import ListObjectTypesResponse
from foundry_sdk.v1.ontologies.models import ListOntologiesResponse
from foundry_sdk.v1.ontologies.models import ListOutgoingLinkTypesResponse
from foundry_sdk.v1.ontologies.models import ListQueryTypesResponse
from foundry_sdk.v1.ontologies.models import LogicRule
from foundry_sdk.v1.ontologies.models import LteQuery
from foundry_sdk.v1.ontologies.models import LtQuery
from foundry_sdk.v1.ontologies.models import MaxAggregation
from foundry_sdk.v1.ontologies.models import MinAggregation
from foundry_sdk.v1.ontologies.models import ModifyInterfaceObjectRule
from foundry_sdk.v1.ontologies.models import ModifyObjectRule
from foundry_sdk.v1.ontologies.models import NotQuery
from foundry_sdk.v1.ontologies.models import ObjectPropertyValueConstraint
from foundry_sdk.v1.ontologies.models import ObjectQueryResultConstraint
from foundry_sdk.v1.ontologies.models import ObjectRid
from foundry_sdk.v1.ontologies.models import ObjectSetRid
from foundry_sdk.v1.ontologies.models import ObjectType
from foundry_sdk.v1.ontologies.models import ObjectTypeApiName
from foundry_sdk.v1.ontologies.models import ObjectTypeRid
from foundry_sdk.v1.ontologies.models import ObjectTypeVisibility
from foundry_sdk.v1.ontologies.models import OneOfConstraint
from foundry_sdk.v1.ontologies.models import Ontology
from foundry_sdk.v1.ontologies.models import OntologyApiName
from foundry_sdk.v1.ontologies.models import OntologyArrayType
from foundry_sdk.v1.ontologies.models import OntologyDataType
from foundry_sdk.v1.ontologies.models import OntologyMapType
from foundry_sdk.v1.ontologies.models import OntologyObject
from foundry_sdk.v1.ontologies.models import OntologyObjectSetType
from foundry_sdk.v1.ontologies.models import OntologyObjectType
from foundry_sdk.v1.ontologies.models import OntologyRid
from foundry_sdk.v1.ontologies.models import OntologySetType
from foundry_sdk.v1.ontologies.models import OntologyStructField
from foundry_sdk.v1.ontologies.models import OntologyStructType
from foundry_sdk.v1.ontologies.models import OrderBy
from foundry_sdk.v1.ontologies.models import OrQuery
from foundry_sdk.v1.ontologies.models import Parameter
from foundry_sdk.v1.ontologies.models import ParameterEvaluatedConstraint
from foundry_sdk.v1.ontologies.models import ParameterEvaluationResult
from foundry_sdk.v1.ontologies.models import ParameterId
from foundry_sdk.v1.ontologies.models import ParameterOption
from foundry_sdk.v1.ontologies.models import PhraseQuery
from foundry_sdk.v1.ontologies.models import PrefixQuery
from foundry_sdk.v1.ontologies.models import PrimaryKeyValue
from foundry_sdk.v1.ontologies.models import Property
from foundry_sdk.v1.ontologies.models import PropertyApiName
from foundry_sdk.v1.ontologies.models import PropertyFilter
from foundry_sdk.v1.ontologies.models import PropertyId
from foundry_sdk.v1.ontologies.models import PropertyTypeRid
from foundry_sdk.v1.ontologies.models import PropertyValue
from foundry_sdk.v1.ontologies.models import PropertyValueEscapedString
from foundry_sdk.v1.ontologies.models import QueryAggregationKeyType
from foundry_sdk.v1.ontologies.models import QueryAggregationRangeSubType
from foundry_sdk.v1.ontologies.models import QueryAggregationRangeType
from foundry_sdk.v1.ontologies.models import QueryAggregationValueType
from foundry_sdk.v1.ontologies.models import QueryApiName
from foundry_sdk.v1.ontologies.models import QueryArrayType
from foundry_sdk.v1.ontologies.models import QueryDataType
from foundry_sdk.v1.ontologies.models import QueryRuntimeErrorParameter
from foundry_sdk.v1.ontologies.models import QuerySetType
from foundry_sdk.v1.ontologies.models import QueryStructField
from foundry_sdk.v1.ontologies.models import QueryStructType
from foundry_sdk.v1.ontologies.models import QueryType
from foundry_sdk.v1.ontologies.models import QueryUnionType
from foundry_sdk.v1.ontologies.models import RangeConstraint
from foundry_sdk.v1.ontologies.models import ReturnEditsMode
from foundry_sdk.v1.ontologies.models import SdkPackageName
from foundry_sdk.v1.ontologies.models import SdkPackageRid
from foundry_sdk.v1.ontologies.models import SdkVersion
from foundry_sdk.v1.ontologies.models import SearchJsonQuery
from foundry_sdk.v1.ontologies.models import SearchObjectsResponse
from foundry_sdk.v1.ontologies.models import SearchOrderBy
from foundry_sdk.v1.ontologies.models import SearchOrderByType
from foundry_sdk.v1.ontologies.models import SearchOrdering
from foundry_sdk.v1.ontologies.models import SelectedPropertyApiName
from foundry_sdk.v1.ontologies.models import SharedPropertyTypeApiName
from foundry_sdk.v1.ontologies.models import SharedPropertyTypeRid
from foundry_sdk.v1.ontologies.models import StringLengthConstraint
from foundry_sdk.v1.ontologies.models import StringRegexMatchConstraint
from foundry_sdk.v1.ontologies.models import SubmissionCriteriaEvaluation
from foundry_sdk.v1.ontologies.models import SumAggregation
from foundry_sdk.v1.ontologies.models import ThreeDimensionalAggregation
from foundry_sdk.v1.ontologies.models import TwoDimensionalAggregation
from foundry_sdk.v1.ontologies.models import UnevaluableConstraint
from foundry_sdk.v1.ontologies.models import ValidateActionResponse
from foundry_sdk.v1.ontologies.models import ValidationResult
from foundry_sdk.v1.ontologies.models import ValueType
Documentation for errors
Documentation for V2 errors
from foundry_sdk.v2.admin.errors import AddGroupMembersPermissionDenied
from foundry_sdk.v2.admin.errors import AddMarkingMembersPermissionDenied
from foundry_sdk.v2.admin.errors import AddMarkingRoleAssignmentsPermissionDenied
from foundry_sdk.v2.admin.errors import AddOrganizationRoleAssignmentsPermissionDenied
from foundry_sdk.v2.admin.errors import AuthenticationProviderNotFound
from foundry_sdk.v2.admin.errors import CannotReplaceProviderInfoForPrincipalInProtectedRealm
from foundry_sdk.v2.admin.errors import CreateGroupPermissionDenied
from foundry_sdk.v2.admin.errors import CreateMarkingMissingInitialAdminRole
from foundry_sdk.v2.admin.errors import CreateMarkingNameInCategoryAlreadyExists
from foundry_sdk.v2.admin.errors import CreateMarkingPermissionDenied
from foundry_sdk.v2.admin.errors import DeleteGroupPermissionDenied
from foundry_sdk.v2.admin.errors import DeleteUserPermissionDenied
from foundry_sdk.v2.admin.errors import EnrollmentNotFound
from foundry_sdk.v2.admin.errors import GetCurrentEnrollmentPermissionDenied
from foundry_sdk.v2.admin.errors import GetCurrentUserPermissionDenied
from foundry_sdk.v2.admin.errors import GetGroupProviderInfoPermissionDenied
from foundry_sdk.v2.admin.errors import GetMarkingCategoryPermissionDenied
from foundry_sdk.v2.admin.errors import GetMarkingPermissionDenied
from foundry_sdk.v2.admin.errors import GetMarkingsUserPermissionDenied
from foundry_sdk.v2.admin.errors import GetProfilePictureOfUserPermissionDenied
from foundry_sdk.v2.admin.errors import GetUserProviderInfoPermissionDenied
from foundry_sdk.v2.admin.errors import GroupNameAlreadyExists
from foundry_sdk.v2.admin.errors import GroupNotFound
from foundry_sdk.v2.admin.errors import GroupProviderInfoNotFound
from foundry_sdk.v2.admin.errors import InvalidGroupMembershipExpiration
from foundry_sdk.v2.admin.errors import InvalidGroupOrganizations
from foundry_sdk.v2.admin.errors import InvalidHostName
from foundry_sdk.v2.admin.errors import InvalidProfilePicture
from foundry_sdk.v2.admin.errors import ListAvailableRolesOrganizationPermissionDenied
from foundry_sdk.v2.admin.errors import ListHostsPermissionDenied
from foundry_sdk.v2.admin.errors import ListMarkingMembersPermissionDenied
from foundry_sdk.v2.admin.errors import ListMarkingRoleAssignmentsPermissionDenied
from foundry_sdk.v2.admin.errors import ListOrganizationRoleAssignmentsPermissionDenied
from foundry_sdk.v2.admin.errors import MarkingCategoryNotFound
from foundry_sdk.v2.admin.errors import MarkingNotFound
from foundry_sdk.v2.admin.errors import OrganizationNotFound
from foundry_sdk.v2.admin.errors import PreregisterGroupPermissionDenied
from foundry_sdk.v2.admin.errors import PreregisterUserPermissionDenied
from foundry_sdk.v2.admin.errors import PrincipalNotFound
from foundry_sdk.v2.admin.errors import ProfilePictureNotFound
from foundry_sdk.v2.admin.errors import RemoveGroupMembersPermissionDenied
from foundry_sdk.v2.admin.errors import RemoveMarkingMembersPermissionDenied
from foundry_sdk.v2.admin.errors import RemoveMarkingRoleAssignmentsPermissionDenied
from foundry_sdk.v2.admin.errors import RemoveMarkingRoleAssignmentsRemoveAllAdministratorsNotAllowed
from foundry_sdk.v2.admin.errors import RemoveOrganizationRoleAssignmentsPermissionDenied
from foundry_sdk.v2.admin.errors import ReplaceGroupProviderInfoPermissionDenied
from foundry_sdk.v2.admin.errors import ReplaceOrganizationPermissionDenied
from foundry_sdk.v2.admin.errors import ReplaceUserProviderInfoPermissionDenied
from foundry_sdk.v2.admin.errors import RevokeAllTokensUserPermissionDenied
from foundry_sdk.v2.admin.errors import RoleNotFound
from foundry_sdk.v2.admin.errors import SearchGroupsPermissionDenied
from foundry_sdk.v2.admin.errors import SearchUsersPermissionDenied
from foundry_sdk.v2.admin.errors import UserNotFound
from foundry_sdk.v2.admin.errors import UserProviderInfoNotFound
from foundry_sdk.v2.aip_agents.errors import AgentIterationsExceededLimit
from foundry_sdk.v2.aip_agents.errors import AgentNotFound
from foundry_sdk.v2.aip_agents.errors import AgentVersionNotFound
from foundry_sdk.v2.aip_agents.errors import BlockingContinueSessionPermissionDenied
from foundry_sdk.v2.aip_agents.errors import CancelSessionFailedMessageNotInProgress
from foundry_sdk.v2.aip_agents.errors import CancelSessionPermissionDenied
from foundry_sdk.v2.aip_agents.errors import ContentNotFound
from foundry_sdk.v2.aip_agents.errors import ContextSizeExceededLimit
from foundry_sdk.v2.aip_agents.errors import CreateSessionPermissionDenied
from foundry_sdk.v2.aip_agents.errors import FunctionLocatorNotFound
from foundry_sdk.v2.aip_agents.errors import GetAllSessionsAgentsPermissionDenied
from foundry_sdk.v2.aip_agents.errors import GetRagContextForSessionPermissionDenied
from foundry_sdk.v2.aip_agents.errors import InvalidAgentVersion
from foundry_sdk.v2.aip_agents.errors import InvalidParameter
from foundry_sdk.v2.aip_agents.errors import InvalidParameterType
from foundry_sdk.v2.aip_agents.errors import ListSessionsForAgentsPermissionDenied
from foundry_sdk.v2.aip_agents.errors import NoPublishedAgentVersion
from foundry_sdk.v2.aip_agents.errors import ObjectTypeIdsNotFound
from foundry_sdk.v2.aip_agents.errors import ObjectTypeRidsNotFound
from foundry_sdk.v2.aip_agents.errors import RateLimitExceeded
from foundry_sdk.v2.aip_agents.errors import SessionExecutionFailed
from foundry_sdk.v2.aip_agents.errors import SessionNotFound
from foundry_sdk.v2.aip_agents.errors import SessionTraceIdAlreadyExists
from foundry_sdk.v2.aip_agents.errors import SessionTraceNotFound
from foundry_sdk.v2.aip_agents.errors import StreamingContinueSessionPermissionDenied
from foundry_sdk.v2.aip_agents.errors import UpdateSessionTitlePermissionDenied
from foundry_sdk.v2.connectivity.errors import AdditionalSecretsMustBeSpecifiedAsPlaintextValueMap
from foundry_sdk.v2.connectivity.errors import ConnectionDetailsNotDetermined
from foundry_sdk.v2.connectivity.errors import ConnectionNotFound
from foundry_sdk.v2.connectivity.errors import ConnectionTypeNotSupported
from foundry_sdk.v2.connectivity.errors import CreateConnectionPermissionDenied
from foundry_sdk.v2.connectivity.errors import CreateFileImportPermissionDenied
from foundry_sdk.v2.connectivity.errors import CreateTableImportPermissionDenied
from foundry_sdk.v2.connectivity.errors import DeleteFileImportPermissionDenied
from foundry_sdk.v2.connectivity.errors import DeleteTableImportPermissionDenied
from foundry_sdk.v2.connectivity.errors import DomainMustUseHttpsWithAuthentication
from foundry_sdk.v2.connectivity.errors import EncryptedPropertyMustBeSpecifiedAsPlaintextValue
from foundry_sdk.v2.connectivity.errors import ExecuteFileImportPermissionDenied
from foundry_sdk.v2.connectivity.errors import ExecuteTableImportPermissionDenied
from foundry_sdk.v2.connectivity.errors import FileAtLeastCountFilterInvalidMinCount
from foundry_sdk.v2.connectivity.errors import FileImportCustomFilterCannotBeUsedToCreateOrUpdateFileImports
from foundry_sdk.v2.connectivity.errors import FileImportNotFound
from foundry_sdk.v2.connectivity.errors import FileImportNotSupportedForConnection
from foundry_sdk.v2.connectivity.errors import FilesCountLimitFilterInvalidLimit
from foundry_sdk.v2.connectivity.errors import FileSizeFilterGreaterThanCannotBeNegative
from foundry_sdk.v2.connectivity.errors import FileSizeFilterInvalidGreaterThanAndLessThanRange
from foundry_sdk.v2.connectivity.errors import FileSizeFilterLessThanMustBeOneByteOrLarger
from foundry_sdk.v2.connectivity.errors import FileSizeFilterMissingGreaterThanAndLessThan
from foundry_sdk.v2.connectivity.errors import GetConfigurationPermissionDenied
from foundry_sdk.v2.connectivity.errors import ParentFolderNotFoundForConnection
from foundry_sdk.v2.connectivity.errors import PropertyCannotBeBlank
from foundry_sdk.v2.connectivity.errors import PropertyCannotBeEmpty
from foundry_sdk.v2.connectivity.errors import ReplaceFileImportPermissionDenied
from foundry_sdk.v2.connectivity.errors import ReplaceTableImportPermissionDenied
from foundry_sdk.v2.connectivity.errors import SecretNamesDoNotExist
from foundry_sdk.v2.connectivity.errors import TableImportNotFound
from foundry_sdk.v2.connectivity.errors import TableImportNotSupportedForConnection
from foundry_sdk.v2.connectivity.errors import TableImportTypeNotSupported
from foundry_sdk.v2.connectivity.errors import UpdateSecretsForConnectionPermissionDenied
from foundry_sdk.v2.core.errors import ApiFeaturePreviewUsageOnly
from foundry_sdk.v2.core.errors import ApiUsageDenied
from foundry_sdk.v2.core.errors import BatchRequestSizeExceededLimit
from foundry_sdk.v2.core.errors import FolderNotFound
from foundry_sdk.v2.core.errors import InvalidAndFilter
from foundry_sdk.v2.core.errors import InvalidChangeDataCaptureConfiguration
from foundry_sdk.v2.core.errors import InvalidFieldSchema
from foundry_sdk.v2.core.errors import InvalidFilterValue
from foundry_sdk.v2.core.errors import InvalidOrFilter
from foundry_sdk.v2.core.errors import InvalidPageSize
from foundry_sdk.v2.core.errors import InvalidPageToken
from foundry_sdk.v2.core.errors import InvalidParameterCombination
from foundry_sdk.v2.core.errors import InvalidSchema
from foundry_sdk.v2.core.errors import InvalidTimeZone
from foundry_sdk.v2.core.errors import MissingBatchRequest
from foundry_sdk.v2.core.errors import MissingPostBody
from foundry_sdk.v2.core.errors import ResourceNameAlreadyExists
from foundry_sdk.v2.core.errors import SchemaIsNotStreamSchema
from foundry_sdk.v2.core.errors import UnknownDistanceUnit
from foundry_sdk.v2.datasets.errors import AbortTransactionPermissionDenied
from foundry_sdk.v2.datasets.errors import BranchAlreadyExists
from foundry_sdk.v2.datasets.errors import BranchNotFound
from foundry_sdk.v2.datasets.errors import BuildTransactionPermissionDenied
from foundry_sdk.v2.datasets.errors import ColumnTypesNotSupported
from foundry_sdk.v2.datasets.errors import CommitTransactionPermissionDenied
from foundry_sdk.v2.datasets.errors import CreateBranchPermissionDenied
from foundry_sdk.v2.datasets.errors import CreateDatasetPermissionDenied
from foundry_sdk.v2.datasets.errors import CreateTransactionPermissionDenied
from foundry_sdk.v2.datasets.errors import DatasetNotFound
from foundry_sdk.v2.datasets.errors import DatasetReadNotSupported
from foundry_sdk.v2.datasets.errors import DeleteBranchPermissionDenied
from foundry_sdk.v2.datasets.errors import DeleteFilePermissionDenied
from foundry_sdk.v2.datasets.errors import DeleteSchemaPermissionDenied
from foundry_sdk.v2.datasets.errors import FileAlreadyExists
from foundry_sdk.v2.datasets.errors import FileNotFound
from foundry_sdk.v2.datasets.errors import FileNotFoundOnBranch
from foundry_sdk.v2.datasets.errors import FileNotFoundOnTransactionRange
from foundry_sdk.v2.datasets.errors import GetDatasetSchedulesPermissionDenied
from foundry_sdk.v2.datasets.errors import GetFileContentPermissionDenied
from foundry_sdk.v2.datasets.errors import InvalidBranchName
from foundry_sdk.v2.datasets.errors import InvalidTransactionType
from foundry_sdk.v2.datasets.errors import JobTransactionPermissionDenied
from foundry_sdk.v2.datasets.errors import OpenTransactionAlreadyExists
from foundry_sdk.v2.datasets.errors import PutSchemaPermissionDenied
from foundry_sdk.v2.datasets.errors import ReadTableDatasetPermissionDenied
from foundry_sdk.v2.datasets.errors import ReadTableError
from foundry_sdk.v2.datasets.errors import ReadTableRowLimitExceeded
from foundry_sdk.v2.datasets.errors import ReadTableTimeout
from foundry_sdk.v2.datasets.errors import SchemaNotFound
from foundry_sdk.v2.datasets.errors import TransactionNotCommitted
from foundry_sdk.v2.datasets.errors import TransactionNotFound
from foundry_sdk.v2.datasets.errors import TransactionNotOpen
from foundry_sdk.v2.datasets.errors import UploadFilePermissionDenied
from foundry_sdk.v2.filesystem.errors import AddGroupToParentGroupPermissionDenied
from foundry_sdk.v2.filesystem.errors import AddMarkingsPermissionDenied
from foundry_sdk.v2.filesystem.errors import AddOrganizationsPermissionDenied
from foundry_sdk.v2.filesystem.errors import AddResourceRolesPermissionDenied
from foundry_sdk.v2.filesystem.errors import CreateFolderOutsideProjectNotSupported
from foundry_sdk.v2.filesystem.errors import CreateFolderPermissionDenied
from foundry_sdk.v2.filesystem.errors import CreateGroupPermissionDenied
from foundry_sdk.v2.filesystem.errors import CreateProjectFromTemplatePermissionDenied
from foundry_sdk.v2.filesystem.errors import CreateProjectNoOwnerLikeRoleGrant
from foundry_sdk.v2.filesystem.errors import CreateProjectPermissionDenied
from foundry_sdk.v2.filesystem.errors import DefaultRolesNotInSpaceRoleSet
from foundry_sdk.v2.filesystem.errors import DeleteResourcePermissionDenied
from foundry_sdk.v2.filesystem.errors import FolderNotFound
from foundry_sdk.v2.filesystem.errors import ForbiddenOperationOnAutosavedResource
from foundry_sdk.v2.filesystem.errors import ForbiddenOperationOnHiddenResource
from foundry_sdk.v2.filesystem.errors import GetAccessRequirementsPermissionDenied
from foundry_sdk.v2.filesystem.errors import GetByPathPermissionDenied
from foundry_sdk.v2.filesystem.errors import GetRootFolderNotSupported
from foundry_sdk.v2.filesystem.errors import GetSpaceResourceNotSupported
from foundry_sdk.v2.filesystem.errors import InvalidDefaultRoles
from foundry_sdk.v2.filesystem.errors import InvalidDescription
from foundry_sdk.v2.filesystem.errors import InvalidDisplayName
from foundry_sdk.v2.filesystem.errors import InvalidFolder
from foundry_sdk.v2.filesystem.errors import InvalidOrganizationHierarchy
from foundry_sdk.v2.filesystem.errors import InvalidOrganizations
from foundry_sdk.v2.filesystem.errors import InvalidPath
from foundry_sdk.v2.filesystem.errors import InvalidPrincipalIdsForGroupTemplate
from foundry_sdk.v2.filesystem.errors import InvalidRoleIds
from foundry_sdk.v2.filesystem.errors import InvalidVariable
from foundry_sdk.v2.filesystem.errors import InvalidVariableEnumOption
from foundry_sdk.v2.filesystem.errors import MarkingNotFound
from foundry_sdk.v2.filesystem.errors import MissingDisplayName
from foundry_sdk.v2.filesystem.errors import MissingVariableValue
from foundry_sdk.v2.filesystem.errors import NotAuthorizedToApplyOrganization
from foundry_sdk.v2.filesystem.errors import OrganizationCannotBeRemoved
from foundry_sdk.v2.filesystem.errors import OrganizationMarkingNotOnSpace
from foundry_sdk.v2.filesystem.errors import OrganizationMarkingNotSupported
from foundry_sdk.v2.filesystem.errors import OrganizationsNotFound
from foundry_sdk.v2.filesystem.errors import PathNotFound
from foundry_sdk.v2.filesystem.errors import PermanentlyDeleteResourcePermissionDenied
from foundry_sdk.v2.filesystem.errors import ProjectCreationNotSupported
from foundry_sdk.v2.filesystem.errors import ProjectNameAlreadyExists
from foundry_sdk.v2.filesystem.errors import ProjectNotFound
from foundry_sdk.v2.filesystem.errors import ProjectTemplateNotFound
from foundry_sdk.v2.filesystem.errors import RemoveMarkingsPermissionDenied
from foundry_sdk.v2.filesystem.errors import RemoveOrganizationsPermissionDenied
from foundry_sdk.v2.filesystem.errors import RemoveResourceRolesPermissionDenied
from foundry_sdk.v2.filesystem.errors import ResourceNameAlreadyExists
from foundry_sdk.v2.filesystem.errors import ResourceNotDirectlyTrashed
from foundry_sdk.v2.filesystem.errors import ResourceNotFound
from foundry_sdk.v2.filesystem.errors import ResourceNotTrashed
from foundry_sdk.v2.filesystem.errors import RestoreResourcePermissionDenied
from foundry_sdk.v2.filesystem.errors import SpaceNotFound
from foundry_sdk.v2.filesystem.errors import TemplateGroupNameConflict
from foundry_sdk.v2.filesystem.errors import TemplateMarkingNameConflict
from foundry_sdk.v2.filesystem.errors import TrashingAutosavedResourcesNotSupported
from foundry_sdk.v2.filesystem.errors import TrashingHiddenResourcesNotSupported
from foundry_sdk.v2.filesystem.errors import TrashingSpaceNotSupported
from foundry_sdk.v2.functions.errors import ExecuteQueryPermissionDenied
from foundry_sdk.v2.functions.errors import GetByRidQueriesPermissionDenied
from foundry_sdk.v2.functions.errors import InvalidQueryOutputValue
from foundry_sdk.v2.functions.errors import InvalidQueryParameterValue
from foundry_sdk.v2.functions.errors import MissingParameter
from foundry_sdk.v2.functions.errors import QueryEncounteredUserFacingError
from foundry_sdk.v2.functions.errors import QueryMemoryExceededLimit
from foundry_sdk.v2.functions.errors import QueryNotFound
from foundry_sdk.v2.functions.errors import QueryRuntimeError
from foundry_sdk.v2.functions.errors import QueryTimeExceededLimit
from foundry_sdk.v2.functions.errors import QueryVersionNotFound
from foundry_sdk.v2.functions.errors import UnknownParameter
from foundry_sdk.v2.functions.errors import ValueTypeNotFound
from foundry_sdk.v2.functions.errors import VersionIdNotFound
from foundry_sdk.v2.media_sets.errors import ConflictingMediaSetIdentifiers
from foundry_sdk.v2.media_sets.errors import MediaItemNotFound
from foundry_sdk.v2.ontologies.errors import ActionContainsDuplicateEdits
from foundry_sdk.v2.ontologies.errors import ActionEditedPropertiesNotFound
from foundry_sdk.v2.ontologies.errors import ActionEditsReadOnlyEntity
from foundry_sdk.v2.ontologies.errors import ActionNotFound
from foundry_sdk.v2.ontologies.errors import ActionParameterInterfaceTypeNotFound
from foundry_sdk.v2.ontologies.errors import ActionParameterObjectNotFound
from foundry_sdk.v2.ontologies.errors import ActionParameterObjectTypeNotFound
from foundry_sdk.v2.ontologies.errors import ActionTypeNotFound
from foundry_sdk.v2.ontologies.errors import ActionValidationFailed
from foundry_sdk.v2.ontologies.errors import AggregationGroupCountExceededLimit
from foundry_sdk.v2.ontologies.errors import AggregationMemoryExceededLimit
from foundry_sdk.v2.ontologies.errors import AggregationNestedObjectSetSizeExceededLimit
from foundry_sdk.v2.ontologies.errors import ApplyActionFailed
from foundry_sdk.v2.ontologies.errors import AttachmentNotFound
from foundry_sdk.v2.ontologies.errors import AttachmentSizeExceededLimit
from foundry_sdk.v2.ontologies.errors import CipherChannelNotFound
from foundry_sdk.v2.ontologies.errors import CompositePrimaryKeyNotSupported
from foundry_sdk.v2.ontologies.errors import DerivedPropertyApiNamesNotUnique
from foundry_sdk.v2.ontologies.errors import DuplicateOrderBy
from foundry_sdk.v2.ontologies.errors import EditObjectPermissionDenied
from foundry_sdk.v2.ontologies.errors import FunctionEncounteredUserFacingError
from foundry_sdk.v2.ontologies.errors import FunctionExecutionFailed
from foundry_sdk.v2.ontologies.errors import FunctionExecutionTimedOut
from foundry_sdk.v2.ontologies.errors import FunctionInvalidInput
from foundry_sdk.v2.ontologies.errors import HighScaleComputationNotEnabled
from foundry_sdk.v2.ontologies.errors import InterfaceTypeNotFound
from foundry_sdk.v2.ontologies.errors import InterfaceTypesNotFound
from foundry_sdk.v2.ontologies.errors import InvalidAggregationOrdering
from foundry_sdk.v2.ontologies.errors import InvalidAggregationRange
from foundry_sdk.v2.ontologies.errors import InvalidAggregationRangePropertyType
from foundry_sdk.v2.ontologies.errors import InvalidAggregationRangeValue
from foundry_sdk.v2.ontologies.errors import InvalidApplyActionOptionCombination
from foundry_sdk.v2.ontologies.errors import InvalidContentLength
from foundry_sdk.v2.ontologies.errors import InvalidContentType
from foundry_sdk.v2.ontologies.errors import InvalidDerivedPropertyDefinition
from foundry_sdk.v2.ontologies.errors import InvalidDurationGroupByPropertyType
from foundry_sdk.v2.ontologies.errors import InvalidDurationGroupByValue
from foundry_sdk.v2.ontologies.errors import InvalidFields
from foundry_sdk.v2.ontologies.errors import InvalidGroupId
from foundry_sdk.v2.ontologies.errors import InvalidOrderType
from foundry_sdk.v2.ontologies.errors import InvalidParameterValue
from foundry_sdk.v2.ontologies.errors import InvalidPropertyFiltersCombination
from foundry_sdk.v2.ontologies.errors import InvalidPropertyFilterValue
from foundry_sdk.v2.ontologies.errors import InvalidPropertyType
from foundry_sdk.v2.ontologies.errors import InvalidPropertyValue
from foundry_sdk.v2.ontologies.errors import InvalidQueryOutputValue
from foundry_sdk.v2.ontologies.errors import InvalidQueryParameterValue
from foundry_sdk.v2.ontologies.errors import InvalidRangeQuery
from foundry_sdk.v2.ontologies.errors import InvalidSortOrder
from foundry_sdk.v2.ontologies.errors import InvalidSortType
from foundry_sdk.v2.ontologies.errors import InvalidUserId
from foundry_sdk.v2.ontologies.errors import InvalidVectorDimension
from foundry_sdk.v2.ontologies.errors import LinkAlreadyExists
from foundry_sdk.v2.ontologies.errors import LinkedObjectNotFound
from foundry_sdk.v2.ontologies.errors import LinkTypeNotFound
from foundry_sdk.v2.ontologies.errors import MalformedPropertyFilters
from foundry_sdk.v2.ontologies.errors import MarketplaceActionMappingNotFound
from foundry_sdk.v2.ontologies.errors import MarketplaceInstallationNotFound
from foundry_sdk.v2.ontologies.errors import MarketplaceLinkMappingNotFound
from foundry_sdk.v2.ontologies.errors import MarketplaceObjectMappingNotFound
from foundry_sdk.v2.ontologies.errors import MarketplaceQueryMappingNotFound
from foundry_sdk.v2.ontologies.errors import MarketplaceSdkActionMappingNotFound
from foundry_sdk.v2.ontologies.errors import MarketplaceSdkInstallationNotFound
from foundry_sdk.v2.ontologies.errors import MarketplaceSdkLinkMappingNotFound
from foundry_sdk.v2.ontologies.errors import MarketplaceSdkObjectMappingNotFound
from foundry_sdk.v2.ontologies.errors import MarketplaceSdkPropertyMappingNotFound
from foundry_sdk.v2.ontologies.errors import MarketplaceSdkQueryMappingNotFound
from foundry_sdk.v2.ontologies.errors import MissingParameter
from foundry_sdk.v2.ontologies.errors import MultipleGroupByOnFieldNotSupported
from foundry_sdk.v2.ontologies.errors import MultiplePropertyValuesNotSupported
from foundry_sdk.v2.ontologies.errors import NotCipherFormatted
from foundry_sdk.v2.ontologies.errors import ObjectAlreadyExists
from foundry_sdk.v2.ontologies.errors import ObjectChanged
from foundry_sdk.v2.ontologies.errors import ObjectNotFound
from foundry_sdk.v2.ontologies.errors import ObjectSetNotFound
from foundry_sdk.v2.ontologies.errors import ObjectsExceededLimit
from foundry_sdk.v2.ontologies.errors import ObjectTypeNotFound
from foundry_sdk.v2.ontologies.errors import ObjectTypeNotSynced
from foundry_sdk.v2.ontologies.errors import ObjectTypesNotSynced
from foundry_sdk.v2.ontologies.errors import OntologyApiNameNotUnique
from foundry_sdk.v2.ontologies.errors import OntologyEditsExceededLimit
from foundry_sdk.v2.ontologies.errors import OntologyNotFound
from foundry_sdk.v2.ontologies.errors import OntologySyncing
from foundry_sdk.v2.ontologies.errors import OntologySyncingObjectTypes
from foundry_sdk.v2.ontologies.errors import ParameterObjectNotFound
from foundry_sdk.v2.ontologies.errors import ParameterObjectSetRidNotFound
from foundry_sdk.v2.ontologies.errors import ParametersNotFound
from foundry_sdk.v2.ontologies.errors import ParameterTypeNotSupported
from foundry_sdk.v2.ontologies.errors import ParentAttachmentPermissionDenied
from foundry_sdk.v2.ontologies.errors import PropertiesHaveDifferentIds
from foundry_sdk.v2.ontologies.errors import PropertiesNotFilterable
from foundry_sdk.v2.ontologies.errors import PropertiesNotFound
from foundry_sdk.v2.ontologies.errors import PropertiesNotSearchable
from foundry_sdk.v2.ontologies.errors import PropertiesNotSortable
from foundry_sdk.v2.ontologies.errors import PropertyApiNameNotFound
from foundry_sdk.v2.ontologies.errors import PropertyBaseTypeNotSupported
from foundry_sdk.v2.ontologies.errors import PropertyFiltersNotSupported
from foundry_sdk.v2.ontologies.errors import PropertyNotFound
from foundry_sdk.v2.ontologies.errors import PropertyTypeDoesNotSupportNearestNeighbors
from foundry_sdk.v2.ontologies.errors import PropertyTypeNotFound
from foundry_sdk.v2.ontologies.errors import PropertyTypeRidNotFound
from foundry_sdk.v2.ontologies.errors import PropertyTypesSearchNotSupported
from foundry_sdk.v2.ontologies.errors import QueryEncounteredUserFacingError
from foundry_sdk.v2.ontologies.errors import QueryMemoryExceededLimit
from foundry_sdk.v2.ontologies.errors import QueryNotFound
from foundry_sdk.v2.ontologies.errors import QueryRuntimeError
from foundry_sdk.v2.ontologies.errors import QueryTimeExceededLimit
from foundry_sdk.v2.ontologies.errors import QueryVersionNotFound
from foundry_sdk.v2.ontologies.errors import RateLimitReached
from foundry_sdk.v2.ontologies.errors import SharedPropertiesNotFound
from foundry_sdk.v2.ontologies.errors import SharedPropertyTypeNotFound
from foundry_sdk.v2.ontologies.errors import TooManyNearestNeighborsRequested
from foundry_sdk.v2.ontologies.errors import UnauthorizedCipherOperation
from foundry_sdk.v2.ontologies.errors import UndecryptableValue
from foundry_sdk.v2.ontologies.errors import UnknownParameter
from foundry_sdk.v2.ontologies.errors import UnsupportedObjectSet
from foundry_sdk.v2.ontologies.errors import ViewObjectPermissionDenied
from foundry_sdk.v2.orchestration.errors import BuildInputsNotFound
from foundry_sdk.v2.orchestration.errors import BuildInputsPermissionDenied
from foundry_sdk.v2.orchestration.errors import BuildNotFound
from foundry_sdk.v2.orchestration.errors import BuildTargetsMissingJobSpecs
from foundry_sdk.v2.orchestration.errors import BuildTargetsNotFound
from foundry_sdk.v2.orchestration.errors import BuildTargetsPermissionDenied
from foundry_sdk.v2.orchestration.errors import BuildTargetsResolutionError
from foundry_sdk.v2.orchestration.errors import BuildTargetsUpToDate
from foundry_sdk.v2.orchestration.errors import CancelBuildPermissionDenied
from foundry_sdk.v2.orchestration.errors import CreateBuildPermissionDenied
from foundry_sdk.v2.orchestration.errors import CreateSchedulePermissionDenied
from foundry_sdk.v2.orchestration.errors import DeleteSchedulePermissionDenied
from foundry_sdk.v2.orchestration.errors import InvalidAndTrigger
from foundry_sdk.v2.orchestration.errors import InvalidMediaSetTrigger
from foundry_sdk.v2.orchestration.errors import InvalidOrTrigger
from foundry_sdk.v2.orchestration.errors import InvalidScheduleDescription
from foundry_sdk.v2.orchestration.errors import InvalidScheduleName
from foundry_sdk.v2.orchestration.errors import InvalidTimeTrigger
from foundry_sdk.v2.orchestration.errors import JobNotFound
from foundry_sdk.v2.orchestration.errors import MissingBuildTargets
from foundry_sdk.v2.orchestration.errors import MissingConnectingBuildInputs
from foundry_sdk.v2.orchestration.errors import MissingTrigger
from foundry_sdk.v2.orchestration.errors import PauseSchedulePermissionDenied
from foundry_sdk.v2.orchestration.errors import ReplaceSchedulePermissionDenied
from foundry_sdk.v2.orchestration.errors import RunSchedulePermissionDenied
from foundry_sdk.v2.orchestration.errors import ScheduleNotFound
from foundry_sdk.v2.orchestration.errors import ScheduleTriggerResourcesNotFound
from foundry_sdk.v2.orchestration.errors import ScheduleTriggerResourcesPermissionDenied
from foundry_sdk.v2.orchestration.errors import ScheduleVersionNotFound
from foundry_sdk.v2.orchestration.errors import SearchBuildsPermissionDenied
from foundry_sdk.v2.orchestration.errors import TargetNotSupported
from foundry_sdk.v2.orchestration.errors import UnpauseSchedulePermissionDenied
from foundry_sdk.v2.sql_queries.errors import CancelSqlQueryPermissionDenied
from foundry_sdk.v2.sql_queries.errors import ExecuteSqlQueryPermissionDenied
from foundry_sdk.v2.sql_queries.errors import GetResultsSqlQueryPermissionDenied
from foundry_sdk.v2.sql_queries.errors import GetStatusSqlQueryPermissionDenied
from foundry_sdk.v2.sql_queries.errors import QueryCanceled
from foundry_sdk.v2.sql_queries.errors import QueryFailed
from foundry_sdk.v2.sql_queries.errors import QueryParseError
from foundry_sdk.v2.sql_queries.errors import QueryPermissionDenied
from foundry_sdk.v2.sql_queries.errors import QueryRunning
from foundry_sdk.v2.sql_queries.errors import ReadQueryInputsPermissionDenied
from foundry_sdk.v2.streams.errors import CannotCreateStreamingDatasetInUserFolder
from foundry_sdk.v2.streams.errors import CannotWriteToTrashedStream
from foundry_sdk.v2.streams.errors import CreateStreamingDatasetPermissionDenied
from foundry_sdk.v2.streams.errors import CreateStreamPermissionDenied
from foundry_sdk.v2.streams.errors import FailedToProcessBinaryRecord
from foundry_sdk.v2.streams.errors import InvalidStreamNoSchema
from foundry_sdk.v2.streams.errors import InvalidStreamType
from foundry_sdk.v2.streams.errors import PublishBinaryRecordToStreamPermissionDenied
from foundry_sdk.v2.streams.errors import PublishRecordsToStreamPermissionDenied
from foundry_sdk.v2.streams.errors import PublishRecordToStreamPermissionDenied
from foundry_sdk.v2.streams.errors import RecordDoesNotMatchStreamSchema
from foundry_sdk.v2.streams.errors import RecordTooLarge
from foundry_sdk.v2.streams.errors import ResetStreamPermissionDenied
from foundry_sdk.v2.streams.errors import StreamNotFound
from foundry_sdk.v2.streams.errors import ViewNotFound
from foundry_sdk.v2.third_party_applications.errors import CannotDeleteDeployedVersion
from foundry_sdk.v2.third_party_applications.errors import DeleteVersionPermissionDenied
from foundry_sdk.v2.third_party_applications.errors import DeployWebsitePermissionDenied
from foundry_sdk.v2.third_party_applications.errors import FileCountLimitExceeded
from foundry_sdk.v2.third_party_applications.errors import FileSizeLimitExceeded
from foundry_sdk.v2.third_party_applications.errors import InvalidVersion
from foundry_sdk.v2.third_party_applications.errors import ThirdPartyApplicationNotFound
from foundry_sdk.v2.third_party_applications.errors import UndeployWebsitePermissionDenied
from foundry_sdk.v2.third_party_applications.errors import UploadSnapshotVersionPermissionDenied
from foundry_sdk.v2.third_party_applications.errors import UploadVersionPermissionDenied
from foundry_sdk.v2.third_party_applications.errors import VersionAlreadyExists
from foundry_sdk.v2.third_party_applications.errors import VersionLimitExceeded
from foundry_sdk.v2.third_party_applications.errors import VersionNotFound
from foundry_sdk.v2.third_party_applications.errors import WebsiteNotFound
Documentation for V1 errors
from foundry_sdk.v1.core.errors import ApiFeaturePreviewUsageOnly
from foundry_sdk.v1.core.errors import ApiUsageDenied
from foundry_sdk.v1.core.errors import FolderNotFound
from foundry_sdk.v1.core.errors import InvalidPageSize
from foundry_sdk.v1.core.errors import InvalidPageToken
from foundry_sdk.v1.core.errors import InvalidParameterCombination
from foundry_sdk.v1.core.errors import MissingPostBody
from foundry_sdk.v1.core.errors import ResourceNameAlreadyExists
from foundry_sdk.v1.core.errors import UnknownDistanceUnit
from foundry_sdk.v1.datasets.errors import AbortTransactionPermissionDenied
from foundry_sdk.v1.datasets.errors import BranchAlreadyExists
from foundry_sdk.v1.datasets.errors import BranchNotFound
from foundry_sdk.v1.datasets.errors import ColumnTypesNotSupported
from foundry_sdk.v1.datasets.errors import CommitTransactionPermissionDenied
from foundry_sdk.v1.datasets.errors import CreateBranchPermissionDenied
from foundry_sdk.v1.datasets.errors import CreateDatasetPermissionDenied
from foundry_sdk.v1.datasets.errors import CreateTransactionPermissionDenied
from foundry_sdk.v1.datasets.errors import DatasetNotFound
from foundry_sdk.v1.datasets.errors import DatasetReadNotSupported
from foundry_sdk.v1.datasets.errors import DeleteBranchPermissionDenied
from foundry_sdk.v1.datasets.errors import DeleteSchemaPermissionDenied
from foundry_sdk.v1.datasets.errors import FileAlreadyExists
from foundry_sdk.v1.datasets.errors import FileNotFoundOnBranch
from foundry_sdk.v1.datasets.errors import FileNotFoundOnTransactionRange
from foundry_sdk.v1.datasets.errors import InvalidBranchId
from foundry_sdk.v1.datasets.errors import InvalidTransactionType
from foundry_sdk.v1.datasets.errors import OpenTransactionAlreadyExists
from foundry_sdk.v1.datasets.errors import PutSchemaPermissionDenied
from foundry_sdk.v1.datasets.errors import ReadTablePermissionDenied
from foundry_sdk.v1.datasets.errors import SchemaNotFound
from foundry_sdk.v1.datasets.errors import TransactionNotCommitted
from foundry_sdk.v1.datasets.errors import TransactionNotFound
from foundry_sdk.v1.datasets.errors import TransactionNotOpen
from foundry_sdk.v1.datasets.errors import UploadFilePermissionDenied
from foundry_sdk.v1.ontologies.errors import ActionContainsDuplicateEdits
from foundry_sdk.v1.ontologies.errors import ActionEditedPropertiesNotFound
from foundry_sdk.v1.ontologies.errors import ActionEditsReadOnlyEntity
from foundry_sdk.v1.ontologies.errors import ActionNotFound
from foundry_sdk.v1.ontologies.errors import ActionParameterInterfaceTypeNotFound
from foundry_sdk.v1.ontologies.errors import ActionParameterObjectNotFound
from foundry_sdk.v1.ontologies.errors import ActionParameterObjectTypeNotFound
from foundry_sdk.v1.ontologies.errors import ActionTypeNotFound
from foundry_sdk.v1.ontologies.errors import ActionValidationFailed
from foundry_sdk.v1.ontologies.errors import AggregationGroupCountExceededLimit
from foundry_sdk.v1.ontologies.errors import AggregationMemoryExceededLimit
from foundry_sdk.v1.ontologies.errors import AggregationNestedObjectSetSizeExceededLimit
from foundry_sdk.v1.ontologies.errors import ApplyActionFailed
from foundry_sdk.v1.ontologies.errors import AttachmentNotFound
from foundry_sdk.v1.ontologies.errors import AttachmentSizeExceededLimit
from foundry_sdk.v1.ontologies.errors import CipherChannelNotFound
from foundry_sdk.v1.ontologies.errors import CompositePrimaryKeyNotSupported
from foundry_sdk.v1.ontologies.errors import DerivedPropertyApiNamesNotUnique
from foundry_sdk.v1.ontologies.errors import DuplicateOrderBy
from foundry_sdk.v1.ontologies.errors import EditObjectPermissionDenied
from foundry_sdk.v1.ontologies.errors import FunctionEncounteredUserFacingError
from foundry_sdk.v1.ontologies.errors import FunctionExecutionFailed
from foundry_sdk.v1.ontologies.errors import FunctionExecutionTimedOut
from foundry_sdk.v1.ontologies.errors import FunctionInvalidInput
from foundry_sdk.v1.ontologies.errors import HighScaleComputationNotEnabled
from foundry_sdk.v1.ontologies.errors import InterfaceTypeNotFound
from foundry_sdk.v1.ontologies.errors import InterfaceTypesNotFound
from foundry_sdk.v1.ontologies.errors import InvalidAggregationOrdering
from foundry_sdk.v1.ontologies.errors import InvalidAggregationRange
from foundry_sdk.v1.ontologies.errors import InvalidAggregationRangePropertyType
from foundry_sdk.v1.ontologies.errors import InvalidAggregationRangeValue
from foundry_sdk.v1.ontologies.errors import InvalidApplyActionOptionCombination
from foundry_sdk.v1.ontologies.errors import InvalidContentLength
from foundry_sdk.v1.ontologies.errors import InvalidContentType
from foundry_sdk.v1.ontologies.errors import InvalidDerivedPropertyDefinition
from foundry_sdk.v1.ontologies.errors import InvalidDurationGroupByPropertyType
from foundry_sdk.v1.ontologies.errors import InvalidDurationGroupByValue
from foundry_sdk.v1.ontologies.errors import InvalidFields
from foundry_sdk.v1.ontologies.errors import InvalidGroupId
from foundry_sdk.v1.ontologies.errors import InvalidOrderType
from foundry_sdk.v1.ontologies.errors import InvalidParameterValue
from foundry_sdk.v1.ontologies.errors import InvalidPropertyFiltersCombination
from foundry_sdk.v1.ontologies.errors import InvalidPropertyFilterValue
from foundry_sdk.v1.ontologies.errors import InvalidPropertyType
from foundry_sdk.v1.ontologies.errors import InvalidPropertyValue
from foundry_sdk.v1.ontologies.errors import InvalidQueryOutputValue
from foundry_sdk.v1.ontologies.errors import InvalidQueryParameterValue
from foundry_sdk.v1.ontologies.errors import InvalidRangeQuery
from foundry_sdk.v1.ontologies.errors import InvalidSortOrder
from foundry_sdk.v1.ontologies.errors import InvalidSortType
from foundry_sdk.v1.ontologies.errors import InvalidUserId
from foundry_sdk.v1.ontologies.errors import InvalidVectorDimension
from foundry_sdk.v1.ontologies.errors import LinkAlreadyExists
from foundry_sdk.v1.ontologies.errors import LinkedObjectNotFound
from foundry_sdk.v1.ontologies.errors import LinkTypeNotFound
from foundry_sdk.v1.ontologies.errors import MalformedPropertyFilters
from foundry_sdk.v1.ontologies.errors import MarketplaceActionMappingNotFound
from foundry_sdk.v1.ontologies.errors import MarketplaceInstallationNotFound
from foundry_sdk.v1.ontologies.errors import MarketplaceLinkMappingNotFound
from foundry_sdk.v1.ontologies.errors import MarketplaceObjectMappingNotFound
from foundry_sdk.v1.ontologies.errors import MarketplaceQueryMappingNotFound
from foundry_sdk.v1.ontologies.errors import MarketplaceSdkActionMappingNotFound
from foundry_sdk.v1.ontologies.errors import MarketplaceSdkInstallationNotFound
from foundry_sdk.v1.ontologies.errors import MarketplaceSdkLinkMappingNotFound
from foundry_sdk.v1.ontologies.errors import MarketplaceSdkObjectMappingNotFound
from foundry_sdk.v1.ontologies.errors import MarketplaceSdkPropertyMappingNotFound
from foundry_sdk.v1.ontologies.errors import MarketplaceSdkQueryMappingNotFound
from foundry_sdk.v1.ontologies.errors import MissingParameter
from foundry_sdk.v1.ontologies.errors import MultipleGroupByOnFieldNotSupported
from foundry_sdk.v1.ontologies.errors import MultiplePropertyValuesNotSupported
from foundry_sdk.v1.ontologies.errors import NotCipherFormatted
from foundry_sdk.v1.ontologies.errors import ObjectAlreadyExists
from foundry_sdk.v1.ontologies.errors import ObjectChanged
from foundry_sdk.v1.ontologies.errors import ObjectNotFound
from foundry_sdk.v1.ontologies.errors import ObjectSetNotFound
from foundry_sdk.v1.ontologies.errors import ObjectsExceededLimit
from foundry_sdk.v1.ontologies.errors import ObjectTypeNotFound
from foundry_sdk.v1.ontologies.errors import ObjectTypeNotSynced
from foundry_sdk.v1.ontologies.errors import ObjectTypesNotSynced
from foundry_sdk.v1.ontologies.errors import OntologyApiNameNotUnique
from foundry_sdk.v1.ontologies.errors import OntologyEditsExceededLimit
from foundry_sdk.v1.ontologies.errors import OntologyNotFound
from foundry_sdk.v1.ontologies.errors import OntologySyncing
from foundry_sdk.v1.ontologies.errors import OntologySyncingObjectTypes
from foundry_sdk.v1.ontologies.errors import ParameterObjectNotFound
from foundry_sdk.v1.ontologies.errors import ParameterObjectSetRidNotFound
from foundry_sdk.v1.ontologies.errors import ParametersNotFound
from foundry_sdk.v1.ontologies.errors import ParameterTypeNotSupported
from foundry_sdk.v1.ontologies.errors import ParentAttachmentPermissionDenied
from foundry_sdk.v1.ontologies.errors import PropertiesHaveDifferentIds
from foundry_sdk.v1.ontologies.errors import PropertiesNotFilterable
from foundry_sdk.v1.ontologies.errors import PropertiesNotFound
from foundry_sdk.v1.ontologies.errors import PropertiesNotSearchable
from foundry_sdk.v1.ontologies.errors import PropertiesNotSortable
from foundry_sdk.v1.ontologies.errors import PropertyApiNameNotFound
from foundry_sdk.v1.ontologies.errors import PropertyBaseTypeNotSupported
from foundry_sdk.v1.ontologies.errors import PropertyFiltersNotSupported
from foundry_sdk.v1.ontologies.errors import PropertyNotFound
from foundry_sdk.v1.ontologies.errors import PropertyTypeDoesNotSupportNearestNeighbors
from foundry_sdk.v1.ontologies.errors import PropertyTypeNotFound
from foundry_sdk.v1.ontologies.errors import PropertyTypeRidNotFound
from foundry_sdk.v1.ontologies.errors import PropertyTypesSearchNotSupported
from foundry_sdk.v1.ontologies.errors import QueryEncounteredUserFacingError
from foundry_sdk.v1.ontologies.errors import QueryMemoryExceededLimit
from foundry_sdk.v1.ontologies.errors import QueryNotFound
from foundry_sdk.v1.ontologies.errors import QueryRuntimeError
from foundry_sdk.v1.ontologies.errors import QueryTimeExceededLimit
from foundry_sdk.v1.ontologies.errors import QueryVersionNotFound
from foundry_sdk.v1.ontologies.errors import RateLimitReached
from foundry_sdk.v1.ontologies.errors import SharedPropertiesNotFound
from foundry_sdk.v1.ontologies.errors import SharedPropertyTypeNotFound
from foundry_sdk.v1.ontologies.errors import TooManyNearestNeighborsRequested
from foundry_sdk.v1.ontologies.errors import UnauthorizedCipherOperation
from foundry_sdk.v1.ontologies.errors import UndecryptableValue
from foundry_sdk.v1.ontologies.errors import UnknownParameter
from foundry_sdk.v1.ontologies.errors import UnsupportedObjectSet
from 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.