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:
For convenience, the auth and hostname can also be set using environmental or context variables.
The auth and hostname parameters are set (in order of precedence) by:
The parameters passed to the FoundryClient constructor
Context variables FOUNDRY_TOKEN and FOUNDRY_HOSTNAME
Environment variables FOUNDRY_TOKEN and FOUNDRY_HOSTNAME
The FOUNDRY_TOKEN is a string of an users Bearer token, which will create a UserTokenAuth for the auth parameter.
import foundry_sdk
# The SDK will initialize the following context or environment variables when auth and hostname are not provided:
# FOUNDRY_TOKEN
# FOUNDRY_HOSTNAME
client = foundry_sdk.FoundryClient()
`
OAuth2 Client
OAuth2 clients are the recommended way to connect to Foundry in production applications. Currently, this SDK
natively supports the client credentials grant flow.
The token obtained by this grant can be used to access resources on behalf of the created service user. To use this
authentication method, you will first need to register a third-party application in Foundry by following the guide on third-party application registration.
To use the confidential client functionality, you first need to construct a
ConfidentialClientAuth object. As these service user tokens have a short
lifespan (one hour), we automatically retry all operations one time if a 401
(Unauthorized) error is thrown after refreshing the token.
import foundry_sdk
auth = foundry_sdk.ConfidentialClientAuth(
client_id=os.environ["CLIENT_ID"],
client_secret=os.environ["CLIENT_SECRET"],
scopes=[...], # optional list of scopes
)
[!IMPORTANT]
Make sure to select the appropriate scopes when initializating the ConfidentialClientAuth. You can find the relevant scopes
in the endpoint documentation.
After creating the ConfidentialClientAuth object, pass it in to the FoundryClient,
[!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 ↳ Data Frames: Learn how to work with tabular data using data frame libraries ↳ 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
>=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 RPC 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.
RateLimitError
Yes
The request was rate limited. Reduce your request rate and retry your request shortly.
ServiceUnavailable
Yes
The service is temporarily unavailable. Retry your request shortly.
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)
Data Frames
This SDK supports working with tabular data using popular Python data frame libraries. When an API endpoint returns data in Arrow IPC format, the response is wrapped in an TableResponse class that provides methods to convert to various data frame formats:
to_pyarrow(): Converts to a PyArrow Table
to_pandas(): Converts to a Pandas DataFrame
to_polars(): Converts to a Polars DataFrame
to_duckdb(): Converts to a DuckDB relation
This allows you to seamlessly work with Foundry tabular data using your preferred data analysis library.
Example: Working with Data Frames
# Read tabular data in Arrow format
table_data = client.datasets.Dataset.read_table(dataset_rid, format=format, branch_name=branch_name, columns=columns, end_transaction_rid=end_transaction_rid, row_limit=row_limit, start_transaction_rid=start_transaction_rid)
# Convert to pandas DataFrame for data analysis
pandas_df = table_data.to_pandas()
# Perform data analysis operations
summary = pandas_df.describe()
filtered_data = pandas_df[pandas_df["value"] > 100]
# Or use Polars for high-performance data operations
import polars as pl
polars_df = table_data.to_polars()
result = polars_df.filter(pl.col("value") > 100).group_by("category").agg(pl.sum("amount"))
# Or use DuckDB for SQL-based analysis
import duckdb
duckdb_relation = table_data.to_duckdb()
result = duckdb_relation.query("SELECT category, SUM(amount) FROM duckdb_relation WHERE value > 100 GROUP BY category")
You can inclue the extra dependencies using:
# For pyarrow support
pip install foundry-platform-sdk[pyarrow]
# For pandas support
pip install foundry-platform-sdk[pandas]
# For polars support
pip install foundry-platform-sdk[polars]
# For duckdb support
pip install foundry-platform-sdk[duckdb]
If you attempt to use a conversion method without the required dependency installed, the SDK will provide a helpful error message with installation instructions.
Static type analysis
Hashable Models
All model objects in the SDK can be used as dictionary keys or set members. This provides several benefits:
# Example: Using models as dictionary keys
from foundry_sdk import FoundryClient
client = FoundryClient(...)
file1 = client.datasets.Dataset.File.get(dataset_rid="ri.foundry.main.dataset.123", file_path="/data.csv")
file2 = client.datasets.Dataset.File.get(dataset_rid="ri.foundry.main.dataset.123", file_path="/data.csv")
# Models with the same content are equal and have the same hash
assert file1 == file2
assert hash(file1) == hash(file2)
# Use models as dictionary keys
file_metadata = {}
file_metadata[file1] = {"last_modified": "2024-08-09"}
# Can look up using any equivalent object
assert file_metadata[file2] == {"last_modified": "2024-08-09"}
Note: Models remain mutable for backward compatibility. If you modify a model after using it as a dictionary key,
the system will issue a warning and the model’s hash value will be reset. Although allowed, mutating models and using
their hash values is not recommended as it can lead to unexpected behavior when using them in dictionaries or sets.
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
FoundryClientlocated in thefoundry_sdkpackage.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:For convenience, the auth and hostname can also be set using environmental or context variables. The
authandhostnameparameters are set (in order of precedence) by:FoundryClientconstructorFOUNDRY_TOKENandFOUNDRY_HOSTNAMEFOUNDRY_TOKENandFOUNDRY_HOSTNAMEThe
FOUNDRY_TOKENis a string of an users Bearer token, which will create aUserTokenAuthfor theauthparameter.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
ConfidentialClientAuthobject. 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
ConfidentialClientAuthobject, 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
UserTokenAuthclass 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
↳ Data Frames: Learn how to work with tabular data using data frame libraries
↳ 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_ridwhich 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 aBranchNotFounderror, 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
PalantirRPCExceptionsuch asBadRequestErrororNotFoundError.BadRequestErrorUnauthorizedErrorPermissionDeniedErrorNotFoundErrorRequestEntityTooLargeErrorUnprocessableEntityErrorInternalServerErrorPalantirRPCExceptionAll RPC 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.
ConfidentialClientAuthorPublicClientAuthto make an API call without going through the OAuth process first.ProxyError.ConnectTimeout,ReadTimeoutandWriteTimeout.Pagination
When calling any iterator endpoints, we return a
ResourceIteratorclass 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
ResourceIteratorinstance 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
AsyncFoundryClientclient, pagination works similar to the synchronous client but you need to useasync forto 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_responseutility to fetch each page.Asynchronous Client (Beta)
This SDK supports creating an asynchronous client, just import and instantiate the
AsyncFoundryClientinstead of theFoundryClient.When using asynchronous clients, you’ll just need to use the
awaitkeyword when calling APIs. Otherwise, the behaviour between theFoundryClientandAsyncFoundryClientis nearly identical.Streaming
This SDK supports streaming binary data using a separate streaming client accessible under
with_streaming_responseon each Resource. To ensure the stream is closed, you need to use a context manager when making a request with this client.Data Frames
This SDK supports working with tabular data using popular Python data frame libraries. When an API endpoint returns data in Arrow IPC format, the response is wrapped in an
TableResponseclass that provides methods to convert to various data frame formats:to_pyarrow(): Converts to a PyArrow Tableto_pandas(): Converts to a Pandas DataFrameto_polars(): Converts to a Polars DataFrameto_duckdb(): Converts to a DuckDB relationThis allows you to seamlessly work with Foundry tabular data using your preferred data analysis library.
Example: Working with Data Frames
You can inclue the extra dependencies using:
If you attempt to use a conversion method without the required dependency installed, the SDK will provide a helpful error message with installation instructions.
Static type analysis
Hashable Models
All model objects in the SDK can be used as dictionary keys or set members. This provides several benefits:
Note: Models remain mutable for backward compatibility. If you modify a model after using it as a dictionary key, the system will issue a warning and the model’s hash value will be reset. Although allowed, mutating models and using their hash values is not recommended as it can lead to unexpected behavior when using them in dictionaries or sets.
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
BaseModelclass. For example, here is howGroup.searchmethod is defined in theAdminnamespace: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
inttonamebutnameexpects a string or if you try to accessbranchNameon the returnedBranchobject (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
Configclass.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
Configclass, the SSL certificate file used for verification can be set using the following environment variables (in order of precedence):REQUESTS_CA_BUNDLESSL_CERT_FILEThe SDK will only check for the presence of these environment variables if the
verifyoption is set toTrue(the default value). Ifverifyis 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=Truewhen 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 Previewstate. 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
datetimeobject without timezone information to an endpoint that requires it. To resolve this error, you should pass in adatetimeobject with timezone information. For example, you can use thetimezoneclass in thedatetimepackage:Documentation for V2 API endpoints
Documentation for V1 API endpoints
Documentation for V2 models
from foundry_sdk.v2.admin.models import AddEnrollmentRoleAssignmentsRequestfrom foundry_sdk.v2.admin.models import AddGroupMembersRequestfrom foundry_sdk.v2.admin.models import AddMarkingMembersRequestfrom foundry_sdk.v2.admin.models import AddMarkingRoleAssignmentsRequestfrom foundry_sdk.v2.admin.models import AddOrganizationRoleAssignmentsRequestfrom foundry_sdk.v2.admin.models import AttributeNamefrom foundry_sdk.v2.admin.models import AttributeValuefrom foundry_sdk.v2.admin.models import AttributeValuesfrom foundry_sdk.v2.admin.models import AuthenticationProtocolfrom foundry_sdk.v2.admin.models import AuthenticationProviderfrom foundry_sdk.v2.admin.models import AuthenticationProviderEnabledfrom foundry_sdk.v2.admin.models import AuthenticationProviderNamefrom foundry_sdk.v2.admin.models import AuthenticationProviderRidfrom foundry_sdk.v2.admin.models import CertificateInfofrom foundry_sdk.v2.admin.models import CertificateUsageTypefrom foundry_sdk.v2.admin.models import CreateGroupRequestfrom foundry_sdk.v2.admin.models import CreateMarkingRequestfrom foundry_sdk.v2.admin.models import CreateOrganizationRequestfrom foundry_sdk.v2.admin.models import Enrollmentfrom foundry_sdk.v2.admin.models import EnrollmentNamefrom foundry_sdk.v2.admin.models import EnrollmentRoleAssignmentfrom foundry_sdk.v2.admin.models import GetGroupsBatchRequestElementfrom foundry_sdk.v2.admin.models import GetGroupsBatchResponsefrom foundry_sdk.v2.admin.models import GetMarkingsBatchRequestElementfrom foundry_sdk.v2.admin.models import GetMarkingsBatchResponsefrom foundry_sdk.v2.admin.models import GetRolesBatchRequestElementfrom foundry_sdk.v2.admin.models import GetRolesBatchResponsefrom foundry_sdk.v2.admin.models import GetUserMarkingsResponsefrom foundry_sdk.v2.admin.models import GetUsersBatchRequestElementfrom foundry_sdk.v2.admin.models import GetUsersBatchResponsefrom foundry_sdk.v2.admin.models import Groupfrom foundry_sdk.v2.admin.models import GroupMemberfrom foundry_sdk.v2.admin.models import GroupMembershipfrom foundry_sdk.v2.admin.models import GroupMembershipExpirationfrom foundry_sdk.v2.admin.models import GroupMembershipExpirationPolicyfrom foundry_sdk.v2.admin.models import GroupNamefrom foundry_sdk.v2.admin.models import GroupProviderInfofrom foundry_sdk.v2.admin.models import GroupSearchFilterfrom foundry_sdk.v2.admin.models import Hostfrom foundry_sdk.v2.admin.models import HostNamefrom foundry_sdk.v2.admin.models import ListAuthenticationProvidersResponsefrom foundry_sdk.v2.admin.models import ListAvailableOrganizationRolesResponsefrom foundry_sdk.v2.admin.models import ListEnrollmentRoleAssignmentsResponsefrom foundry_sdk.v2.admin.models import ListGroupMembershipsResponsefrom foundry_sdk.v2.admin.models import ListGroupMembersResponsefrom foundry_sdk.v2.admin.models import ListGroupsResponsefrom foundry_sdk.v2.admin.models import ListHostsResponsefrom foundry_sdk.v2.admin.models import ListMarkingCategoriesResponsefrom foundry_sdk.v2.admin.models import ListMarkingMembersResponsefrom foundry_sdk.v2.admin.models import ListMarkingRoleAssignmentsResponsefrom foundry_sdk.v2.admin.models import ListMarkingsResponsefrom foundry_sdk.v2.admin.models import ListOrganizationRoleAssignmentsResponsefrom foundry_sdk.v2.admin.models import ListUsersResponsefrom foundry_sdk.v2.admin.models import Markingfrom foundry_sdk.v2.admin.models import MarkingCategoryfrom foundry_sdk.v2.admin.models import MarkingCategoryIdfrom foundry_sdk.v2.admin.models import MarkingCategoryNamefrom foundry_sdk.v2.admin.models import MarkingCategoryTypefrom foundry_sdk.v2.admin.models import MarkingMemberfrom foundry_sdk.v2.admin.models import MarkingNamefrom foundry_sdk.v2.admin.models import MarkingRolefrom foundry_sdk.v2.admin.models import MarkingRoleAssignmentfrom foundry_sdk.v2.admin.models import MarkingRoleUpdatefrom foundry_sdk.v2.admin.models import MarkingTypefrom foundry_sdk.v2.admin.models import OidcAuthenticationProtocolfrom foundry_sdk.v2.admin.models import Organizationfrom foundry_sdk.v2.admin.models import OrganizationNamefrom foundry_sdk.v2.admin.models import OrganizationRoleAssignmentfrom foundry_sdk.v2.admin.models import PreregisterGroupRequestfrom foundry_sdk.v2.admin.models import PreregisterUserRequestfrom foundry_sdk.v2.admin.models import PrincipalFilterTypefrom foundry_sdk.v2.admin.models import ProviderIdfrom foundry_sdk.v2.admin.models import RemoveEnrollmentRoleAssignmentsRequestfrom foundry_sdk.v2.admin.models import RemoveGroupMembersRequestfrom foundry_sdk.v2.admin.models import RemoveMarkingMembersRequestfrom foundry_sdk.v2.admin.models import RemoveMarkingRoleAssignmentsRequestfrom foundry_sdk.v2.admin.models import RemoveOrganizationRoleAssignmentsRequestfrom foundry_sdk.v2.admin.models import ReplaceGroupMembershipExpirationPolicyRequestfrom foundry_sdk.v2.admin.models import ReplaceGroupProviderInfoRequestfrom foundry_sdk.v2.admin.models import ReplaceMarkingRequestfrom foundry_sdk.v2.admin.models import ReplaceOrganizationRequestfrom foundry_sdk.v2.admin.models import ReplaceUserProviderInfoRequestfrom foundry_sdk.v2.admin.models import Rolefrom foundry_sdk.v2.admin.models import RoleDescriptionfrom foundry_sdk.v2.admin.models import RoleDisplayNamefrom foundry_sdk.v2.admin.models import SamlAuthenticationProtocolfrom foundry_sdk.v2.admin.models import SamlServiceProviderMetadatafrom foundry_sdk.v2.admin.models import SearchGroupsRequestfrom foundry_sdk.v2.admin.models import SearchGroupsResponsefrom foundry_sdk.v2.admin.models import SearchUsersRequestfrom foundry_sdk.v2.admin.models import SearchUsersResponsefrom foundry_sdk.v2.admin.models import Userfrom foundry_sdk.v2.admin.models import UserProviderInfofrom foundry_sdk.v2.admin.models import UserSearchFilterfrom foundry_sdk.v2.admin.models import UserUsernamefrom foundry_sdk.v2.aip_agents.models import Agentfrom foundry_sdk.v2.aip_agents.models import AgentMarkdownResponsefrom foundry_sdk.v2.aip_agents.models import AgentMetadatafrom foundry_sdk.v2.aip_agents.models import AgentRidfrom foundry_sdk.v2.aip_agents.models import AgentSessionRagContextResponsefrom foundry_sdk.v2.aip_agents.models import AgentsSessionsPagefrom foundry_sdk.v2.aip_agents.models import AgentVersionfrom foundry_sdk.v2.aip_agents.models import AgentVersionDetailsfrom foundry_sdk.v2.aip_agents.models import AgentVersionStringfrom foundry_sdk.v2.aip_agents.models import BlockingContinueSessionRequestfrom foundry_sdk.v2.aip_agents.models import CancelSessionRequestfrom foundry_sdk.v2.aip_agents.models import CancelSessionResponsefrom foundry_sdk.v2.aip_agents.models import Contentfrom foundry_sdk.v2.aip_agents.models import CreateSessionRequestfrom foundry_sdk.v2.aip_agents.models import FailureToolCallOutputfrom foundry_sdk.v2.aip_agents.models import FunctionRetrievedContextfrom foundry_sdk.v2.aip_agents.models import GetRagContextForSessionRequestfrom foundry_sdk.v2.aip_agents.models import InputContextfrom foundry_sdk.v2.aip_agents.models import ListAgentVersionsResponsefrom foundry_sdk.v2.aip_agents.models import ListSessionsResponsefrom foundry_sdk.v2.aip_agents.models import MessageIdfrom foundry_sdk.v2.aip_agents.models import ObjectContextfrom foundry_sdk.v2.aip_agents.models import ObjectSetParameterfrom foundry_sdk.v2.aip_agents.models import ObjectSetParameterValuefrom foundry_sdk.v2.aip_agents.models import ObjectSetParameterValueUpdatefrom foundry_sdk.v2.aip_agents.models import Parameterfrom foundry_sdk.v2.aip_agents.models import ParameterAccessModefrom foundry_sdk.v2.aip_agents.models import ParameterIdfrom foundry_sdk.v2.aip_agents.models import ParameterTypefrom foundry_sdk.v2.aip_agents.models import ParameterValuefrom foundry_sdk.v2.aip_agents.models import ParameterValueUpdatefrom foundry_sdk.v2.aip_agents.models import RidToolInputValuefrom foundry_sdk.v2.aip_agents.models import RidToolOutputValuefrom foundry_sdk.v2.aip_agents.models import Sessionfrom foundry_sdk.v2.aip_agents.models import SessionExchangefrom foundry_sdk.v2.aip_agents.models import SessionExchangeContextsfrom foundry_sdk.v2.aip_agents.models import SessionExchangeResultfrom foundry_sdk.v2.aip_agents.models import SessionMetadatafrom foundry_sdk.v2.aip_agents.models import SessionRidfrom foundry_sdk.v2.aip_agents.models import SessionTracefrom foundry_sdk.v2.aip_agents.models import SessionTraceIdfrom foundry_sdk.v2.aip_agents.models import SessionTraceStatusfrom foundry_sdk.v2.aip_agents.models import StreamingContinueSessionRequestfrom foundry_sdk.v2.aip_agents.models import StringParameterfrom foundry_sdk.v2.aip_agents.models import StringParameterValuefrom foundry_sdk.v2.aip_agents.models import StringToolInputValuefrom foundry_sdk.v2.aip_agents.models import StringToolOutputValuefrom foundry_sdk.v2.aip_agents.models import SuccessToolCallOutputfrom foundry_sdk.v2.aip_agents.models import ToolCallfrom foundry_sdk.v2.aip_agents.models import ToolCallGroupfrom foundry_sdk.v2.aip_agents.models import ToolCallInputfrom foundry_sdk.v2.aip_agents.models import ToolCallOutputfrom foundry_sdk.v2.aip_agents.models import ToolInputNamefrom foundry_sdk.v2.aip_agents.models import ToolInputValuefrom foundry_sdk.v2.aip_agents.models import ToolMetadatafrom foundry_sdk.v2.aip_agents.models import ToolOutputValuefrom foundry_sdk.v2.aip_agents.models import ToolTypefrom foundry_sdk.v2.aip_agents.models import UpdateSessionTitleRequestfrom foundry_sdk.v2.aip_agents.models import UserTextInputfrom foundry_sdk.v2.audit.models import FileIdfrom foundry_sdk.v2.audit.models import ListLogFilesResponsefrom foundry_sdk.v2.audit.models import LogFilefrom foundry_sdk.v2.connectivity.models import ApiKeyAuthenticationfrom foundry_sdk.v2.connectivity.models import AsPlaintextValuefrom foundry_sdk.v2.connectivity.models import AsSecretNamefrom foundry_sdk.v2.connectivity.models import AwsAccessKeyfrom foundry_sdk.v2.connectivity.models import AwsOidcAuthenticationfrom foundry_sdk.v2.connectivity.models import BasicCredentialsfrom foundry_sdk.v2.connectivity.models import BearerTokenfrom foundry_sdk.v2.connectivity.models import BigQueryVirtualTableConfigfrom foundry_sdk.v2.connectivity.models import CloudIdentityfrom foundry_sdk.v2.connectivity.models import CloudIdentityRidfrom foundry_sdk.v2.connectivity.models import Connectionfrom foundry_sdk.v2.connectivity.models import ConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import ConnectionDisplayNamefrom foundry_sdk.v2.connectivity.models import ConnectionExportSettingsfrom foundry_sdk.v2.connectivity.models import ConnectionRidfrom foundry_sdk.v2.connectivity.models import ConnectionWorkerfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestAsPlaintextValuefrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestAsSecretNamefrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestBasicCredentialsfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestConnectionWorkerfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestDatabricksAuthenticationModefrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestDatabricksConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestEncryptedPropertyfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestFoundryWorkerfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestJdbcConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestOauthMachineToMachineAuthfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestPersonalAccessTokenfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestRestConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestS3ConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSmbAuthfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSmbConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSmbUsernamePasswordAuthfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeAuthenticationModefrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeExternalOauthfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestSnowflakeKeyPairAuthenticationfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestUnknownWorkerfrom foundry_sdk.v2.connectivity.models import CreateConnectionRequestWorkflowIdentityFederationfrom foundry_sdk.v2.connectivity.models import CreateFileImportRequestfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestDatabricksTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestJdbcTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestMicrosoftAccessTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestMicrosoftSqlServerTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestOracleTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestPostgreSqlTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestSnowflakeTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateTableImportRequestTableImportConfigfrom foundry_sdk.v2.connectivity.models import CreateVirtualTableRequestfrom foundry_sdk.v2.connectivity.models import DatabricksAuthenticationModefrom foundry_sdk.v2.connectivity.models import DatabricksConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import DatabricksTableImportConfigfrom foundry_sdk.v2.connectivity.models import DateColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import DecimalColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import DeltaVirtualTableConfigfrom foundry_sdk.v2.connectivity.models import Domainfrom foundry_sdk.v2.connectivity.models import EncryptedPropertyfrom foundry_sdk.v2.connectivity.models import FileAnyPathMatchesFilterfrom foundry_sdk.v2.connectivity.models import FileAtLeastCountFilterfrom foundry_sdk.v2.connectivity.models import FileChangedSinceLastUploadFilterfrom foundry_sdk.v2.connectivity.models import FileFormatfrom foundry_sdk.v2.connectivity.models import FileImportfrom foundry_sdk.v2.connectivity.models import FileImportCustomFilterfrom foundry_sdk.v2.connectivity.models import FileImportDisplayNamefrom foundry_sdk.v2.connectivity.models import FileImportFilterfrom foundry_sdk.v2.connectivity.models import FileImportModefrom foundry_sdk.v2.connectivity.models import FileImportRidfrom foundry_sdk.v2.connectivity.models import FileLastModifiedAfterFilterfrom foundry_sdk.v2.connectivity.models import FilePathMatchesFilterfrom foundry_sdk.v2.connectivity.models import FilePathNotMatchesFilterfrom foundry_sdk.v2.connectivity.models import FilePropertyfrom foundry_sdk.v2.connectivity.models import FilesCountLimitFilterfrom foundry_sdk.v2.connectivity.models import FileSizeFilterfrom foundry_sdk.v2.connectivity.models import FilesVirtualTableConfigfrom foundry_sdk.v2.connectivity.models import FoundryWorkerfrom foundry_sdk.v2.connectivity.models import GetConfigurationConnectionsBatchRequestElementfrom foundry_sdk.v2.connectivity.models import GetConfigurationConnectionsBatchResponsefrom foundry_sdk.v2.connectivity.models import GlueVirtualTableConfigfrom foundry_sdk.v2.connectivity.models import HeaderApiKeyfrom foundry_sdk.v2.connectivity.models import IcebergVirtualTableConfigfrom foundry_sdk.v2.connectivity.models import IntegerColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import InvalidConnectionReasonfrom foundry_sdk.v2.connectivity.models import JdbcConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import JdbcDriverArtifactNamefrom foundry_sdk.v2.connectivity.models import JdbcPropertiesfrom foundry_sdk.v2.connectivity.models import JdbcTableImportConfigfrom foundry_sdk.v2.connectivity.models import ListFileImportsResponsefrom foundry_sdk.v2.connectivity.models import ListTableImportsResponsefrom foundry_sdk.v2.connectivity.models import LongColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import MicrosoftAccessTableImportConfigfrom foundry_sdk.v2.connectivity.models import MicrosoftSqlServerTableImportConfigfrom foundry_sdk.v2.connectivity.models import NetworkEgressPolicyRidfrom foundry_sdk.v2.connectivity.models import OauthMachineToMachineAuthfrom foundry_sdk.v2.connectivity.models import OracleTableImportConfigfrom foundry_sdk.v2.connectivity.models import PersonalAccessTokenfrom foundry_sdk.v2.connectivity.models import PlaintextValuefrom foundry_sdk.v2.connectivity.models import PostgreSqlTableImportConfigfrom foundry_sdk.v2.connectivity.models import Protocolfrom foundry_sdk.v2.connectivity.models import QueryParameterApiKeyfrom foundry_sdk.v2.connectivity.models import Regionfrom foundry_sdk.v2.connectivity.models import ReplaceFileImportRequestfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestDatabricksTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestJdbcTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestMicrosoftAccessTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestMicrosoftSqlServerTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestOracleTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestPostgreSqlTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestSnowflakeTableImportConfigfrom foundry_sdk.v2.connectivity.models import ReplaceTableImportRequestTableImportConfigfrom foundry_sdk.v2.connectivity.models import RestAuthenticationModefrom foundry_sdk.v2.connectivity.models import RestConnectionAdditionalSecretsfrom foundry_sdk.v2.connectivity.models import RestConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import RestConnectionOAuth2from foundry_sdk.v2.connectivity.models import RestRequestApiKeyLocationfrom foundry_sdk.v2.connectivity.models import S3AuthenticationModefrom foundry_sdk.v2.connectivity.models import S3ConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import S3KmsConfigurationfrom foundry_sdk.v2.connectivity.models import S3ProxyConfigurationfrom foundry_sdk.v2.connectivity.models import SecretNamefrom foundry_sdk.v2.connectivity.models import SecretsNamesfrom foundry_sdk.v2.connectivity.models import SecretsWithPlaintextValuesfrom foundry_sdk.v2.connectivity.models import SmbAuthfrom foundry_sdk.v2.connectivity.models import SmbConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import SmbProxyConfigurationfrom foundry_sdk.v2.connectivity.models import SmbProxyTypefrom foundry_sdk.v2.connectivity.models import SmbUsernamePasswordAuthfrom foundry_sdk.v2.connectivity.models import SnowflakeAuthenticationModefrom foundry_sdk.v2.connectivity.models import SnowflakeConnectionConfigurationfrom foundry_sdk.v2.connectivity.models import SnowflakeExternalOauthfrom foundry_sdk.v2.connectivity.models import SnowflakeKeyPairAuthenticationfrom foundry_sdk.v2.connectivity.models import SnowflakeTableImportConfigfrom foundry_sdk.v2.connectivity.models import SnowflakeVirtualTableConfigfrom foundry_sdk.v2.connectivity.models import StringColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import StsRoleConfigurationfrom foundry_sdk.v2.connectivity.models import TableImportfrom foundry_sdk.v2.connectivity.models import TableImportAllowSchemaChangesfrom foundry_sdk.v2.connectivity.models import TableImportConfigfrom foundry_sdk.v2.connectivity.models import TableImportDisplayNamefrom foundry_sdk.v2.connectivity.models import TableImportInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import TableImportModefrom foundry_sdk.v2.connectivity.models import TableImportQueryfrom foundry_sdk.v2.connectivity.models import TableImportRidfrom foundry_sdk.v2.connectivity.models import TableNamefrom foundry_sdk.v2.connectivity.models import TableRidfrom foundry_sdk.v2.connectivity.models import TimestampColumnInitialIncrementalStatefrom foundry_sdk.v2.connectivity.models import UnityVirtualTableConfigfrom foundry_sdk.v2.connectivity.models import UnknownWorkerfrom foundry_sdk.v2.connectivity.models import UpdateExportSettingsForConnectionRequestfrom foundry_sdk.v2.connectivity.models import UpdateSecretsForConnectionRequestfrom foundry_sdk.v2.connectivity.models import UriSchemefrom foundry_sdk.v2.connectivity.models import VirtualTablefrom foundry_sdk.v2.connectivity.models import VirtualTableConfigfrom foundry_sdk.v2.connectivity.models import WorkflowIdentityFederationfrom foundry_sdk.v2.core.models import AnyTypefrom foundry_sdk.v2.core.models import ArrayFieldTypefrom foundry_sdk.v2.core.models import AttachmentTypefrom foundry_sdk.v2.core.models import Attributionfrom foundry_sdk.v2.core.models import BinaryTypefrom foundry_sdk.v2.core.models import BooleanTypefrom foundry_sdk.v2.core.models import BranchMetadatafrom foundry_sdk.v2.core.models import BuildRidfrom foundry_sdk.v2.core.models import ByteTypefrom foundry_sdk.v2.core.models import ChangeDataCaptureConfigurationfrom foundry_sdk.v2.core.models import CheckReportRidfrom foundry_sdk.v2.core.models import CheckRidfrom foundry_sdk.v2.core.models import CipherTextTypefrom foundry_sdk.v2.core.models import ComputeSecondsfrom foundry_sdk.v2.core.models import ContentLengthfrom foundry_sdk.v2.core.models import ContentTypefrom foundry_sdk.v2.core.models import CreatedByfrom foundry_sdk.v2.core.models import CreatedTimefrom foundry_sdk.v2.core.models import CustomMetadatafrom foundry_sdk.v2.core.models import DatasetFieldSchemafrom foundry_sdk.v2.core.models import DatasetSchemafrom foundry_sdk.v2.core.models import DateTypefrom foundry_sdk.v2.core.models import DecimalTypefrom foundry_sdk.v2.core.models import DisplayNamefrom foundry_sdk.v2.core.models import Distancefrom foundry_sdk.v2.core.models import DistanceUnitfrom foundry_sdk.v2.core.models import DoubleTypefrom foundry_sdk.v2.core.models import Durationfrom foundry_sdk.v2.core.models import DurationSecondsfrom foundry_sdk.v2.core.models import EmbeddingModelfrom foundry_sdk.v2.core.models import EnrollmentRidfrom foundry_sdk.v2.core.models import Fieldfrom foundry_sdk.v2.core.models import FieldDataTypefrom foundry_sdk.v2.core.models import FieldNamefrom foundry_sdk.v2.core.models import FieldSchemafrom foundry_sdk.v2.core.models import Filenamefrom foundry_sdk.v2.core.models import FilePathfrom foundry_sdk.v2.core.models import FilterBinaryTypefrom foundry_sdk.v2.core.models import FilterBooleanTypefrom foundry_sdk.v2.core.models import FilterDateTimeTypefrom foundry_sdk.v2.core.models import FilterDateTypefrom foundry_sdk.v2.core.models import FilterDoubleTypefrom foundry_sdk.v2.core.models import FilterEnumTypefrom foundry_sdk.v2.core.models import FilterFloatTypefrom foundry_sdk.v2.core.models import FilterIntegerTypefrom foundry_sdk.v2.core.models import FilterLongTypefrom foundry_sdk.v2.core.models import FilterRidTypefrom foundry_sdk.v2.core.models import FilterStringTypefrom foundry_sdk.v2.core.models import FilterTypefrom foundry_sdk.v2.core.models import FilterUuidTypefrom foundry_sdk.v2.core.models import FloatTypefrom foundry_sdk.v2.core.models import FolderRidfrom foundry_sdk.v2.core.models import FoundryBranchfrom foundry_sdk.v2.core.models import FoundryLiveDeploymentfrom foundry_sdk.v2.core.models import FullRowChangeDataCaptureConfigurationfrom foundry_sdk.v2.core.models import GeohashTypefrom foundry_sdk.v2.core.models import GeoPointTypefrom foundry_sdk.v2.core.models import GeoShapeTypefrom foundry_sdk.v2.core.models import GeotimeSeriesReferenceTypefrom foundry_sdk.v2.core.models import GroupIdfrom foundry_sdk.v2.core.models import GroupNamefrom foundry_sdk.v2.core.models import GroupRidfrom foundry_sdk.v2.core.models import IncludeComputeUsagefrom foundry_sdk.v2.core.models import IntegerTypefrom foundry_sdk.v2.core.models import JobRidfrom foundry_sdk.v2.core.models import LmsEmbeddingModelfrom foundry_sdk.v2.core.models import LmsEmbeddingModelValuefrom foundry_sdk.v2.core.models import LongTypefrom foundry_sdk.v2.core.models import MapFieldTypefrom foundry_sdk.v2.core.models import MarkingIdfrom foundry_sdk.v2.core.models import MarkingTypefrom foundry_sdk.v2.core.models import MediaItemPathfrom foundry_sdk.v2.core.models import MediaItemReadTokenfrom foundry_sdk.v2.core.models import MediaItemRidfrom foundry_sdk.v2.core.models import MediaReferencefrom foundry_sdk.v2.core.models import MediaReferenceTypefrom foundry_sdk.v2.core.models import MediaSetRidfrom foundry_sdk.v2.core.models import MediaSetViewItemfrom foundry_sdk.v2.core.models import MediaSetViewItemWrapperfrom foundry_sdk.v2.core.models import MediaSetViewRidfrom foundry_sdk.v2.core.models import MediaTypefrom foundry_sdk.v2.core.models import NullTypefrom foundry_sdk.v2.core.models import NumericOrNonNumericTypefrom foundry_sdk.v2.core.models import Operationfrom foundry_sdk.v2.core.models import OperationScopefrom foundry_sdk.v2.core.models import OrderByDirectionfrom foundry_sdk.v2.core.models import OrganizationRidfrom foundry_sdk.v2.core.models import PageSizefrom foundry_sdk.v2.core.models import PageTokenfrom foundry_sdk.v2.core.models import PreviewModefrom foundry_sdk.v2.core.models import PrincipalIdfrom foundry_sdk.v2.core.models import PrincipalTypefrom foundry_sdk.v2.core.models import Realmfrom foundry_sdk.v2.core.models import Referencefrom foundry_sdk.v2.core.models import ReleaseStatusfrom foundry_sdk.v2.core.models import Rolefrom foundry_sdk.v2.core.models import RoleAssignmentUpdatefrom foundry_sdk.v2.core.models import RoleContextfrom foundry_sdk.v2.core.models import RoleIdfrom foundry_sdk.v2.core.models import RoleSetIdfrom foundry_sdk.v2.core.models import ScheduleRidfrom foundry_sdk.v2.core.models import SchemaFieldTypefrom foundry_sdk.v2.core.models import ShortTypefrom foundry_sdk.v2.core.models import SizeBytesfrom foundry_sdk.v2.core.models import StreamSchemafrom foundry_sdk.v2.core.models import StringTypefrom foundry_sdk.v2.core.models import StructFieldNamefrom foundry_sdk.v2.core.models import StructFieldTypefrom foundry_sdk.v2.core.models import TableRidfrom foundry_sdk.v2.core.models import TimeSeriesItemTypefrom foundry_sdk.v2.core.models import TimeseriesTypefrom foundry_sdk.v2.core.models import TimestampTypefrom foundry_sdk.v2.core.models import TimeUnitfrom foundry_sdk.v2.core.models import TotalCountfrom foundry_sdk.v2.core.models import TraceParentfrom foundry_sdk.v2.core.models import TraceStatefrom foundry_sdk.v2.core.models import UnsupportedTypefrom foundry_sdk.v2.core.models import UpdatedByfrom foundry_sdk.v2.core.models import UpdatedTimefrom foundry_sdk.v2.core.models import UserIdfrom foundry_sdk.v2.core.models import UserStatusfrom foundry_sdk.v2.core.models import VectorSimilarityFunctionfrom foundry_sdk.v2.core.models import VectorSimilarityFunctionValuefrom foundry_sdk.v2.core.models import VectorTypefrom foundry_sdk.v2.core.models import VersionIdfrom foundry_sdk.v2.core.models import ZoneIdfrom foundry_sdk.v2.data_health.models import AllowedColumnValuesCheckConfigfrom foundry_sdk.v2.data_health.models import ApproximateUniquePercentageCheckConfigfrom foundry_sdk.v2.data_health.models import BooleanColumnValuefrom foundry_sdk.v2.data_health.models import BuildDurationCheckConfigfrom foundry_sdk.v2.data_health.models import BuildStatusCheckConfigfrom foundry_sdk.v2.data_health.models import Checkfrom foundry_sdk.v2.data_health.models import CheckConfigfrom foundry_sdk.v2.data_health.models import CheckGroupRidfrom foundry_sdk.v2.data_health.models import CheckIntentfrom foundry_sdk.v2.data_health.models import CheckReportfrom foundry_sdk.v2.data_health.models import CheckResultfrom foundry_sdk.v2.data_health.models import CheckResultStatusfrom foundry_sdk.v2.data_health.models import ColumnCountConfigfrom foundry_sdk.v2.data_health.models import ColumnInfofrom foundry_sdk.v2.data_health.models import ColumnNamefrom foundry_sdk.v2.data_health.models import ColumnTypeCheckConfigfrom foundry_sdk.v2.data_health.models import ColumnTypeConfigfrom foundry_sdk.v2.data_health.models import ColumnValuefrom foundry_sdk.v2.data_health.models import CreateCheckRequestfrom foundry_sdk.v2.data_health.models import DatasetSubjectfrom foundry_sdk.v2.data_health.models import DateBoundsfrom foundry_sdk.v2.data_health.models import DateBoundsConfigfrom foundry_sdk.v2.data_health.models import DateColumnRangeCheckConfigfrom foundry_sdk.v2.data_health.models import DateColumnValuefrom foundry_sdk.v2.data_health.models import EscalationConfigfrom foundry_sdk.v2.data_health.models import JobDurationCheckConfigfrom foundry_sdk.v2.data_health.models import JobStatusCheckConfigfrom foundry_sdk.v2.data_health.models import MedianDeviationfrom foundry_sdk.v2.data_health.models import MedianDeviationBoundsTypefrom foundry_sdk.v2.data_health.models import MedianDeviationConfigfrom foundry_sdk.v2.data_health.models import NullPercentageCheckConfigfrom foundry_sdk.v2.data_health.models import NumericBoundsfrom foundry_sdk.v2.data_health.models import NumericBoundsConfigfrom foundry_sdk.v2.data_health.models import NumericColumnCheckConfigfrom foundry_sdk.v2.data_health.models import NumericColumnMeanCheckConfigfrom foundry_sdk.v2.data_health.models import NumericColumnMedianCheckConfigfrom foundry_sdk.v2.data_health.models import NumericColumnRangeCheckConfigfrom foundry_sdk.v2.data_health.models import NumericColumnValuefrom foundry_sdk.v2.data_health.models import PercentageBoundsfrom foundry_sdk.v2.data_health.models import PercentageBoundsConfigfrom foundry_sdk.v2.data_health.models import PercentageCheckConfigfrom foundry_sdk.v2.data_health.models import PercentageValuefrom foundry_sdk.v2.data_health.models import PrimaryKeyCheckConfigfrom foundry_sdk.v2.data_health.models import PrimaryKeyConfigfrom foundry_sdk.v2.data_health.models import ReplaceAllowedColumnValuesCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceApproximateUniquePercentageCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceBuildDurationCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceBuildStatusCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceCheckRequestfrom foundry_sdk.v2.data_health.models import ReplaceColumnTypeCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceColumnTypeConfigfrom foundry_sdk.v2.data_health.models import ReplaceDateColumnRangeCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceJobDurationCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceJobStatusCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceNullPercentageCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceNumericColumnCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceNumericColumnMeanCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceNumericColumnMedianCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceNumericColumnRangeCheckConfigfrom foundry_sdk.v2.data_health.models import ReplacePercentageCheckConfigfrom foundry_sdk.v2.data_health.models import ReplacePrimaryKeyCheckConfigfrom foundry_sdk.v2.data_health.models import ReplacePrimaryKeyConfigfrom foundry_sdk.v2.data_health.models import ReplaceSchemaComparisonCheckConfigfrom foundry_sdk.v2.data_health.models import ReplaceTotalColumnCountCheckConfigfrom foundry_sdk.v2.data_health.models import SchemaComparisonCheckConfigfrom foundry_sdk.v2.data_health.models import SchemaComparisonConfigfrom foundry_sdk.v2.data_health.models import SchemaComparisonTypefrom foundry_sdk.v2.data_health.models import SchemaInfofrom foundry_sdk.v2.data_health.models import SeverityLevelfrom foundry_sdk.v2.data_health.models import StatusCheckConfigfrom foundry_sdk.v2.data_health.models import StringColumnValuefrom foundry_sdk.v2.data_health.models import TimeBoundsfrom foundry_sdk.v2.data_health.models import TimeBoundsConfigfrom foundry_sdk.v2.data_health.models import TimeCheckConfigfrom foundry_sdk.v2.data_health.models import TotalColumnCountCheckConfigfrom foundry_sdk.v2.data_health.models import TrendConfigfrom foundry_sdk.v2.data_health.models import TrendTypefrom foundry_sdk.v2.datasets.models import AddBackingDatasetsRequestfrom foundry_sdk.v2.datasets.models import AddPrimaryKeyRequestfrom foundry_sdk.v2.datasets.models import Branchfrom foundry_sdk.v2.datasets.models import BranchNamefrom foundry_sdk.v2.datasets.models import CreateBranchRequestfrom foundry_sdk.v2.datasets.models import CreateDatasetRequestfrom foundry_sdk.v2.datasets.models import CreateTransactionRequestfrom foundry_sdk.v2.datasets.models import CreateViewRequestfrom foundry_sdk.v2.datasets.models import DataframeReaderfrom foundry_sdk.v2.datasets.models import Datasetfrom foundry_sdk.v2.datasets.models import DatasetNamefrom foundry_sdk.v2.datasets.models import DatasetRidfrom foundry_sdk.v2.datasets.models import Filefrom foundry_sdk.v2.datasets.models import FileUpdatedTimefrom foundry_sdk.v2.datasets.models import GetDatasetJobsAndFilterfrom foundry_sdk.v2.datasets.models import GetDatasetJobsComparisonTypefrom foundry_sdk.v2.datasets.models import GetDatasetJobsOrFilterfrom foundry_sdk.v2.datasets.models import GetDatasetJobsQueryfrom foundry_sdk.v2.datasets.models import GetDatasetJobsRequestfrom foundry_sdk.v2.datasets.models import GetDatasetJobsSortfrom foundry_sdk.v2.datasets.models import GetDatasetJobsSortDirectionfrom foundry_sdk.v2.datasets.models import GetDatasetJobsSortTypefrom foundry_sdk.v2.datasets.models import GetDatasetJobsTimeFilterfrom foundry_sdk.v2.datasets.models import GetDatasetJobsTimeFilterFieldfrom foundry_sdk.v2.datasets.models import GetDatasetSchemaResponsefrom foundry_sdk.v2.datasets.models import GetJobResponsefrom foundry_sdk.v2.datasets.models import GetSchemaDatasetsBatchRequestElementfrom foundry_sdk.v2.datasets.models import GetSchemaDatasetsBatchResponsefrom foundry_sdk.v2.datasets.models import JobDetailsfrom foundry_sdk.v2.datasets.models import ListBranchesResponsefrom foundry_sdk.v2.datasets.models import ListFilesResponsefrom foundry_sdk.v2.datasets.models import ListHealthChecksResponsefrom foundry_sdk.v2.datasets.models import ListSchedulesResponsefrom foundry_sdk.v2.datasets.models import ListTransactionsOfDatasetResponsefrom foundry_sdk.v2.datasets.models import ListTransactionsResponsefrom foundry_sdk.v2.datasets.models import PrimaryKeyLatestWinsResolutionStrategyfrom foundry_sdk.v2.datasets.models import PrimaryKeyResolutionDuplicatefrom foundry_sdk.v2.datasets.models import PrimaryKeyResolutionStrategyfrom foundry_sdk.v2.datasets.models import PrimaryKeyResolutionUniquefrom foundry_sdk.v2.datasets.models import PutDatasetSchemaRequestfrom foundry_sdk.v2.datasets.models import RemoveBackingDatasetsRequestfrom foundry_sdk.v2.datasets.models import ReplaceBackingDatasetsRequestfrom foundry_sdk.v2.datasets.models import TableExportFormatfrom foundry_sdk.v2.datasets.models import Transactionfrom foundry_sdk.v2.datasets.models import TransactionCreatedTimefrom foundry_sdk.v2.datasets.models import TransactionRidfrom foundry_sdk.v2.datasets.models import TransactionStatusfrom foundry_sdk.v2.datasets.models import TransactionTypefrom foundry_sdk.v2.datasets.models import Viewfrom foundry_sdk.v2.datasets.models import ViewBackingDatasetfrom foundry_sdk.v2.datasets.models import ViewPrimaryKeyfrom foundry_sdk.v2.datasets.models import ViewPrimaryKeyResolutionfrom foundry_sdk.v2.filesystem.models import AccessRequirementsfrom foundry_sdk.v2.filesystem.models import AddMarkingsRequestfrom foundry_sdk.v2.filesystem.models import AddOrganizationsRequestfrom foundry_sdk.v2.filesystem.models import AddResourceRolesRequestfrom foundry_sdk.v2.filesystem.models import CreateFolderRequestfrom foundry_sdk.v2.filesystem.models import CreateProjectFromTemplateRequestfrom foundry_sdk.v2.filesystem.models import CreateProjectRequestfrom foundry_sdk.v2.filesystem.models import CreateSpaceRequestfrom foundry_sdk.v2.filesystem.models import Everyonefrom foundry_sdk.v2.filesystem.models import FileSystemIdfrom foundry_sdk.v2.filesystem.models import Folderfrom foundry_sdk.v2.filesystem.models import FolderRidfrom foundry_sdk.v2.filesystem.models import FolderTypefrom foundry_sdk.v2.filesystem.models import GetByPathResourcesBatchRequestElementfrom foundry_sdk.v2.filesystem.models import GetByPathResourcesBatchResponsefrom foundry_sdk.v2.filesystem.models import GetFoldersBatchRequestElementfrom foundry_sdk.v2.filesystem.models import GetFoldersBatchResponsefrom foundry_sdk.v2.filesystem.models import GetResourcesBatchRequestElementfrom foundry_sdk.v2.filesystem.models import GetResourcesBatchResponsefrom foundry_sdk.v2.filesystem.models import IsDirectlyAppliedfrom foundry_sdk.v2.filesystem.models import ListChildrenOfFolderResponsefrom foundry_sdk.v2.filesystem.models import ListMarkingsOfResourceResponsefrom foundry_sdk.v2.filesystem.models import ListOrganizationsOfProjectResponsefrom foundry_sdk.v2.filesystem.models import ListResourceRolesResponsefrom foundry_sdk.v2.filesystem.models import ListSpacesResponsefrom foundry_sdk.v2.filesystem.models import Markingfrom foundry_sdk.v2.filesystem.models import Organizationfrom foundry_sdk.v2.filesystem.models import PrincipalIdOnlyfrom foundry_sdk.v2.filesystem.models import PrincipalWithIdfrom foundry_sdk.v2.filesystem.models import Projectfrom foundry_sdk.v2.filesystem.models import ProjectRidfrom foundry_sdk.v2.filesystem.models import ProjectTemplateRidfrom foundry_sdk.v2.filesystem.models import ProjectTemplateVariableIdfrom foundry_sdk.v2.filesystem.models import ProjectTemplateVariableValuefrom foundry_sdk.v2.filesystem.models import RemoveMarkingsRequestfrom foundry_sdk.v2.filesystem.models import RemoveOrganizationsRequestfrom foundry_sdk.v2.filesystem.models import RemoveResourceRolesRequestfrom foundry_sdk.v2.filesystem.models import ReplaceProjectRequestfrom foundry_sdk.v2.filesystem.models import ReplaceSpaceRequestfrom foundry_sdk.v2.filesystem.models import Resourcefrom foundry_sdk.v2.filesystem.models import ResourceDisplayNamefrom foundry_sdk.v2.filesystem.models import ResourcePathfrom foundry_sdk.v2.filesystem.models import ResourceRidfrom foundry_sdk.v2.filesystem.models import ResourceRolefrom foundry_sdk.v2.filesystem.models import ResourceRoleIdentifierfrom foundry_sdk.v2.filesystem.models import ResourceRolePrincipalfrom foundry_sdk.v2.filesystem.models import ResourceRolePrincipalIdentifierfrom foundry_sdk.v2.filesystem.models import ResourceTypefrom foundry_sdk.v2.filesystem.models import Spacefrom foundry_sdk.v2.filesystem.models import SpaceMavenIdentifierfrom foundry_sdk.v2.filesystem.models import SpaceRidfrom foundry_sdk.v2.filesystem.models import TrashStatusfrom foundry_sdk.v2.filesystem.models import UsageAccountRidfrom foundry_sdk.v2.functions.models import ArrayConstraintfrom foundry_sdk.v2.functions.models import DataValuefrom foundry_sdk.v2.functions.models import EnumConstraintfrom foundry_sdk.v2.functions.models import ExecuteQueryRequestfrom foundry_sdk.v2.functions.models import ExecuteQueryResponsefrom foundry_sdk.v2.functions.models import FunctionRidfrom foundry_sdk.v2.functions.models import FunctionVersionfrom foundry_sdk.v2.functions.models import GetByRidQueriesRequestfrom foundry_sdk.v2.functions.models import LengthConstraintfrom foundry_sdk.v2.functions.models import MapConstraintfrom foundry_sdk.v2.functions.models import NullableConstraintfrom foundry_sdk.v2.functions.models import NullableConstraintValuefrom foundry_sdk.v2.functions.models import Parameterfrom foundry_sdk.v2.functions.models import ParameterIdfrom foundry_sdk.v2.functions.models import Queryfrom foundry_sdk.v2.functions.models import QueryAggregationKeyTypefrom foundry_sdk.v2.functions.models import QueryAggregationRangeSubTypefrom foundry_sdk.v2.functions.models import QueryAggregationRangeTypefrom foundry_sdk.v2.functions.models import QueryAggregationValueTypefrom foundry_sdk.v2.functions.models import QueryApiNamefrom foundry_sdk.v2.functions.models import QueryArrayTypefrom foundry_sdk.v2.functions.models import QueryDataTypefrom foundry_sdk.v2.functions.models import QueryRuntimeErrorParameterfrom foundry_sdk.v2.functions.models import QuerySetTypefrom foundry_sdk.v2.functions.models import QueryStructFieldfrom foundry_sdk.v2.functions.models import QueryStructTypefrom foundry_sdk.v2.functions.models import QueryUnionTypefrom foundry_sdk.v2.functions.models import RangesConstraintfrom foundry_sdk.v2.functions.models import RegexConstraintfrom foundry_sdk.v2.functions.models import RidConstraintfrom foundry_sdk.v2.functions.models import StreamingExecuteQueryRequestfrom foundry_sdk.v2.functions.models import StructConstraintfrom foundry_sdk.v2.functions.models import StructFieldApiNamefrom foundry_sdk.v2.functions.models import StructFieldNamefrom foundry_sdk.v2.functions.models import StructV1Constraintfrom foundry_sdk.v2.functions.models import ThreeDimensionalAggregationfrom foundry_sdk.v2.functions.models import TransactionIdfrom foundry_sdk.v2.functions.models import TwoDimensionalAggregationfrom foundry_sdk.v2.functions.models import UuidConstraintfrom foundry_sdk.v2.functions.models import ValueTypefrom foundry_sdk.v2.functions.models import ValueTypeApiNamefrom foundry_sdk.v2.functions.models import ValueTypeConstraintfrom foundry_sdk.v2.functions.models import ValueTypeDataTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeArrayTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeBinaryTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeBooleanTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeByteTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeDateTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeDecimalTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeDoubleTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeFloatTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeIntegerTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeLongTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeMapTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeOptionalTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeShortTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeStringTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeStructElementfrom foundry_sdk.v2.functions.models import ValueTypeDataTypeStructFieldIdentifierfrom foundry_sdk.v2.functions.models import ValueTypeDataTypeStructTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeTimestampTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeUnionTypefrom foundry_sdk.v2.functions.models import ValueTypeDataTypeValueTypeReferencefrom foundry_sdk.v2.functions.models import ValueTypeDescriptionfrom foundry_sdk.v2.functions.models import ValueTypeReferencefrom foundry_sdk.v2.functions.models import ValueTypeRidfrom foundry_sdk.v2.functions.models import ValueTypeVersionfrom foundry_sdk.v2.functions.models import ValueTypeVersionIdfrom foundry_sdk.v2.functions.models import VersionIdfrom foundry_sdk.v2.geo.models import BBoxfrom foundry_sdk.v2.geo.models import Coordinatefrom foundry_sdk.v2.geo.models import Featurefrom foundry_sdk.v2.geo.models import FeatureCollectionfrom foundry_sdk.v2.geo.models import FeatureCollectionTypesfrom foundry_sdk.v2.geo.models import FeaturePropertyKeyfrom foundry_sdk.v2.geo.models import Geometryfrom foundry_sdk.v2.geo.models import GeometryCollectionfrom foundry_sdk.v2.geo.models import GeoPointfrom foundry_sdk.v2.geo.models import LinearRingfrom foundry_sdk.v2.geo.models import LineStringfrom foundry_sdk.v2.geo.models import LineStringCoordinatesfrom foundry_sdk.v2.geo.models import MultiLineStringfrom foundry_sdk.v2.geo.models import MultiPointfrom foundry_sdk.v2.geo.models import MultiPolygonfrom foundry_sdk.v2.geo.models import Polygonfrom foundry_sdk.v2.geo.models import Positionfrom foundry_sdk.v2.language_models.models import AnthropicAnyToolChoicefrom foundry_sdk.v2.language_models.models import AnthropicAutoToolChoicefrom foundry_sdk.v2.language_models.models import AnthropicBase64PdfDocumentSourcefrom foundry_sdk.v2.language_models.models import AnthropicCacheControlfrom foundry_sdk.v2.language_models.models import AnthropicCharacterLocationCitationfrom foundry_sdk.v2.language_models.models import AnthropicCompletionCitationfrom foundry_sdk.v2.language_models.models import AnthropicCompletionContentfrom foundry_sdk.v2.language_models.models import AnthropicCompletionRedactedThinkingfrom foundry_sdk.v2.language_models.models import AnthropicCompletionTextfrom foundry_sdk.v2.language_models.models import AnthropicCompletionThinkingfrom foundry_sdk.v2.language_models.models import AnthropicCompletionToolUsefrom foundry_sdk.v2.language_models.models import AnthropicCustomToolfrom foundry_sdk.v2.language_models.models import AnthropicDisabledThinkingfrom foundry_sdk.v2.language_models.models import AnthropicDisableParallelToolUsefrom foundry_sdk.v2.language_models.models import AnthropicDocumentfrom foundry_sdk.v2.language_models.models import AnthropicDocumentCitationsfrom foundry_sdk.v2.language_models.models import AnthropicDocumentSourcefrom foundry_sdk.v2.language_models.models import AnthropicEnabledThinkingfrom foundry_sdk.v2.language_models.models import AnthropicEphemeralCacheControlfrom foundry_sdk.v2.language_models.models import AnthropicImagefrom foundry_sdk.v2.language_models.models import AnthropicImageBase64Sourcefrom foundry_sdk.v2.language_models.models import AnthropicImageSourcefrom foundry_sdk.v2.language_models.models import AnthropicMediaTypefrom foundry_sdk.v2.language_models.models import AnthropicMessagefrom foundry_sdk.v2.language_models.models import AnthropicMessageContentfrom foundry_sdk.v2.language_models.models import AnthropicMessageRolefrom foundry_sdk.v2.language_models.models import AnthropicMessagesRequestfrom foundry_sdk.v2.language_models.models import AnthropicMessagesResponsefrom foundry_sdk.v2.language_models.models import AnthropicNoneToolChoicefrom foundry_sdk.v2.language_models.models import AnthropicRedactedThinkingfrom foundry_sdk.v2.language_models.models import AnthropicSystemMessagefrom foundry_sdk.v2.language_models.models import AnthropicTextfrom foundry_sdk.v2.language_models.models import AnthropicTextDocumentSourcefrom foundry_sdk.v2.language_models.models import AnthropicThinkingfrom foundry_sdk.v2.language_models.models import AnthropicThinkingConfigfrom foundry_sdk.v2.language_models.models import AnthropicTokenUsagefrom foundry_sdk.v2.language_models.models import AnthropicToolfrom foundry_sdk.v2.language_models.models import AnthropicToolChoicefrom foundry_sdk.v2.language_models.models import AnthropicToolResultfrom foundry_sdk.v2.language_models.models import AnthropicToolResultContentfrom foundry_sdk.v2.language_models.models import AnthropicToolToolChoicefrom foundry_sdk.v2.language_models.models import AnthropicToolUsefrom foundry_sdk.v2.language_models.models import JsonSchemafrom foundry_sdk.v2.language_models.models import LanguageModelApiNamefrom foundry_sdk.v2.language_models.models import OpenAiEmbeddingInputfrom foundry_sdk.v2.language_models.models import OpenAiEmbeddingsRequestfrom foundry_sdk.v2.language_models.models import OpenAiEmbeddingsResponsefrom foundry_sdk.v2.language_models.models import OpenAiEmbeddingTokenUsagefrom foundry_sdk.v2.language_models.models import OpenAiEncodingFormatfrom foundry_sdk.v2.media_sets.models import BranchNamefrom foundry_sdk.v2.media_sets.models import BranchRidfrom foundry_sdk.v2.media_sets.models import GetMediaItemInfoResponsefrom foundry_sdk.v2.media_sets.models import GetMediaItemRidByPathResponsefrom foundry_sdk.v2.media_sets.models import LogicalTimestampfrom foundry_sdk.v2.media_sets.models import MediaAttributionfrom foundry_sdk.v2.media_sets.models import MediaItemXmlFormatfrom foundry_sdk.v2.media_sets.models import PutMediaItemResponsefrom foundry_sdk.v2.media_sets.models import TrackedTransformationFailedResponsefrom foundry_sdk.v2.media_sets.models import TrackedTransformationPendingResponsefrom foundry_sdk.v2.media_sets.models import TrackedTransformationResponsefrom foundry_sdk.v2.media_sets.models import TrackedTransformationSuccessfulResponsefrom foundry_sdk.v2.media_sets.models import TransactionIdfrom foundry_sdk.v2.models.models import CreateModelRequestfrom foundry_sdk.v2.models.models import CreateModelVersionRequestfrom foundry_sdk.v2.models.models import DillModelFilesfrom foundry_sdk.v2.models.models import ListModelVersionsResponsefrom foundry_sdk.v2.models.models import Modelfrom foundry_sdk.v2.models.models import ModelApifrom foundry_sdk.v2.models.models import ModelApiAnyTypefrom foundry_sdk.v2.models.models import ModelApiArrayTypefrom foundry_sdk.v2.models.models import ModelApiColumnfrom foundry_sdk.v2.models.models import ModelApiDataTypefrom foundry_sdk.v2.models.models import ModelApiInputfrom foundry_sdk.v2.models.models import ModelApiMapTypefrom foundry_sdk.v2.models.models import ModelApiOutputfrom foundry_sdk.v2.models.models import ModelApiParameterTypefrom foundry_sdk.v2.models.models import ModelApiTabularFormatfrom foundry_sdk.v2.models.models import ModelApiTabularTypefrom foundry_sdk.v2.models.models import ModelFilesfrom foundry_sdk.v2.models.models import ModelNamefrom foundry_sdk.v2.models.models import ModelRidfrom foundry_sdk.v2.models.models import ModelVersionfrom foundry_sdk.v2.models.models import ModelVersionRidfrom foundry_sdk.v2.ontologies.models import AbsoluteTimeRangefrom foundry_sdk.v2.ontologies.models import AbsoluteValuePropertyExpressionfrom foundry_sdk.v2.ontologies.models import ActionExecutionTimefrom foundry_sdk.v2.ontologies.models import ActionLogicRulefrom foundry_sdk.v2.ontologies.models import ActionParameterArrayTypefrom foundry_sdk.v2.ontologies.models import ActionParameterTypefrom foundry_sdk.v2.ontologies.models import ActionParameterV2from foundry_sdk.v2.ontologies.models import ActionResultsfrom foundry_sdk.v2.ontologies.models import ActionRidfrom foundry_sdk.v2.ontologies.models import ActionTypeApiNamefrom foundry_sdk.v2.ontologies.models import ActionTypeFullMetadatafrom foundry_sdk.v2.ontologies.models import ActionTypeRidfrom foundry_sdk.v2.ontologies.models import ActionTypeV2from foundry_sdk.v2.ontologies.models import ActivePropertyTypeStatusfrom foundry_sdk.v2.ontologies.models import AddLinkfrom foundry_sdk.v2.ontologies.models import AddLinkEditfrom foundry_sdk.v2.ontologies.models import AddObjectfrom foundry_sdk.v2.ontologies.models import AddObjectEditfrom foundry_sdk.v2.ontologies.models import AddPropertyExpressionfrom foundry_sdk.v2.ontologies.models import Affixfrom foundry_sdk.v2.ontologies.models import AggregateObjectSetRequestV2from foundry_sdk.v2.ontologies.models import AggregateObjectsRequestV2from foundry_sdk.v2.ontologies.models import AggregateObjectsResponseItemV2from foundry_sdk.v2.ontologies.models import AggregateObjectsResponseV2from foundry_sdk.v2.ontologies.models import AggregateTimeSeriesfrom foundry_sdk.v2.ontologies.models import AggregationAccuracyfrom foundry_sdk.v2.ontologies.models import AggregationAccuracyRequestfrom foundry_sdk.v2.ontologies.models import AggregationDurationGroupingV2from foundry_sdk.v2.ontologies.models import AggregationExactGroupingV2from foundry_sdk.v2.ontologies.models import AggregationFixedWidthGroupingV2from foundry_sdk.v2.ontologies.models import AggregationGroupByV2from foundry_sdk.v2.ontologies.models import AggregationGroupKeyV2from foundry_sdk.v2.ontologies.models import AggregationGroupValueV2from foundry_sdk.v2.ontologies.models import AggregationMetricNamefrom foundry_sdk.v2.ontologies.models import AggregationMetricResultV2from foundry_sdk.v2.ontologies.models import AggregationRangesGroupingV2from foundry_sdk.v2.ontologies.models import AggregationRangeV2from foundry_sdk.v2.ontologies.models import AggregationV2from foundry_sdk.v2.ontologies.models import AllOfRulefrom foundry_sdk.v2.ontologies.models import AndQueryV2from foundry_sdk.v2.ontologies.models import AnyOfRulefrom foundry_sdk.v2.ontologies.models import ApplyActionModefrom foundry_sdk.v2.ontologies.models import ApplyActionOverridesfrom foundry_sdk.v2.ontologies.models import ApplyActionRequestOptionsfrom foundry_sdk.v2.ontologies.models import ApplyActionRequestV2from foundry_sdk.v2.ontologies.models import ApplyActionWithOverridesRequestfrom foundry_sdk.v2.ontologies.models import ApplyReducersAndExtractMainValueLoadLevelfrom foundry_sdk.v2.ontologies.models import ApplyReducersLoadLevelfrom foundry_sdk.v2.ontologies.models import ApproximateDistinctAggregationV2from foundry_sdk.v2.ontologies.models import ApproximatePercentileAggregationV2from foundry_sdk.v2.ontologies.models import ArrayConstraintfrom foundry_sdk.v2.ontologies.models import ArrayEntryEvaluatedConstraintfrom foundry_sdk.v2.ontologies.models import ArrayEvaluatedConstraintfrom foundry_sdk.v2.ontologies.models import ArraySizeConstraintfrom foundry_sdk.v2.ontologies.models import ArtifactRepositoryRidfrom foundry_sdk.v2.ontologies.models import AttachmentMetadataResponsefrom foundry_sdk.v2.ontologies.models import AttachmentRidfrom foundry_sdk.v2.ontologies.models import AttachmentV2from foundry_sdk.v2.ontologies.models import AvgAggregationV2from foundry_sdk.v2.ontologies.models import BatchActionObjectEditfrom foundry_sdk.v2.ontologies.models import BatchActionObjectEditsfrom foundry_sdk.v2.ontologies.models import BatchActionResultsfrom foundry_sdk.v2.ontologies.models import BatchApplyActionRequestItemfrom foundry_sdk.v2.ontologies.models import BatchApplyActionRequestOptionsfrom foundry_sdk.v2.ontologies.models import BatchApplyActionRequestV2from foundry_sdk.v2.ontologies.models import BatchApplyActionResponseV2from foundry_sdk.v2.ontologies.models import BatchedFunctionLogicRulefrom foundry_sdk.v2.ontologies.models import BatchReturnEditsModefrom foundry_sdk.v2.ontologies.models import BlueprintIconfrom foundry_sdk.v2.ontologies.models import BoundingBoxValuefrom foundry_sdk.v2.ontologies.models import CenterPointfrom foundry_sdk.v2.ontologies.models import CenterPointTypesfrom foundry_sdk.v2.ontologies.models import ContainsAllTermsInOrderPrefixLastTermfrom foundry_sdk.v2.ontologies.models import ContainsAllTermsInOrderQueryfrom foundry_sdk.v2.ontologies.models import ContainsAllTermsQueryfrom foundry_sdk.v2.ontologies.models import ContainsAnyTermQueryfrom foundry_sdk.v2.ontologies.models import ContainsQueryV2from foundry_sdk.v2.ontologies.models import CountAggregationV2from foundry_sdk.v2.ontologies.models import CountObjectsResponseV2from foundry_sdk.v2.ontologies.models import CreateInterfaceLinkLogicRulefrom foundry_sdk.v2.ontologies.models import CreateInterfaceLogicRulefrom foundry_sdk.v2.ontologies.models import CreateInterfaceObjectRulefrom foundry_sdk.v2.ontologies.models import CreateLinkLogicRulefrom foundry_sdk.v2.ontologies.models import CreateLinkRulefrom foundry_sdk.v2.ontologies.models import CreateObjectLogicRulefrom foundry_sdk.v2.ontologies.models import CreateObjectRulefrom foundry_sdk.v2.ontologies.models import CreateOrModifyObjectLogicRulefrom foundry_sdk.v2.ontologies.models import CreateOrModifyObjectLogicRuleV2from foundry_sdk.v2.ontologies.models import CreateTemporaryObjectSetRequestV2from foundry_sdk.v2.ontologies.models import CreateTemporaryObjectSetResponseV2from foundry_sdk.v2.ontologies.models import CurrentTimeArgumentfrom foundry_sdk.v2.ontologies.models import CurrentUserArgumentfrom foundry_sdk.v2.ontologies.models import DataValuefrom foundry_sdk.v2.ontologies.models import DatetimeFormatfrom foundry_sdk.v2.ontologies.models import DatetimeLocalizedFormatfrom foundry_sdk.v2.ontologies.models import DatetimeLocalizedFormatTypefrom foundry_sdk.v2.ontologies.models import DatetimeStringFormatfrom foundry_sdk.v2.ontologies.models import DatetimeTimezonefrom foundry_sdk.v2.ontologies.models import DatetimeTimezoneStaticfrom foundry_sdk.v2.ontologies.models import DatetimeTimezoneUserfrom foundry_sdk.v2.ontologies.models import DecryptionResultfrom foundry_sdk.v2.ontologies.models import DeleteInterfaceLinkLogicRulefrom foundry_sdk.v2.ontologies.models import DeleteInterfaceObjectRulefrom foundry_sdk.v2.ontologies.models import DeleteLinkfrom foundry_sdk.v2.ontologies.models import DeleteLinkEditfrom foundry_sdk.v2.ontologies.models import DeleteLinkLogicRulefrom foundry_sdk.v2.ontologies.models import DeleteLinkRulefrom foundry_sdk.v2.ontologies.models import DeleteObjectfrom foundry_sdk.v2.ontologies.models import DeleteObjectEditfrom foundry_sdk.v2.ontologies.models import DeleteObjectLogicRulefrom foundry_sdk.v2.ontologies.models import DeleteObjectRulefrom foundry_sdk.v2.ontologies.models import DeprecatedPropertyTypeStatusfrom foundry_sdk.v2.ontologies.models import DerivedPropertyApiNamefrom foundry_sdk.v2.ontologies.models import DerivedPropertyDefinitionfrom foundry_sdk.v2.ontologies.models import DividePropertyExpressionfrom foundry_sdk.v2.ontologies.models import DoesNotIntersectBoundingBoxQueryfrom foundry_sdk.v2.ontologies.models import DoesNotIntersectPolygonQueryfrom foundry_sdk.v2.ontologies.models import DoubleVectorfrom foundry_sdk.v2.ontologies.models import DurationBaseValuefrom foundry_sdk.v2.ontologies.models import DurationFormatStylefrom foundry_sdk.v2.ontologies.models import DurationPrecisionfrom foundry_sdk.v2.ontologies.models import EntrySetTypefrom foundry_sdk.v2.ontologies.models import EnumConstraintfrom foundry_sdk.v2.ontologies.models import EqualsQueryV2from foundry_sdk.v2.ontologies.models import ExactDistinctAggregationV2from foundry_sdk.v2.ontologies.models import ExamplePropertyTypeStatusfrom foundry_sdk.v2.ontologies.models import ExecuteQueryRequestfrom foundry_sdk.v2.ontologies.models import ExecuteQueryResponsefrom foundry_sdk.v2.ontologies.models import ExperimentalPropertyTypeStatusfrom foundry_sdk.v2.ontologies.models import ExtractDatePartfrom foundry_sdk.v2.ontologies.models import ExtractMainValueLoadLevelfrom foundry_sdk.v2.ontologies.models import ExtractPropertyExpressionfrom foundry_sdk.v2.ontologies.models import FilterValuefrom foundry_sdk.v2.ontologies.models import FixedValuesMapKeyfrom foundry_sdk.v2.ontologies.models import FunctionLogicRulefrom foundry_sdk.v2.ontologies.models import FunctionParameterNamefrom foundry_sdk.v2.ontologies.models import FunctionRidfrom foundry_sdk.v2.ontologies.models import FunctionVersionfrom foundry_sdk.v2.ontologies.models import FuzzyV2from foundry_sdk.v2.ontologies.models import GetSelectedPropertyOperationfrom foundry_sdk.v2.ontologies.models import GreatestPropertyExpressionfrom foundry_sdk.v2.ontologies.models import GroupMemberConstraintfrom foundry_sdk.v2.ontologies.models import GteQueryV2from foundry_sdk.v2.ontologies.models import GtQueryV2from foundry_sdk.v2.ontologies.models import HumanReadableFormatfrom foundry_sdk.v2.ontologies.models import Iconfrom foundry_sdk.v2.ontologies.models import InQueryfrom foundry_sdk.v2.ontologies.models import InterfaceDefinedPropertyTypefrom foundry_sdk.v2.ontologies.models import InterfaceLinkTypefrom foundry_sdk.v2.ontologies.models import InterfaceLinkTypeApiNamefrom foundry_sdk.v2.ontologies.models import InterfaceLinkTypeCardinalityfrom foundry_sdk.v2.ontologies.models import InterfaceLinkTypeLinkedEntityApiNamefrom foundry_sdk.v2.ontologies.models import InterfaceLinkTypeRidfrom foundry_sdk.v2.ontologies.models import InterfaceParameterPropertyArgumentfrom foundry_sdk.v2.ontologies.models import InterfacePropertyApiNamefrom foundry_sdk.v2.ontologies.models import InterfacePropertyLocalPropertyImplementationfrom foundry_sdk.v2.ontologies.models import InterfacePropertyReducedPropertyImplementationfrom foundry_sdk.v2.ontologies.models import InterfacePropertyStructFieldImplementationfrom foundry_sdk.v2.ontologies.models import InterfacePropertyStructImplementationfrom foundry_sdk.v2.ontologies.models import InterfacePropertyStructImplementationMappingfrom foundry_sdk.v2.ontologies.models import InterfacePropertyTypefrom foundry_sdk.v2.ontologies.models import InterfacePropertyTypeImplementationfrom foundry_sdk.v2.ontologies.models import InterfacePropertyTypeRidfrom foundry_sdk.v2.ontologies.models import InterfaceSharedPropertyTypefrom foundry_sdk.v2.ontologies.models import InterfaceToObjectTypeMappingfrom foundry_sdk.v2.ontologies.models import InterfaceToObjectTypeMappingsfrom foundry_sdk.v2.ontologies.models import InterfaceToObjectTypeMappingsV2from foundry_sdk.v2.ontologies.models import InterfaceToObjectTypeMappingV2from foundry_sdk.v2.ontologies.models import InterfaceTypefrom foundry_sdk.v2.ontologies.models import InterfaceTypeApiNamefrom foundry_sdk.v2.ontologies.models import InterfaceTypeRidfrom foundry_sdk.v2.ontologies.models import IntersectsBoundingBoxQueryfrom foundry_sdk.v2.ontologies.models import IntersectsPolygonQueryfrom foundry_sdk.v2.ontologies.models import IntervalQueryfrom foundry_sdk.v2.ontologies.models import IntervalQueryRulefrom foundry_sdk.v2.ontologies.models import IsNullQueryV2from foundry_sdk.v2.ontologies.models import KnownTypefrom foundry_sdk.v2.ontologies.models import LeastPropertyExpressionfrom foundry_sdk.v2.ontologies.models import LengthConstraintfrom foundry_sdk.v2.ontologies.models import LinkedInterfaceTypeApiNamefrom foundry_sdk.v2.ontologies.models import LinkedObjectLocatorfrom foundry_sdk.v2.ontologies.models import LinkedObjectTypeApiNamefrom foundry_sdk.v2.ontologies.models import LinksFromObjectfrom foundry_sdk.v2.ontologies.models import LinkSideObjectfrom foundry_sdk.v2.ontologies.models import LinkTypeApiNamefrom foundry_sdk.v2.ontologies.models import LinkTypeIdfrom foundry_sdk.v2.ontologies.models import LinkTypeRidfrom foundry_sdk.v2.ontologies.models import LinkTypeSideCardinalityfrom foundry_sdk.v2.ontologies.models import LinkTypeSideV2from foundry_sdk.v2.ontologies.models import ListActionTypesFullMetadataResponsefrom foundry_sdk.v2.ontologies.models import ListActionTypesResponseV2from foundry_sdk.v2.ontologies.models import ListAttachmentsResponseV2from foundry_sdk.v2.ontologies.models import ListInterfaceLinkedObjectsResponsefrom foundry_sdk.v2.ontologies.models import ListInterfaceTypesResponsefrom foundry_sdk.v2.ontologies.models import ListLinkedObjectsResponseV2from foundry_sdk.v2.ontologies.models import ListObjectsForInterfaceResponsefrom foundry_sdk.v2.ontologies.models import ListObjectsResponseV2from foundry_sdk.v2.ontologies.models import ListObjectTypesV2Responsefrom foundry_sdk.v2.ontologies.models import ListOntologiesV2Responsefrom foundry_sdk.v2.ontologies.models import ListOntologyValueTypesResponsefrom foundry_sdk.v2.ontologies.models import ListOutgoingInterfaceLinkTypesResponsefrom foundry_sdk.v2.ontologies.models import ListOutgoingLinkTypesResponseV2from foundry_sdk.v2.ontologies.models import ListQueryTypesResponseV2from foundry_sdk.v2.ontologies.models import LoadObjectSetLinksRequestV2from foundry_sdk.v2.ontologies.models import LoadObjectSetLinksResponseV2from foundry_sdk.v2.ontologies.models import LoadObjectSetRequestV2from foundry_sdk.v2.ontologies.models import LoadObjectSetResponseV2from foundry_sdk.v2.ontologies.models import LoadObjectSetV2MultipleObjectTypesRequestfrom foundry_sdk.v2.ontologies.models import LoadObjectSetV2MultipleObjectTypesResponsefrom foundry_sdk.v2.ontologies.models import LoadObjectSetV2ObjectsOrInterfacesRequestfrom foundry_sdk.v2.ontologies.models import LoadObjectSetV2ObjectsOrInterfacesResponsefrom foundry_sdk.v2.ontologies.models import LoadOntologyMetadataRequestfrom foundry_sdk.v2.ontologies.models import LogicRulefrom foundry_sdk.v2.ontologies.models import LogicRuleArgumentfrom foundry_sdk.v2.ontologies.models import LteQueryV2from foundry_sdk.v2.ontologies.models import LtQueryV2from foundry_sdk.v2.ontologies.models import MatchRulefrom foundry_sdk.v2.ontologies.models import MaxAggregationV2from foundry_sdk.v2.ontologies.models import MediaMetadatafrom foundry_sdk.v2.ontologies.models import MethodObjectSetfrom foundry_sdk.v2.ontologies.models import MinAggregationV2from foundry_sdk.v2.ontologies.models import ModifyInterfaceLogicRulefrom foundry_sdk.v2.ontologies.models import ModifyInterfaceObjectRulefrom foundry_sdk.v2.ontologies.models import ModifyObjectfrom foundry_sdk.v2.ontologies.models import ModifyObjectEditfrom foundry_sdk.v2.ontologies.models import ModifyObjectLogicRulefrom foundry_sdk.v2.ontologies.models import ModifyObjectRulefrom foundry_sdk.v2.ontologies.models import MultiplyPropertyExpressionfrom foundry_sdk.v2.ontologies.models import NearestNeighborsQueryfrom foundry_sdk.v2.ontologies.models import NearestNeighborsQueryTextfrom foundry_sdk.v2.ontologies.models import NegatePropertyExpressionfrom foundry_sdk.v2.ontologies.models import NestedInterfacePropertyTypeImplementationfrom foundry_sdk.v2.ontologies.models import NestedQueryAggregationfrom foundry_sdk.v2.ontologies.models import NotQueryV2from foundry_sdk.v2.ontologies.models import NumberFormatAffixfrom foundry_sdk.v2.ontologies.models import NumberFormatCurrencyfrom foundry_sdk.v2.ontologies.models import NumberFormatCurrencyStylefrom foundry_sdk.v2.ontologies.models import NumberFormatCustomUnitfrom foundry_sdk.v2.ontologies.models import NumberFormatDurationfrom foundry_sdk.v2.ontologies.models import NumberFormatFixedValuesfrom foundry_sdk.v2.ontologies.models import NumberFormatNotationfrom foundry_sdk.v2.ontologies.models import NumberFormatOptionsfrom foundry_sdk.v2.ontologies.models import NumberFormatRatiofrom foundry_sdk.v2.ontologies.models import NumberFormatScalefrom foundry_sdk.v2.ontologies.models import NumberFormatStandardfrom foundry_sdk.v2.ontologies.models import NumberFormatStandardUnitfrom foundry_sdk.v2.ontologies.models import NumberRatioTypefrom foundry_sdk.v2.ontologies.models import NumberRoundingModefrom foundry_sdk.v2.ontologies.models import NumberScaleTypefrom foundry_sdk.v2.ontologies.models import ObjectEditfrom foundry_sdk.v2.ontologies.models import ObjectEditsfrom foundry_sdk.v2.ontologies.models import ObjectParameterPropertyArgumentfrom foundry_sdk.v2.ontologies.models import ObjectPropertyTypefrom foundry_sdk.v2.ontologies.models import ObjectPropertyValueConstraintfrom foundry_sdk.v2.ontologies.models import ObjectQueryResultConstraintfrom foundry_sdk.v2.ontologies.models import ObjectRidfrom foundry_sdk.v2.ontologies.models import ObjectSetfrom foundry_sdk.v2.ontologies.models import ObjectSetAsBaseObjectTypesTypefrom foundry_sdk.v2.ontologies.models import ObjectSetAsTypeTypefrom foundry_sdk.v2.ontologies.models import ObjectSetBaseTypefrom foundry_sdk.v2.ontologies.models import ObjectSetFilterTypefrom foundry_sdk.v2.ontologies.models import ObjectSetInterfaceBaseTypefrom foundry_sdk.v2.ontologies.models import ObjectSetInterfaceLinkSearchAroundTypefrom foundry_sdk.v2.ontologies.models import ObjectSetIntersectionTypefrom foundry_sdk.v2.ontologies.models import ObjectSetMethodInputTypefrom foundry_sdk.v2.ontologies.models import ObjectSetNearestNeighborsTypefrom foundry_sdk.v2.ontologies.models import ObjectSetReferenceTypefrom foundry_sdk.v2.ontologies.models import ObjectSetRidfrom foundry_sdk.v2.ontologies.models import ObjectSetSearchAroundTypefrom foundry_sdk.v2.ontologies.models import ObjectSetStaticTypefrom foundry_sdk.v2.ontologies.models import ObjectSetSubtractTypefrom foundry_sdk.v2.ontologies.models import ObjectSetUnionTypefrom foundry_sdk.v2.ontologies.models import ObjectSetWithPropertiesTypefrom foundry_sdk.v2.ontologies.models import ObjectTypeApiNamefrom foundry_sdk.v2.ontologies.models import ObjectTypeEditsfrom foundry_sdk.v2.ontologies.models import ObjectTypeFullMetadatafrom foundry_sdk.v2.ontologies.models import ObjectTypeIdfrom foundry_sdk.v2.ontologies.models import ObjectTypeInterfaceImplementationfrom foundry_sdk.v2.ontologies.models import ObjectTypeRidfrom foundry_sdk.v2.ontologies.models import ObjectTypeV2from foundry_sdk.v2.ontologies.models import ObjectTypeVisibilityfrom foundry_sdk.v2.ontologies.models import OneOfConstraintfrom foundry_sdk.v2.ontologies.models import OntologyApiNamefrom foundry_sdk.v2.ontologies.models import OntologyArrayTypefrom foundry_sdk.v2.ontologies.models import OntologyDataTypefrom foundry_sdk.v2.ontologies.models import OntologyFullMetadatafrom foundry_sdk.v2.ontologies.models import OntologyIdentifierfrom foundry_sdk.v2.ontologies.models import OntologyInterfaceObjectSetTypefrom foundry_sdk.v2.ontologies.models import OntologyInterfaceObjectTypefrom foundry_sdk.v2.ontologies.models import OntologyMapTypefrom foundry_sdk.v2.ontologies.models import OntologyObjectArrayTypefrom foundry_sdk.v2.ontologies.models import OntologyObjectArrayTypeReducerfrom foundry_sdk.v2.ontologies.models import OntologyObjectArrayTypeReducerSortDirectionfrom foundry_sdk.v2.ontologies.models import OntologyObjectSetTypefrom foundry_sdk.v2.ontologies.models import OntologyObjectTypefrom foundry_sdk.v2.ontologies.models import OntologyObjectTypeReferenceTypefrom foundry_sdk.v2.ontologies.models import OntologyObjectV2from foundry_sdk.v2.ontologies.models import OntologyRidfrom foundry_sdk.v2.ontologies.models import OntologySetTypefrom foundry_sdk.v2.ontologies.models import OntologyStructFieldfrom foundry_sdk.v2.ontologies.models import OntologyStructTypefrom foundry_sdk.v2.ontologies.models import OntologyTransactionIdfrom foundry_sdk.v2.ontologies.models import OntologyV2from foundry_sdk.v2.ontologies.models import OntologyValueTypefrom foundry_sdk.v2.ontologies.models import OrderByfrom foundry_sdk.v2.ontologies.models import OrderByDirectionfrom foundry_sdk.v2.ontologies.models import OrQueryV2from foundry_sdk.v2.ontologies.models import ParameterEvaluatedConstraintfrom foundry_sdk.v2.ontologies.models import ParameterEvaluationResultfrom foundry_sdk.v2.ontologies.models import ParameterIdfrom foundry_sdk.v2.ontologies.models import ParameterIdArgumentfrom foundry_sdk.v2.ontologies.models import ParameterOptionfrom foundry_sdk.v2.ontologies.models import Plaintextfrom foundry_sdk.v2.ontologies.models import PolygonValuefrom foundry_sdk.v2.ontologies.models import PostTransactionEditsRequestfrom foundry_sdk.v2.ontologies.models import PostTransactionEditsResponsefrom foundry_sdk.v2.ontologies.models import PreciseDurationfrom foundry_sdk.v2.ontologies.models import PreciseTimeUnitfrom foundry_sdk.v2.ontologies.models import PrefixOnLastTokenRulefrom foundry_sdk.v2.ontologies.models import PrimaryKeyValuefrom foundry_sdk.v2.ontologies.models import PropertyApiNamefrom foundry_sdk.v2.ontologies.models import PropertyApiNameSelectorfrom foundry_sdk.v2.ontologies.models import PropertyBooleanFormattingRulefrom foundry_sdk.v2.ontologies.models import PropertyDateFormattingRulefrom foundry_sdk.v2.ontologies.models import PropertyFilterfrom foundry_sdk.v2.ontologies.models import PropertyIdfrom foundry_sdk.v2.ontologies.models import PropertyIdentifierfrom foundry_sdk.v2.ontologies.models import PropertyImplementationfrom foundry_sdk.v2.ontologies.models import PropertyKnownTypeFormattingRulefrom foundry_sdk.v2.ontologies.models import PropertyLoadLevelfrom foundry_sdk.v2.ontologies.models import PropertyNumberFormattingRulefrom foundry_sdk.v2.ontologies.models import PropertyNumberFormattingRuleTypefrom foundry_sdk.v2.ontologies.models import PropertyOrStructFieldOfPropertyImplementationfrom foundry_sdk.v2.ontologies.models import PropertyTimestampFormattingRulefrom foundry_sdk.v2.ontologies.models import PropertyTypeApiNamefrom foundry_sdk.v2.ontologies.models import PropertyTypeReferencefrom foundry_sdk.v2.ontologies.models import PropertyTypeReferenceOrStringConstantfrom foundry_sdk.v2.ontologies.models import PropertyTypeRidfrom foundry_sdk.v2.ontologies.models import PropertyTypeStatusfrom foundry_sdk.v2.ontologies.models import PropertyTypeVisibilityfrom foundry_sdk.v2.ontologies.models import PropertyV2from foundry_sdk.v2.ontologies.models import PropertyValuefrom foundry_sdk.v2.ontologies.models import PropertyValueEscapedStringfrom foundry_sdk.v2.ontologies.models import PropertyValueFormattingRulefrom foundry_sdk.v2.ontologies.models import PropertyWithLoadLevelSelectorfrom foundry_sdk.v2.ontologies.models import QueryAggregationfrom foundry_sdk.v2.ontologies.models import QueryAggregationKeyTypefrom foundry_sdk.v2.ontologies.models import QueryAggregationRangeSubTypefrom foundry_sdk.v2.ontologies.models import QueryAggregationRangeTypefrom foundry_sdk.v2.ontologies.models import QueryAggregationValueTypefrom foundry_sdk.v2.ontologies.models import QueryApiNamefrom foundry_sdk.v2.ontologies.models import QueryArrayTypefrom foundry_sdk.v2.ontologies.models import QueryDataTypefrom foundry_sdk.v2.ontologies.models import QueryParameterV2from foundry_sdk.v2.ontologies.models import QueryRuntimeErrorParameterfrom foundry_sdk.v2.ontologies.models import QuerySetTypefrom foundry_sdk.v2.ontologies.models import QueryStructFieldfrom foundry_sdk.v2.ontologies.models import QueryStructTypefrom foundry_sdk.v2.ontologies.models import QueryThreeDimensionalAggregationfrom foundry_sdk.v2.ontologies.models import QueryTwoDimensionalAggregationfrom foundry_sdk.v2.ontologies.models import QueryTypeV2from foundry_sdk.v2.ontologies.models import QueryUnionTypefrom foundry_sdk.v2.ontologies.models import RangeConstraintfrom foundry_sdk.v2.ontologies.models import RangesConstraintfrom foundry_sdk.v2.ontologies.models import RegexConstraintfrom foundry_sdk.v2.ontologies.models import RegexQueryfrom foundry_sdk.v2.ontologies.models import RelativeDateRangeBoundfrom foundry_sdk.v2.ontologies.models import RelativeDateRangeQueryfrom foundry_sdk.v2.ontologies.models import RelativePointInTimefrom foundry_sdk.v2.ontologies.models import RelativeTimefrom foundry_sdk.v2.ontologies.models import RelativeTimeRangefrom foundry_sdk.v2.ontologies.models import RelativeTimeRelationfrom foundry_sdk.v2.ontologies.models import RelativeTimeSeriesTimeUnitfrom foundry_sdk.v2.ontologies.models import RelativeTimeUnitfrom foundry_sdk.v2.ontologies.models import ResolvedInterfacePropertyTypefrom foundry_sdk.v2.ontologies.models import ReturnEditsModefrom foundry_sdk.v2.ontologies.models import RidConstraintfrom foundry_sdk.v2.ontologies.models import RollingAggregateWindowPointsfrom foundry_sdk.v2.ontologies.models import SdkPackageNamefrom foundry_sdk.v2.ontologies.models import SdkPackageRidfrom foundry_sdk.v2.ontologies.models import SdkVersionfrom foundry_sdk.v2.ontologies.models import SearchJsonQueryV2from foundry_sdk.v2.ontologies.models import SearchObjectsForInterfaceRequestfrom foundry_sdk.v2.ontologies.models import SearchObjectsRequestV2from foundry_sdk.v2.ontologies.models import SearchObjectsResponseV2from foundry_sdk.v2.ontologies.models import SearchOrderByTypefrom foundry_sdk.v2.ontologies.models import SearchOrderByV2from foundry_sdk.v2.ontologies.models import SearchOrderingV2from foundry_sdk.v2.ontologies.models import SelectedPropertyApiNamefrom foundry_sdk.v2.ontologies.models import SelectedPropertyApproximateDistinctAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyApproximatePercentileAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyAvgAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyCollectListAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyCollectSetAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyCountAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyExactDistinctAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyExpressionfrom foundry_sdk.v2.ontologies.models import SelectedPropertyMaxAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyMinAggregationfrom foundry_sdk.v2.ontologies.models import SelectedPropertyOperationfrom foundry_sdk.v2.ontologies.models import SelectedPropertySumAggregationfrom foundry_sdk.v2.ontologies.models import SharedPropertyTypefrom foundry_sdk.v2.ontologies.models import SharedPropertyTypeApiNamefrom foundry_sdk.v2.ontologies.models import SharedPropertyTypeRidfrom foundry_sdk.v2.ontologies.models import StartsWithQueryfrom foundry_sdk.v2.ontologies.models import StaticArgumentfrom foundry_sdk.v2.ontologies.models import StreamingOutputFormatfrom foundry_sdk.v2.ontologies.models import StreamTimeSeriesPointsRequestfrom foundry_sdk.v2.ontologies.models import StreamTimeSeriesValuesRequestfrom foundry_sdk.v2.ontologies.models import StringConstantfrom foundry_sdk.v2.ontologies.models import StringLengthConstraintfrom foundry_sdk.v2.ontologies.models import StringRegexMatchConstraintfrom foundry_sdk.v2.ontologies.models import StructConstraintfrom foundry_sdk.v2.ontologies.models import StructEvaluatedConstraintfrom foundry_sdk.v2.ontologies.models import StructFieldApiNamefrom foundry_sdk.v2.ontologies.models import StructFieldArgumentfrom foundry_sdk.v2.ontologies.models import StructFieldEvaluatedConstraintfrom foundry_sdk.v2.ontologies.models import StructFieldEvaluationResultfrom foundry_sdk.v2.ontologies.models import StructFieldOfPropertyImplementationfrom foundry_sdk.v2.ontologies.models import StructFieldSelectorfrom foundry_sdk.v2.ontologies.models import StructFieldTypefrom foundry_sdk.v2.ontologies.models import StructFieldTypeRidfrom foundry_sdk.v2.ontologies.models import StructListParameterFieldArgumentfrom foundry_sdk.v2.ontologies.models import StructParameterFieldApiNamefrom foundry_sdk.v2.ontologies.models import StructParameterFieldArgumentfrom foundry_sdk.v2.ontologies.models import StructTypefrom foundry_sdk.v2.ontologies.models import StructTypeMainValuefrom foundry_sdk.v2.ontologies.models import SubmissionCriteriaEvaluationfrom foundry_sdk.v2.ontologies.models import SubtractPropertyExpressionfrom foundry_sdk.v2.ontologies.models import SumAggregationV2from foundry_sdk.v2.ontologies.models import SyncApplyActionResponseV2from foundry_sdk.v2.ontologies.models import SynchronousWebhookOutputArgumentfrom foundry_sdk.v2.ontologies.models import ThreeDimensionalAggregationfrom foundry_sdk.v2.ontologies.models import TimeCodeFormatfrom foundry_sdk.v2.ontologies.models import TimeRangefrom foundry_sdk.v2.ontologies.models import TimeSeriesAggregationMethodfrom foundry_sdk.v2.ontologies.models import TimeSeriesAggregationStrategyfrom foundry_sdk.v2.ontologies.models import TimeSeriesCumulativeAggregatefrom foundry_sdk.v2.ontologies.models import TimeseriesEntryfrom foundry_sdk.v2.ontologies.models import TimeSeriesPeriodicAggregatefrom foundry_sdk.v2.ontologies.models import TimeSeriesPointfrom foundry_sdk.v2.ontologies.models import TimeSeriesRollingAggregatefrom foundry_sdk.v2.ontologies.models import TimeSeriesRollingAggregateWindowfrom foundry_sdk.v2.ontologies.models import TimeSeriesWindowTypefrom foundry_sdk.v2.ontologies.models import TimeUnitfrom foundry_sdk.v2.ontologies.models import TransactionEditfrom foundry_sdk.v2.ontologies.models import TwoDimensionalAggregationfrom foundry_sdk.v2.ontologies.models import UnevaluableConstraintfrom foundry_sdk.v2.ontologies.models import UniqueIdentifierArgumentfrom foundry_sdk.v2.ontologies.models import UniqueIdentifierLinkIdfrom foundry_sdk.v2.ontologies.models import UniqueIdentifierValuefrom foundry_sdk.v2.ontologies.models import UuidConstraintfrom foundry_sdk.v2.ontologies.models import ValidateActionResponseV2from foundry_sdk.v2.ontologies.models import ValidationResultfrom foundry_sdk.v2.ontologies.models import ValueTypefrom foundry_sdk.v2.ontologies.models import ValueTypeApiNamefrom foundry_sdk.v2.ontologies.models import ValueTypeArrayTypefrom foundry_sdk.v2.ontologies.models import ValueTypeConstraintfrom foundry_sdk.v2.ontologies.models import ValueTypeDecimalTypefrom foundry_sdk.v2.ontologies.models import ValueTypeFieldTypefrom foundry_sdk.v2.ontologies.models import ValueTypeMapTypefrom foundry_sdk.v2.ontologies.models import ValueTypeOptionalTypefrom foundry_sdk.v2.ontologies.models import ValueTypeReferenceTypefrom foundry_sdk.v2.ontologies.models import ValueTypeRidfrom foundry_sdk.v2.ontologies.models import ValueTypeStatusfrom foundry_sdk.v2.ontologies.models import ValueTypeStructFieldfrom foundry_sdk.v2.ontologies.models import ValueTypeStructTypefrom foundry_sdk.v2.ontologies.models import ValueTypeUnionTypefrom foundry_sdk.v2.ontologies.models import VersionedQueryTypeApiNamefrom foundry_sdk.v2.ontologies.models import WildcardQueryfrom foundry_sdk.v2.ontologies.models import WithinBoundingBoxPointfrom foundry_sdk.v2.ontologies.models import WithinBoundingBoxQueryfrom foundry_sdk.v2.ontologies.models import WithinDistanceOfQueryfrom foundry_sdk.v2.ontologies.models import WithinPolygonQueryfrom foundry_sdk.v2.orchestration.models import AbortOnFailurefrom foundry_sdk.v2.orchestration.models import Actionfrom foundry_sdk.v2.orchestration.models import AffectedResourcesResponsefrom foundry_sdk.v2.orchestration.models import AndTriggerfrom foundry_sdk.v2.orchestration.models import Buildfrom foundry_sdk.v2.orchestration.models import BuildableRidfrom foundry_sdk.v2.orchestration.models import BuildStatusfrom foundry_sdk.v2.orchestration.models import BuildTargetfrom foundry_sdk.v2.orchestration.models import ConnectingTargetfrom foundry_sdk.v2.orchestration.models import CreateBuildRequestfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestActionfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestBuildTargetfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestConnectingTargetfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestManualTargetfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestProjectScopefrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestScopeModefrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestUpstreamTargetfrom foundry_sdk.v2.orchestration.models import CreateScheduleRequestUserScopefrom foundry_sdk.v2.orchestration.models import CronExpressionfrom foundry_sdk.v2.orchestration.models import DatasetJobOutputfrom foundry_sdk.v2.orchestration.models import DatasetUpdatedTriggerfrom foundry_sdk.v2.orchestration.models import FallbackBranchesfrom foundry_sdk.v2.orchestration.models import ForceBuildfrom foundry_sdk.v2.orchestration.models import GetBuildsBatchRequestElementfrom foundry_sdk.v2.orchestration.models import GetBuildsBatchResponsefrom foundry_sdk.v2.orchestration.models import GetJobsBatchRequestElementfrom foundry_sdk.v2.orchestration.models import GetJobsBatchResponsefrom foundry_sdk.v2.orchestration.models import GetSchedulesBatchRequestElementfrom foundry_sdk.v2.orchestration.models import GetSchedulesBatchResponsefrom foundry_sdk.v2.orchestration.models import Jobfrom foundry_sdk.v2.orchestration.models import JobOutputfrom foundry_sdk.v2.orchestration.models import JobStartedTimefrom foundry_sdk.v2.orchestration.models import JobStatusfrom foundry_sdk.v2.orchestration.models import JobSucceededTriggerfrom foundry_sdk.v2.orchestration.models import ListJobsOfBuildResponsefrom foundry_sdk.v2.orchestration.models import ListRunsOfScheduleResponsefrom foundry_sdk.v2.orchestration.models import ManualTargetfrom foundry_sdk.v2.orchestration.models import ManualTriggerfrom foundry_sdk.v2.orchestration.models import MediaSetUpdatedTriggerfrom foundry_sdk.v2.orchestration.models import NewLogicTriggerfrom foundry_sdk.v2.orchestration.models import NotificationsEnabledfrom foundry_sdk.v2.orchestration.models import OrTriggerfrom foundry_sdk.v2.orchestration.models import ProjectScopefrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestActionfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestBuildTargetfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestConnectingTargetfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestManualTargetfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestProjectScopefrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestScopeModefrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestUpstreamTargetfrom foundry_sdk.v2.orchestration.models import ReplaceScheduleRequestUserScopefrom foundry_sdk.v2.orchestration.models import RetryBackoffDurationfrom foundry_sdk.v2.orchestration.models import RetryCountfrom foundry_sdk.v2.orchestration.models import Schedulefrom foundry_sdk.v2.orchestration.models import SchedulePausedfrom foundry_sdk.v2.orchestration.models import ScheduleRunfrom foundry_sdk.v2.orchestration.models import ScheduleRunErrorfrom foundry_sdk.v2.orchestration.models import ScheduleRunErrorNamefrom foundry_sdk.v2.orchestration.models import ScheduleRunIgnoredfrom foundry_sdk.v2.orchestration.models import ScheduleRunResultfrom foundry_sdk.v2.orchestration.models import ScheduleRunRidfrom foundry_sdk.v2.orchestration.models import ScheduleRunSubmittedfrom foundry_sdk.v2.orchestration.models import ScheduleSucceededTriggerfrom foundry_sdk.v2.orchestration.models import ScheduleVersionfrom foundry_sdk.v2.orchestration.models import ScheduleVersionRidfrom foundry_sdk.v2.orchestration.models import ScopeModefrom foundry_sdk.v2.orchestration.models import SearchBuildsAndFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsEqualsFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsEqualsFilterFieldfrom foundry_sdk.v2.orchestration.models import SearchBuildsFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsGteFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsGteFilterFieldfrom foundry_sdk.v2.orchestration.models import SearchBuildsLtFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsLtFilterFieldfrom foundry_sdk.v2.orchestration.models import SearchBuildsNotFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsOrderByfrom foundry_sdk.v2.orchestration.models import SearchBuildsOrderByFieldfrom foundry_sdk.v2.orchestration.models import SearchBuildsOrderByItemfrom foundry_sdk.v2.orchestration.models import SearchBuildsOrFilterfrom foundry_sdk.v2.orchestration.models import SearchBuildsRequestfrom foundry_sdk.v2.orchestration.models import SearchBuildsResponsefrom foundry_sdk.v2.orchestration.models import TableUpdatedTriggerfrom foundry_sdk.v2.orchestration.models import TimeTriggerfrom foundry_sdk.v2.orchestration.models import TransactionalMediaSetJobOutputfrom foundry_sdk.v2.orchestration.models import Triggerfrom foundry_sdk.v2.orchestration.models import UpstreamTargetfrom foundry_sdk.v2.orchestration.models import UserScopefrom foundry_sdk.v2.sql_queries.models import CanceledQueryStatusfrom foundry_sdk.v2.sql_queries.models import ExecuteSqlQueryRequestfrom foundry_sdk.v2.sql_queries.models import FailedQueryStatusfrom foundry_sdk.v2.sql_queries.models import QueryStatusfrom foundry_sdk.v2.sql_queries.models import RunningQueryStatusfrom foundry_sdk.v2.sql_queries.models import SqlQueryIdfrom foundry_sdk.v2.sql_queries.models import SucceededQueryStatusfrom foundry_sdk.v2.streams.models import Compressedfrom foundry_sdk.v2.streams.models import CreateStreamingDatasetRequestfrom foundry_sdk.v2.streams.models import CreateStreamRequestfrom foundry_sdk.v2.streams.models import CreateStreamRequestStreamSchemafrom foundry_sdk.v2.streams.models import Datasetfrom foundry_sdk.v2.streams.models import PartitionsCountfrom foundry_sdk.v2.streams.models import PublishRecordsToStreamRequestfrom foundry_sdk.v2.streams.models import PublishRecordToStreamRequestfrom foundry_sdk.v2.streams.models import Recordfrom foundry_sdk.v2.streams.models import ResetStreamRequestfrom foundry_sdk.v2.streams.models import Streamfrom foundry_sdk.v2.streams.models import StreamTypefrom foundry_sdk.v2.streams.models import ViewRidfrom foundry_sdk.v2.third_party_applications.models import DeployWebsiteRequestfrom foundry_sdk.v2.third_party_applications.models import ListVersionsResponsefrom foundry_sdk.v2.third_party_applications.models import Subdomainfrom foundry_sdk.v2.third_party_applications.models import ThirdPartyApplicationfrom foundry_sdk.v2.third_party_applications.models import ThirdPartyApplicationRidfrom foundry_sdk.v2.third_party_applications.models import Versionfrom foundry_sdk.v2.third_party_applications.models import VersionVersionfrom foundry_sdk.v2.third_party_applications.models import Websitefrom foundry_sdk.v2.widgets.models import DevModeSettingsfrom foundry_sdk.v2.widgets.models import DevModeStatusfrom foundry_sdk.v2.widgets.models import FilePathfrom foundry_sdk.v2.widgets.models import ListReleasesResponsefrom foundry_sdk.v2.widgets.models import Releasefrom foundry_sdk.v2.widgets.models import ReleaseLocatorfrom foundry_sdk.v2.widgets.models import ReleaseVersionfrom foundry_sdk.v2.widgets.models import Repositoryfrom foundry_sdk.v2.widgets.models import RepositoryRidfrom foundry_sdk.v2.widgets.models import RepositoryVersionfrom foundry_sdk.v2.widgets.models import ScriptEntrypointfrom foundry_sdk.v2.widgets.models import ScriptTypefrom foundry_sdk.v2.widgets.models import SetWidgetSetDevModeSettingsByIdRequestfrom foundry_sdk.v2.widgets.models import SetWidgetSetDevModeSettingsRequestfrom foundry_sdk.v2.widgets.models import StylesheetEntrypointfrom foundry_sdk.v2.widgets.models import WidgetDevModeSettingsfrom foundry_sdk.v2.widgets.models import WidgetIdfrom foundry_sdk.v2.widgets.models import WidgetRidfrom foundry_sdk.v2.widgets.models import WidgetSetfrom foundry_sdk.v2.widgets.models import WidgetSetDevModeSettingsfrom foundry_sdk.v2.widgets.models import WidgetSetDevModeSettingsByIdfrom foundry_sdk.v2.widgets.models import WidgetSetRidDocumentation for V1 models
from foundry_sdk.v1.core.models import AnyTypefrom foundry_sdk.v1.core.models import AttachmentTypefrom foundry_sdk.v1.core.models import Attributionfrom foundry_sdk.v1.core.models import BinaryTypefrom foundry_sdk.v1.core.models import BooleanTypefrom foundry_sdk.v1.core.models import ByteTypefrom foundry_sdk.v1.core.models import CipherTextTypefrom foundry_sdk.v1.core.models import ContentLengthfrom foundry_sdk.v1.core.models import ContentTypefrom foundry_sdk.v1.core.models import DateTypefrom foundry_sdk.v1.core.models import DecimalTypefrom foundry_sdk.v1.core.models import DisplayNamefrom foundry_sdk.v1.core.models import DistanceUnitfrom foundry_sdk.v1.core.models import DoubleTypefrom foundry_sdk.v1.core.models import Filenamefrom foundry_sdk.v1.core.models import FilePathfrom foundry_sdk.v1.core.models import FloatTypefrom foundry_sdk.v1.core.models import FolderRidfrom foundry_sdk.v1.core.models import FoundryBranchfrom foundry_sdk.v1.core.models import IntegerTypefrom foundry_sdk.v1.core.models import LongTypefrom foundry_sdk.v1.core.models import MarkingTypefrom foundry_sdk.v1.core.models import MediaTypefrom foundry_sdk.v1.core.models import NullTypefrom foundry_sdk.v1.core.models import OperationScopefrom foundry_sdk.v1.core.models import PageSizefrom foundry_sdk.v1.core.models import PageTokenfrom foundry_sdk.v1.core.models import PreviewModefrom foundry_sdk.v1.core.models import ReleaseStatusfrom foundry_sdk.v1.core.models import ShortTypefrom foundry_sdk.v1.core.models import SizeBytesfrom foundry_sdk.v1.core.models import StringTypefrom foundry_sdk.v1.core.models import StructFieldNamefrom foundry_sdk.v1.core.models import TimestampTypefrom foundry_sdk.v1.core.models import TotalCountfrom foundry_sdk.v1.core.models import TraceParentfrom foundry_sdk.v1.core.models import TraceStatefrom foundry_sdk.v1.core.models import UnsupportedTypefrom foundry_sdk.v1.datasets.models import Branchfrom foundry_sdk.v1.datasets.models import BranchIdfrom foundry_sdk.v1.datasets.models import CreateBranchRequestfrom foundry_sdk.v1.datasets.models import CreateDatasetRequestfrom foundry_sdk.v1.datasets.models import CreateTransactionRequestfrom foundry_sdk.v1.datasets.models import Datasetfrom foundry_sdk.v1.datasets.models import DatasetNamefrom foundry_sdk.v1.datasets.models import DatasetRidfrom foundry_sdk.v1.datasets.models import Filefrom foundry_sdk.v1.datasets.models import ListBranchesResponsefrom foundry_sdk.v1.datasets.models import ListFilesResponsefrom foundry_sdk.v1.datasets.models import TableExportFormatfrom foundry_sdk.v1.datasets.models import Transactionfrom foundry_sdk.v1.datasets.models import TransactionRidfrom foundry_sdk.v1.datasets.models import TransactionStatusfrom foundry_sdk.v1.datasets.models import TransactionTypefrom foundry_sdk.v1.ontologies.models import ActionRidfrom foundry_sdk.v1.ontologies.models import ActionTypefrom foundry_sdk.v1.ontologies.models import ActionTypeApiNamefrom foundry_sdk.v1.ontologies.models import ActionTypeRidfrom foundry_sdk.v1.ontologies.models import AggregateObjectsRequestfrom foundry_sdk.v1.ontologies.models import AggregateObjectsResponsefrom foundry_sdk.v1.ontologies.models import AggregateObjectsResponseItemfrom foundry_sdk.v1.ontologies.models import Aggregationfrom foundry_sdk.v1.ontologies.models import AggregationDurationGroupingfrom foundry_sdk.v1.ontologies.models import AggregationExactGroupingfrom foundry_sdk.v1.ontologies.models import AggregationFixedWidthGroupingfrom foundry_sdk.v1.ontologies.models import AggregationGroupByfrom foundry_sdk.v1.ontologies.models import AggregationGroupKeyfrom foundry_sdk.v1.ontologies.models import AggregationGroupValuefrom foundry_sdk.v1.ontologies.models import AggregationMetricNamefrom foundry_sdk.v1.ontologies.models import AggregationMetricResultfrom foundry_sdk.v1.ontologies.models import AggregationRangefrom foundry_sdk.v1.ontologies.models import AggregationRangesGroupingfrom foundry_sdk.v1.ontologies.models import AllTermsQueryfrom foundry_sdk.v1.ontologies.models import AndQueryfrom foundry_sdk.v1.ontologies.models import AnyTermQueryfrom foundry_sdk.v1.ontologies.models import ApplyActionModefrom foundry_sdk.v1.ontologies.models import ApplyActionRequestfrom foundry_sdk.v1.ontologies.models import ApplyActionRequestOptionsfrom foundry_sdk.v1.ontologies.models import ApplyActionResponsefrom foundry_sdk.v1.ontologies.models import ApproximateDistinctAggregationfrom foundry_sdk.v1.ontologies.models import ArrayEntryEvaluatedConstraintfrom foundry_sdk.v1.ontologies.models import ArrayEvaluatedConstraintfrom foundry_sdk.v1.ontologies.models import ArraySizeConstraintfrom foundry_sdk.v1.ontologies.models import ArtifactRepositoryRidfrom foundry_sdk.v1.ontologies.models import Attachmentfrom foundry_sdk.v1.ontologies.models import AttachmentRidfrom foundry_sdk.v1.ontologies.models import AvgAggregationfrom foundry_sdk.v1.ontologies.models import BatchApplyActionRequestfrom foundry_sdk.v1.ontologies.models import BatchApplyActionResponsefrom foundry_sdk.v1.ontologies.models import ContainsQueryfrom foundry_sdk.v1.ontologies.models import CountAggregationfrom foundry_sdk.v1.ontologies.models import CreateInterfaceObjectRulefrom foundry_sdk.v1.ontologies.models import CreateLinkRulefrom foundry_sdk.v1.ontologies.models import CreateObjectRulefrom foundry_sdk.v1.ontologies.models import DataValuefrom foundry_sdk.v1.ontologies.models import DeleteInterfaceObjectRulefrom foundry_sdk.v1.ontologies.models import DeleteLinkRulefrom foundry_sdk.v1.ontologies.models import DeleteObjectRulefrom foundry_sdk.v1.ontologies.models import DerivedPropertyApiNamefrom foundry_sdk.v1.ontologies.models import Durationfrom foundry_sdk.v1.ontologies.models import EntrySetTypefrom foundry_sdk.v1.ontologies.models import EqualsQueryfrom foundry_sdk.v1.ontologies.models import ExecuteQueryRequestfrom foundry_sdk.v1.ontologies.models import ExecuteQueryResponsefrom foundry_sdk.v1.ontologies.models import FieldNameV1from foundry_sdk.v1.ontologies.models import FilterValuefrom foundry_sdk.v1.ontologies.models import FunctionRidfrom foundry_sdk.v1.ontologies.models import FunctionVersionfrom foundry_sdk.v1.ontologies.models import Fuzzyfrom foundry_sdk.v1.ontologies.models import GroupMemberConstraintfrom foundry_sdk.v1.ontologies.models import GteQueryfrom foundry_sdk.v1.ontologies.models import GtQueryfrom foundry_sdk.v1.ontologies.models import InterfaceLinkTypeApiNamefrom foundry_sdk.v1.ontologies.models import InterfaceLinkTypeRidfrom foundry_sdk.v1.ontologies.models import InterfacePropertyApiNamefrom foundry_sdk.v1.ontologies.models import InterfaceTypeApiNamefrom foundry_sdk.v1.ontologies.models import InterfaceTypeRidfrom foundry_sdk.v1.ontologies.models import IsNullQueryfrom foundry_sdk.v1.ontologies.models import LegacyObjectTypeIdfrom foundry_sdk.v1.ontologies.models import LegacyPropertyIdfrom foundry_sdk.v1.ontologies.models import LinkTypeApiNamefrom foundry_sdk.v1.ontologies.models import LinkTypeIdfrom foundry_sdk.v1.ontologies.models import LinkTypeSidefrom foundry_sdk.v1.ontologies.models import LinkTypeSideCardinalityfrom foundry_sdk.v1.ontologies.models import ListActionTypesResponsefrom foundry_sdk.v1.ontologies.models import ListLinkedObjectsResponsefrom foundry_sdk.v1.ontologies.models import ListObjectsResponsefrom foundry_sdk.v1.ontologies.models import ListObjectTypesResponsefrom foundry_sdk.v1.ontologies.models import ListOntologiesResponsefrom foundry_sdk.v1.ontologies.models import ListOutgoingLinkTypesResponsefrom foundry_sdk.v1.ontologies.models import ListQueryTypesResponsefrom foundry_sdk.v1.ontologies.models import LogicRulefrom foundry_sdk.v1.ontologies.models import LteQueryfrom foundry_sdk.v1.ontologies.models import LtQueryfrom foundry_sdk.v1.ontologies.models import MaxAggregationfrom foundry_sdk.v1.ontologies.models import MinAggregationfrom foundry_sdk.v1.ontologies.models import ModifyInterfaceObjectRulefrom foundry_sdk.v1.ontologies.models import ModifyObjectRulefrom foundry_sdk.v1.ontologies.models import NotQueryfrom foundry_sdk.v1.ontologies.models import ObjectPropertyValueConstraintfrom foundry_sdk.v1.ontologies.models import ObjectQueryResultConstraintfrom foundry_sdk.v1.ontologies.models import ObjectRidfrom foundry_sdk.v1.ontologies.models import ObjectSetRidfrom foundry_sdk.v1.ontologies.models import ObjectTypefrom foundry_sdk.v1.ontologies.models import ObjectTypeApiNamefrom foundry_sdk.v1.ontologies.models import ObjectTypeRidfrom foundry_sdk.v1.ontologies.models import ObjectTypeVisibilityfrom foundry_sdk.v1.ontologies.models import OneOfConstraintfrom foundry_sdk.v1.ontologies.models import Ontologyfrom foundry_sdk.v1.ontologies.models import OntologyApiNamefrom foundry_sdk.v1.ontologies.models import OntologyArrayTypefrom foundry_sdk.v1.ontologies.models import OntologyDataTypefrom foundry_sdk.v1.ontologies.models import OntologyInterfaceObjectSetTypefrom foundry_sdk.v1.ontologies.models import OntologyInterfaceObjectTypefrom foundry_sdk.v1.ontologies.models import OntologyMapTypefrom foundry_sdk.v1.ontologies.models import OntologyObjectfrom foundry_sdk.v1.ontologies.models import OntologyObjectSetTypefrom foundry_sdk.v1.ontologies.models import OntologyObjectTypefrom foundry_sdk.v1.ontologies.models import OntologyRidfrom foundry_sdk.v1.ontologies.models import OntologySetTypefrom foundry_sdk.v1.ontologies.models import OntologyStructFieldfrom foundry_sdk.v1.ontologies.models import OntologyStructTypefrom foundry_sdk.v1.ontologies.models import OrderByfrom foundry_sdk.v1.ontologies.models import OrQueryfrom foundry_sdk.v1.ontologies.models import Parameterfrom foundry_sdk.v1.ontologies.models import ParameterEvaluatedConstraintfrom foundry_sdk.v1.ontologies.models import ParameterEvaluationResultfrom foundry_sdk.v1.ontologies.models import ParameterIdfrom foundry_sdk.v1.ontologies.models import ParameterOptionfrom foundry_sdk.v1.ontologies.models import PhraseQueryfrom foundry_sdk.v1.ontologies.models import PrefixQueryfrom foundry_sdk.v1.ontologies.models import PrimaryKeyValuefrom foundry_sdk.v1.ontologies.models import Propertyfrom foundry_sdk.v1.ontologies.models import PropertyApiNamefrom foundry_sdk.v1.ontologies.models import PropertyFilterfrom foundry_sdk.v1.ontologies.models import PropertyIdfrom foundry_sdk.v1.ontologies.models import PropertyTypeRidfrom foundry_sdk.v1.ontologies.models import PropertyValuefrom foundry_sdk.v1.ontologies.models import PropertyValueEscapedStringfrom foundry_sdk.v1.ontologies.models import QueryAggregationKeyTypefrom foundry_sdk.v1.ontologies.models import QueryAggregationRangeSubTypefrom foundry_sdk.v1.ontologies.models import QueryAggregationRangeTypefrom foundry_sdk.v1.ontologies.models import QueryAggregationValueTypefrom foundry_sdk.v1.ontologies.models import QueryApiNamefrom foundry_sdk.v1.ontologies.models import QueryArrayTypefrom foundry_sdk.v1.ontologies.models import QueryDataTypefrom foundry_sdk.v1.ontologies.models import QueryRuntimeErrorParameterfrom foundry_sdk.v1.ontologies.models import QuerySetTypefrom foundry_sdk.v1.ontologies.models import QueryStructFieldfrom foundry_sdk.v1.ontologies.models import QueryStructTypefrom foundry_sdk.v1.ontologies.models import QueryTypefrom foundry_sdk.v1.ontologies.models import QueryUnionTypefrom foundry_sdk.v1.ontologies.models import RangeConstraintfrom foundry_sdk.v1.ontologies.models import ReturnEditsModefrom foundry_sdk.v1.ontologies.models import SdkPackageNamefrom foundry_sdk.v1.ontologies.models import SdkPackageRidfrom foundry_sdk.v1.ontologies.models import SdkVersionfrom foundry_sdk.v1.ontologies.models import SearchJsonQueryfrom foundry_sdk.v1.ontologies.models import SearchObjectsRequestfrom foundry_sdk.v1.ontologies.models import SearchObjectsResponsefrom foundry_sdk.v1.ontologies.models import SearchOrderByfrom foundry_sdk.v1.ontologies.models import SearchOrderByTypefrom foundry_sdk.v1.ontologies.models import SearchOrderingfrom foundry_sdk.v1.ontologies.models import SelectedPropertyApiNamefrom foundry_sdk.v1.ontologies.models import SharedPropertyTypeApiNamefrom foundry_sdk.v1.ontologies.models import SharedPropertyTypeRidfrom foundry_sdk.v1.ontologies.models import StringLengthConstraintfrom foundry_sdk.v1.ontologies.models import StringRegexMatchConstraintfrom foundry_sdk.v1.ontologies.models import StructEvaluatedConstraintfrom foundry_sdk.v1.ontologies.models import StructFieldEvaluatedConstraintfrom foundry_sdk.v1.ontologies.models import StructFieldEvaluationResultfrom foundry_sdk.v1.ontologies.models import StructParameterFieldApiNamefrom foundry_sdk.v1.ontologies.models import SubmissionCriteriaEvaluationfrom foundry_sdk.v1.ontologies.models import SumAggregationfrom foundry_sdk.v1.ontologies.models import ThreeDimensionalAggregationfrom foundry_sdk.v1.ontologies.models import TwoDimensionalAggregationfrom foundry_sdk.v1.ontologies.models import UnevaluableConstraintfrom foundry_sdk.v1.ontologies.models import UniqueIdentifierLinkIdfrom foundry_sdk.v1.ontologies.models import ValidateActionRequestfrom foundry_sdk.v1.ontologies.models import ValidateActionResponsefrom foundry_sdk.v1.ontologies.models import ValidationResultfrom foundry_sdk.v1.ontologies.models import ValueTypefrom foundry_sdk.v1.ontologies.models import ValueTypeApiNamefrom foundry_sdk.v1.ontologies.models import ValueTypeRidDocumentation for errors
Documentation for V2 errors
from foundry_sdk.v2.admin.errors import AddEnrollmentRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import AddGroupMembersPermissionDeniedfrom foundry_sdk.v2.admin.errors import AddMarkingMembersPermissionDeniedfrom foundry_sdk.v2.admin.errors import AddMarkingRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import AddOrganizationRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import AuthenticationProviderNotFoundfrom foundry_sdk.v2.admin.errors import CannotReplaceProviderInfoForPrincipalInProtectedRealmfrom foundry_sdk.v2.admin.errors import CreateGroupPermissionDeniedfrom foundry_sdk.v2.admin.errors import CreateMarkingMissingInitialAdminRolefrom foundry_sdk.v2.admin.errors import CreateMarkingPermissionDeniedfrom foundry_sdk.v2.admin.errors import CreateOrganizationMissingInitialAdminRolefrom foundry_sdk.v2.admin.errors import CreateOrganizationPermissionDeniedfrom foundry_sdk.v2.admin.errors import DeleteGroupPermissionDeniedfrom foundry_sdk.v2.admin.errors import DeleteUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import EnrollmentNotFoundfrom foundry_sdk.v2.admin.errors import EnrollmentRoleNotFoundfrom foundry_sdk.v2.admin.errors import GetCurrentEnrollmentPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetCurrentUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetGroupProviderInfoPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetMarkingCategoryPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetMarkingPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetMarkingsUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetProfilePictureOfUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import GetUserProviderInfoPermissionDeniedfrom foundry_sdk.v2.admin.errors import GroupMembershipExpirationPolicyNotFoundfrom foundry_sdk.v2.admin.errors import GroupNameAlreadyExistsfrom foundry_sdk.v2.admin.errors import GroupNotFoundfrom foundry_sdk.v2.admin.errors import GroupProviderInfoNotFoundfrom foundry_sdk.v2.admin.errors import InvalidGroupMembershipExpirationfrom foundry_sdk.v2.admin.errors import InvalidGroupOrganizationsfrom foundry_sdk.v2.admin.errors import InvalidHostNamefrom foundry_sdk.v2.admin.errors import InvalidProfilePicturefrom foundry_sdk.v2.admin.errors import ListAvailableRolesOrganizationPermissionDeniedfrom foundry_sdk.v2.admin.errors import ListEnrollmentRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import ListHostsPermissionDeniedfrom foundry_sdk.v2.admin.errors import ListMarkingMembersPermissionDeniedfrom foundry_sdk.v2.admin.errors import ListMarkingRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import ListOrganizationRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import MarkingCategoryNotFoundfrom foundry_sdk.v2.admin.errors import MarkingNameInCategoryAlreadyExistsfrom foundry_sdk.v2.admin.errors import MarkingNameIsEmptyfrom foundry_sdk.v2.admin.errors import MarkingNotFoundfrom foundry_sdk.v2.admin.errors import OrganizationNameAlreadyExistsfrom foundry_sdk.v2.admin.errors import OrganizationNotFoundfrom foundry_sdk.v2.admin.errors import PreregisterGroupPermissionDeniedfrom foundry_sdk.v2.admin.errors import PreregisterUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import PrincipalNotFoundfrom foundry_sdk.v2.admin.errors import ProfilePictureNotFoundfrom foundry_sdk.v2.admin.errors import ProfileServiceNotPresentfrom foundry_sdk.v2.admin.errors import RemoveEnrollmentRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import RemoveGroupMembersPermissionDeniedfrom foundry_sdk.v2.admin.errors import RemoveMarkingMembersPermissionDeniedfrom foundry_sdk.v2.admin.errors import RemoveMarkingRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import RemoveMarkingRoleAssignmentsRemoveAllAdministratorsNotAllowedfrom foundry_sdk.v2.admin.errors import RemoveOrganizationRoleAssignmentsPermissionDeniedfrom foundry_sdk.v2.admin.errors import ReplaceGroupMembershipExpirationPolicyPermissionDeniedfrom foundry_sdk.v2.admin.errors import ReplaceGroupProviderInfoPermissionDeniedfrom foundry_sdk.v2.admin.errors import ReplaceMarkingPermissionDeniedfrom foundry_sdk.v2.admin.errors import ReplaceOrganizationPermissionDeniedfrom foundry_sdk.v2.admin.errors import ReplaceUserProviderInfoPermissionDeniedfrom foundry_sdk.v2.admin.errors import RevokeAllTokensUserPermissionDeniedfrom foundry_sdk.v2.admin.errors import RoleNotFoundfrom foundry_sdk.v2.admin.errors import SearchGroupsPermissionDeniedfrom foundry_sdk.v2.admin.errors import SearchUsersPermissionDeniedfrom foundry_sdk.v2.admin.errors import UserDeletedfrom foundry_sdk.v2.admin.errors import UserIsActivefrom foundry_sdk.v2.admin.errors import UserNotFoundfrom foundry_sdk.v2.admin.errors import UserProviderInfoNotFoundfrom foundry_sdk.v2.aip_agents.errors import AgentIterationsExceededLimitfrom foundry_sdk.v2.aip_agents.errors import AgentNotFoundfrom foundry_sdk.v2.aip_agents.errors import AgentVersionNotFoundfrom foundry_sdk.v2.aip_agents.errors import BlockingContinueSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import CancelSessionFailedMessageNotInProgressfrom foundry_sdk.v2.aip_agents.errors import CancelSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import ContentNotFoundfrom foundry_sdk.v2.aip_agents.errors import ContextSizeExceededLimitfrom foundry_sdk.v2.aip_agents.errors import CreateSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import DeleteSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import FunctionLocatorNotFoundfrom foundry_sdk.v2.aip_agents.errors import GetAllSessionsAgentsPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import GetRagContextForSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import InvalidAgentVersionfrom foundry_sdk.v2.aip_agents.errors import InvalidParameterfrom foundry_sdk.v2.aip_agents.errors import InvalidParameterTypefrom foundry_sdk.v2.aip_agents.errors import ListSessionsForAgentsPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import NoPublishedAgentVersionfrom foundry_sdk.v2.aip_agents.errors import ObjectTypeIdsNotFoundfrom foundry_sdk.v2.aip_agents.errors import ObjectTypeRidsNotFoundfrom foundry_sdk.v2.aip_agents.errors import OntologyEntitiesNotFoundfrom foundry_sdk.v2.aip_agents.errors import RateLimitExceededfrom foundry_sdk.v2.aip_agents.errors import RetryAttemptsExceededfrom foundry_sdk.v2.aip_agents.errors import RetryDeadlineExceededfrom foundry_sdk.v2.aip_agents.errors import SessionExecutionFailedfrom foundry_sdk.v2.aip_agents.errors import SessionNotFoundfrom foundry_sdk.v2.aip_agents.errors import SessionTraceIdAlreadyExistsfrom foundry_sdk.v2.aip_agents.errors import SessionTraceNotFoundfrom foundry_sdk.v2.aip_agents.errors import StreamingContinueSessionPermissionDeniedfrom foundry_sdk.v2.aip_agents.errors import UpdateSessionTitlePermissionDeniedfrom foundry_sdk.v2.audit.errors import GetLogFileContentPermissionDeniedfrom foundry_sdk.v2.audit.errors import ListLogFilesPermissionDeniedfrom foundry_sdk.v2.audit.errors import MissingStartDatefrom foundry_sdk.v2.connectivity.errors import AdditionalSecretsMustBeSpecifiedAsPlaintextValueMapfrom foundry_sdk.v2.connectivity.errors import ConnectionDetailsNotDeterminedfrom foundry_sdk.v2.connectivity.errors import ConnectionNotFoundfrom foundry_sdk.v2.connectivity.errors import ConnectionTypeNotSupportedfrom foundry_sdk.v2.connectivity.errors import CreateConnectionPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import CreateFileImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import CreateTableImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import CreateVirtualTablePermissionDeniedfrom foundry_sdk.v2.connectivity.errors import DeleteFileImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import DeleteTableImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import DomainMustUseHttpsWithAuthenticationfrom foundry_sdk.v2.connectivity.errors import DriverContentMustBeUploadedAsJarfrom foundry_sdk.v2.connectivity.errors import DriverJarAlreadyExistsfrom foundry_sdk.v2.connectivity.errors import EncryptedPropertyMustBeSpecifiedAsPlaintextValuefrom foundry_sdk.v2.connectivity.errors import ExecuteFileImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import ExecuteTableImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import FileAtLeastCountFilterInvalidMinCountfrom foundry_sdk.v2.connectivity.errors import FileImportCustomFilterCannotBeUsedToCreateOrUpdateFileImportsfrom foundry_sdk.v2.connectivity.errors import FileImportNotFoundfrom foundry_sdk.v2.connectivity.errors import FileImportNotSupportedForConnectionfrom foundry_sdk.v2.connectivity.errors import FilesCountLimitFilterInvalidLimitfrom foundry_sdk.v2.connectivity.errors import FileSizeFilterGreaterThanCannotBeNegativefrom foundry_sdk.v2.connectivity.errors import FileSizeFilterInvalidGreaterThanAndLessThanRangefrom foundry_sdk.v2.connectivity.errors import FileSizeFilterLessThanMustBeOneByteOrLargerfrom foundry_sdk.v2.connectivity.errors import FileSizeFilterMissingGreaterThanAndLessThanfrom foundry_sdk.v2.connectivity.errors import GetConfigurationPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import HostNameCannotHaveProtocolOrPortfrom foundry_sdk.v2.connectivity.errors import InvalidShareNamefrom foundry_sdk.v2.connectivity.errors import InvalidVirtualTableConnectionfrom foundry_sdk.v2.connectivity.errors import ParentFolderNotFoundForConnectionfrom foundry_sdk.v2.connectivity.errors import PortNotInRangefrom foundry_sdk.v2.connectivity.errors import PropertyCannotBeBlankfrom foundry_sdk.v2.connectivity.errors import PropertyCannotBeEmptyfrom foundry_sdk.v2.connectivity.errors import ReplaceFileImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import ReplaceTableImportPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import SecretNamesDoNotExistfrom foundry_sdk.v2.connectivity.errors import TableImportNotFoundfrom foundry_sdk.v2.connectivity.errors import TableImportNotSupportedForConnectionfrom foundry_sdk.v2.connectivity.errors import TableImportTypeNotSupportedfrom foundry_sdk.v2.connectivity.errors import UnknownWorkerCannotBeUsedForCreatingOrUpdatingConnectionsfrom foundry_sdk.v2.connectivity.errors import UpdateExportSettingsForConnectionPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import UpdateSecretsForConnectionPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import UploadCustomJdbcDriverNotSupportForConnectionfrom foundry_sdk.v2.connectivity.errors import UploadCustomJdbcDriversConnectionPermissionDeniedfrom foundry_sdk.v2.connectivity.errors import VirtualTableAlreadyExistsfrom foundry_sdk.v2.connectivity.errors import VirtualTableRegisterFromSourcePermissionDeniedfrom foundry_sdk.v2.core.errors import ApiFeaturePreviewUsageOnlyfrom foundry_sdk.v2.core.errors import ApiUsageDeniedfrom foundry_sdk.v2.core.errors import BatchRequestSizeExceededLimitfrom foundry_sdk.v2.core.errors import FolderNotFoundfrom foundry_sdk.v2.core.errors import FoundryBranchNotFoundfrom foundry_sdk.v2.core.errors import InvalidAndFilterfrom foundry_sdk.v2.core.errors import InvalidAttributionHeaderfrom foundry_sdk.v2.core.errors import InvalidChangeDataCaptureConfigurationfrom foundry_sdk.v2.core.errors import InvalidFieldSchemafrom foundry_sdk.v2.core.errors import InvalidFilePathfrom foundry_sdk.v2.core.errors import InvalidFilterValuefrom foundry_sdk.v2.core.errors import InvalidOrFilterfrom foundry_sdk.v2.core.errors import InvalidPageSizefrom foundry_sdk.v2.core.errors import InvalidPageTokenfrom foundry_sdk.v2.core.errors import InvalidParameterCombinationfrom foundry_sdk.v2.core.errors import InvalidSchemafrom foundry_sdk.v2.core.errors import InvalidTimeZonefrom foundry_sdk.v2.core.errors import MissingBatchRequestfrom foundry_sdk.v2.core.errors import MissingPostBodyfrom foundry_sdk.v2.core.errors import ResourceNameAlreadyExistsfrom foundry_sdk.v2.core.errors import SchemaIsNotStreamSchemafrom foundry_sdk.v2.core.errors import UnknownDistanceUnitfrom foundry_sdk.v2.data_health.errors import CheckAlreadyExistsfrom foundry_sdk.v2.data_health.errors import CheckNotFoundfrom foundry_sdk.v2.data_health.errors import CheckReportNotFoundfrom foundry_sdk.v2.data_health.errors import CheckTypeNotSupportedfrom foundry_sdk.v2.data_health.errors import CreateCheckPermissionDeniedfrom foundry_sdk.v2.data_health.errors import DeleteCheckPermissionDeniedfrom foundry_sdk.v2.data_health.errors import InvalidNumericColumnCheckConfigfrom foundry_sdk.v2.data_health.errors import InvalidPercentageCheckConfigfrom foundry_sdk.v2.data_health.errors import InvalidTimeCheckConfigfrom foundry_sdk.v2.data_health.errors import InvalidTrendConfigfrom foundry_sdk.v2.data_health.errors import ModifyingCheckTypeNotSupportedfrom foundry_sdk.v2.data_health.errors import PercentageValueAboveMaximumfrom foundry_sdk.v2.data_health.errors import PercentageValueBelowMinimumfrom foundry_sdk.v2.data_health.errors import ReplaceCheckPermissionDeniedfrom foundry_sdk.v2.datasets.errors import AbortTransactionPermissionDeniedfrom foundry_sdk.v2.datasets.errors import AddBackingDatasetsPermissionDeniedfrom foundry_sdk.v2.datasets.errors import AddPrimaryKeyPermissionDeniedfrom foundry_sdk.v2.datasets.errors import BranchAlreadyExistsfrom foundry_sdk.v2.datasets.errors import BranchNotFoundfrom foundry_sdk.v2.datasets.errors import BuildTransactionPermissionDeniedfrom foundry_sdk.v2.datasets.errors import ColumnTypesNotSupportedfrom foundry_sdk.v2.datasets.errors import CommitTransactionPermissionDeniedfrom foundry_sdk.v2.datasets.errors import CreateBranchPermissionDeniedfrom foundry_sdk.v2.datasets.errors import CreateDatasetPermissionDeniedfrom foundry_sdk.v2.datasets.errors import CreateTransactionPermissionDeniedfrom foundry_sdk.v2.datasets.errors import CreateViewPermissionDeniedfrom foundry_sdk.v2.datasets.errors import DatasetNotFoundfrom foundry_sdk.v2.datasets.errors import DatasetReadNotSupportedfrom foundry_sdk.v2.datasets.errors import DatasetViewNotFoundfrom foundry_sdk.v2.datasets.errors import DeleteBranchPermissionDeniedfrom foundry_sdk.v2.datasets.errors import DeleteFilePermissionDeniedfrom foundry_sdk.v2.datasets.errors import DeleteSchemaPermissionDeniedfrom foundry_sdk.v2.datasets.errors import FileAlreadyExistsfrom foundry_sdk.v2.datasets.errors import FileNotFoundfrom foundry_sdk.v2.datasets.errors import FileNotFoundOnBranchfrom foundry_sdk.v2.datasets.errors import FileNotFoundOnTransactionRangefrom foundry_sdk.v2.datasets.errors import GetBranchTransactionHistoryPermissionDeniedfrom foundry_sdk.v2.datasets.errors import GetDatasetHealthChecksPermissionDeniedfrom foundry_sdk.v2.datasets.errors import GetDatasetJobsPermissionDeniedfrom foundry_sdk.v2.datasets.errors import GetDatasetSchedulesPermissionDeniedfrom foundry_sdk.v2.datasets.errors import GetDatasetSchemaPermissionDeniedfrom foundry_sdk.v2.datasets.errors import GetFileContentPermissionDeniedfrom foundry_sdk.v2.datasets.errors import InputBackingDatasetNotInOutputViewProjectfrom foundry_sdk.v2.datasets.errors import InvalidBranchNamefrom foundry_sdk.v2.datasets.errors import InvalidTransactionTypefrom foundry_sdk.v2.datasets.errors import InvalidViewBackingDatasetfrom foundry_sdk.v2.datasets.errors import InvalidViewPrimaryKeyColumnTypefrom foundry_sdk.v2.datasets.errors import InvalidViewPrimaryKeyDeletionColumnfrom foundry_sdk.v2.datasets.errors import JobTransactionPermissionDeniedfrom foundry_sdk.v2.datasets.errors import NotAllColumnsInPrimaryKeyArePresentfrom foundry_sdk.v2.datasets.errors import OpenTransactionAlreadyExistsfrom foundry_sdk.v2.datasets.errors import PutDatasetSchemaPermissionDeniedfrom foundry_sdk.v2.datasets.errors import PutSchemaPermissionDeniedfrom foundry_sdk.v2.datasets.errors import ReadTableDatasetPermissionDeniedfrom foundry_sdk.v2.datasets.errors import ReadTableErrorfrom foundry_sdk.v2.datasets.errors import ReadTableRowLimitExceededfrom foundry_sdk.v2.datasets.errors import ReadTableTimeoutfrom foundry_sdk.v2.datasets.errors import RemoveBackingDatasetsPermissionDeniedfrom foundry_sdk.v2.datasets.errors import ReplaceBackingDatasetsPermissionDeniedfrom foundry_sdk.v2.datasets.errors import SchemaNotFoundfrom foundry_sdk.v2.datasets.errors import TransactionNotCommittedfrom foundry_sdk.v2.datasets.errors import TransactionNotFoundfrom foundry_sdk.v2.datasets.errors import TransactionNotOpenfrom foundry_sdk.v2.datasets.errors import UploadFilePermissionDeniedfrom foundry_sdk.v2.datasets.errors import ViewDatasetCleanupFailedfrom foundry_sdk.v2.datasets.errors import ViewNotFoundfrom foundry_sdk.v2.datasets.errors import ViewPrimaryKeyCannotBeModifiedfrom foundry_sdk.v2.datasets.errors import ViewPrimaryKeyDeletionColumnNotInDatasetSchemafrom foundry_sdk.v2.datasets.errors import ViewPrimaryKeyMustContainAtLeastOneColumnfrom foundry_sdk.v2.datasets.errors import ViewPrimaryKeyRequiresBackingDatasetsfrom foundry_sdk.v2.filesystem.errors import AddGroupToParentGroupPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import AddMarkingsPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import AddOrganizationsPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import AddResourceRolesPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import CreateFolderOutsideProjectNotSupportedfrom foundry_sdk.v2.filesystem.errors import CreateFolderPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import CreateGroupPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import CreateProjectFromTemplatePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import CreateProjectNoOwnerLikeRoleGrantfrom foundry_sdk.v2.filesystem.errors import CreateProjectPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import CreateSpacePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import DefaultRolesNotInSpaceRoleSetfrom foundry_sdk.v2.filesystem.errors import DeleteResourcePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import DeleteSpacePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import EnrollmentNotFoundfrom foundry_sdk.v2.filesystem.errors import FolderNotFoundfrom foundry_sdk.v2.filesystem.errors import ForbiddenOperationOnAutosavedResourcefrom foundry_sdk.v2.filesystem.errors import ForbiddenOperationOnHiddenResourcefrom foundry_sdk.v2.filesystem.errors import GetAccessRequirementsPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import GetByPathPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import GetRootFolderNotSupportedfrom foundry_sdk.v2.filesystem.errors import GetSpaceResourceNotSupportedfrom foundry_sdk.v2.filesystem.errors import InvalidDefaultRolesfrom foundry_sdk.v2.filesystem.errors import InvalidDescriptionfrom foundry_sdk.v2.filesystem.errors import InvalidDisplayNamefrom foundry_sdk.v2.filesystem.errors import InvalidFolderfrom foundry_sdk.v2.filesystem.errors import InvalidOrganizationHierarchyfrom foundry_sdk.v2.filesystem.errors import InvalidOrganizationsfrom foundry_sdk.v2.filesystem.errors import InvalidPathfrom foundry_sdk.v2.filesystem.errors import InvalidPrincipalIdsForGroupTemplatefrom foundry_sdk.v2.filesystem.errors import InvalidRoleIdsfrom foundry_sdk.v2.filesystem.errors import InvalidVariablefrom foundry_sdk.v2.filesystem.errors import InvalidVariableEnumOptionfrom foundry_sdk.v2.filesystem.errors import MarkingNotFoundfrom foundry_sdk.v2.filesystem.errors import MissingDisplayNamefrom foundry_sdk.v2.filesystem.errors import MissingVariableValuefrom foundry_sdk.v2.filesystem.errors import NotAuthorizedToApplyOrganizationfrom foundry_sdk.v2.filesystem.errors import OrganizationCannotBeRemovedfrom foundry_sdk.v2.filesystem.errors import OrganizationMarkingNotOnSpacefrom foundry_sdk.v2.filesystem.errors import OrganizationMarkingNotSupportedfrom foundry_sdk.v2.filesystem.errors import OrganizationsNotFoundfrom foundry_sdk.v2.filesystem.errors import PathNotFoundfrom foundry_sdk.v2.filesystem.errors import PermanentlyDeleteResourcePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import ProjectCreationNotSupportedfrom foundry_sdk.v2.filesystem.errors import ProjectNameAlreadyExistsfrom foundry_sdk.v2.filesystem.errors import ProjectNotFoundfrom foundry_sdk.v2.filesystem.errors import ProjectTemplateNotFoundfrom foundry_sdk.v2.filesystem.errors import RemoveMarkingsPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import RemoveOrganizationsPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import RemoveResourceRolesPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import ReplaceProjectPermissionDeniedfrom foundry_sdk.v2.filesystem.errors import ReplaceSpacePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import ReservedSpaceCannotBeReplacedfrom foundry_sdk.v2.filesystem.errors import ResourceNameAlreadyExistsfrom foundry_sdk.v2.filesystem.errors import ResourceNotDirectlyTrashedfrom foundry_sdk.v2.filesystem.errors import ResourceNotFoundfrom foundry_sdk.v2.filesystem.errors import ResourceNotTrashedfrom foundry_sdk.v2.filesystem.errors import RestoreResourcePermissionDeniedfrom foundry_sdk.v2.filesystem.errors import RoleSetNotFoundfrom foundry_sdk.v2.filesystem.errors import SpaceInternalErrorfrom foundry_sdk.v2.filesystem.errors import SpaceInvalidArgumentfrom foundry_sdk.v2.filesystem.errors import SpaceNameInvalidfrom foundry_sdk.v2.filesystem.errors import SpaceNotEmptyfrom foundry_sdk.v2.filesystem.errors import SpaceNotFoundfrom foundry_sdk.v2.filesystem.errors import TemplateGroupNameConflictfrom foundry_sdk.v2.filesystem.errors import TemplateMarkingNameConflictfrom foundry_sdk.v2.filesystem.errors import TrashingAutosavedResourcesNotSupportedfrom foundry_sdk.v2.filesystem.errors import TrashingHiddenResourcesNotSupportedfrom foundry_sdk.v2.filesystem.errors import TrashingSpaceNotSupportedfrom foundry_sdk.v2.filesystem.errors import UsageAccountServiceIsNotPresentfrom foundry_sdk.v2.functions.errors import ConsistentSnapshotErrorfrom foundry_sdk.v2.functions.errors import ExecuteQueryPermissionDeniedfrom foundry_sdk.v2.functions.errors import GetByRidQueriesPermissionDeniedfrom foundry_sdk.v2.functions.errors import InvalidQueryOutputValuefrom foundry_sdk.v2.functions.errors import InvalidQueryParameterValuefrom foundry_sdk.v2.functions.errors import MissingParameterfrom foundry_sdk.v2.functions.errors import QueryEncounteredUserFacingErrorfrom foundry_sdk.v2.functions.errors import QueryMemoryExceededLimitfrom foundry_sdk.v2.functions.errors import QueryNotFoundfrom foundry_sdk.v2.functions.errors import QueryRuntimeErrorfrom foundry_sdk.v2.functions.errors import QueryTimeExceededLimitfrom foundry_sdk.v2.functions.errors import QueryVersionNotFoundfrom foundry_sdk.v2.functions.errors import StreamingExecuteQueryPermissionDeniedfrom foundry_sdk.v2.functions.errors import UnknownParameterfrom foundry_sdk.v2.functions.errors import ValueTypeNotFoundfrom foundry_sdk.v2.functions.errors import VersionIdNotFoundfrom foundry_sdk.v2.language_models.errors import AnthropicMessagesPermissionDeniedfrom foundry_sdk.v2.language_models.errors import MultipleSystemPromptsNotSupportedfrom foundry_sdk.v2.language_models.errors import MultipleToolResultContentsNotSupportedfrom foundry_sdk.v2.language_models.errors import OpenAiEmbeddingsPermissionDeniedfrom foundry_sdk.v2.media_sets.errors import ConflictingMediaSetIdentifiersfrom foundry_sdk.v2.media_sets.errors import GetMediaItemRidByPathPermissionDeniedfrom foundry_sdk.v2.media_sets.errors import InvalidMediaItemSchemafrom foundry_sdk.v2.media_sets.errors import MediaItemHasUnsupportedSecuritySettingsfrom foundry_sdk.v2.media_sets.errors import MediaItemImageUnparsablefrom foundry_sdk.v2.media_sets.errors import MediaItemIsPasswordProtectedfrom foundry_sdk.v2.media_sets.errors import MediaItemNotFoundfrom foundry_sdk.v2.media_sets.errors import MediaItemXmlUnparsablefrom foundry_sdk.v2.media_sets.errors import MediaSetNotFoundfrom foundry_sdk.v2.media_sets.errors import MediaSetOpenTransactionAlreadyExistsfrom foundry_sdk.v2.media_sets.errors import MissingMediaItemContentfrom foundry_sdk.v2.media_sets.errors import MissingMediaItemPathfrom foundry_sdk.v2.media_sets.errors import TemporaryMediaUploadInsufficientPermissionsfrom foundry_sdk.v2.media_sets.errors import TemporaryMediaUploadUnknownFailurefrom foundry_sdk.v2.media_sets.errors import TransformedMediaItemNotFoundfrom foundry_sdk.v2.models.errors import CondaSolveFailureForProvidedPackagesfrom foundry_sdk.v2.models.errors import CreateModelPermissionDeniedfrom foundry_sdk.v2.models.errors import CreateModelVersionPermissionDeniedfrom foundry_sdk.v2.models.errors import InvalidModelApifrom foundry_sdk.v2.models.errors import ModelNotFoundfrom foundry_sdk.v2.models.errors import ModelVersionNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionContainsDuplicateEditsfrom foundry_sdk.v2.ontologies.errors import ActionEditedPropertiesNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionEditsReadOnlyEntityfrom foundry_sdk.v2.ontologies.errors import ActionNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionParameterInterfaceTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionParameterObjectNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionParameterObjectTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import ActionValidationFailedfrom foundry_sdk.v2.ontologies.errors import AggregationAccuracyNotSupportedfrom foundry_sdk.v2.ontologies.errors import AggregationGroupCountExceededLimitfrom foundry_sdk.v2.ontologies.errors import AggregationMemoryExceededLimitfrom foundry_sdk.v2.ontologies.errors import AggregationNestedObjectSetSizeExceededLimitfrom foundry_sdk.v2.ontologies.errors import ApplyActionFailedfrom foundry_sdk.v2.ontologies.errors import AttachmentNotFoundfrom foundry_sdk.v2.ontologies.errors import AttachmentRidAlreadyExistsfrom foundry_sdk.v2.ontologies.errors import AttachmentSizeExceededLimitfrom foundry_sdk.v2.ontologies.errors import CipherChannelNotFoundfrom foundry_sdk.v2.ontologies.errors import CompositePrimaryKeyNotSupportedfrom foundry_sdk.v2.ontologies.errors import ConsistentSnapshotErrorfrom foundry_sdk.v2.ontologies.errors import DefaultAndNullGroupsNotSupportedfrom foundry_sdk.v2.ontologies.errors import DerivedPropertyApiNamesNotUniquefrom foundry_sdk.v2.ontologies.errors import DuplicateOrderByfrom foundry_sdk.v2.ontologies.errors import EditObjectPermissionDeniedfrom foundry_sdk.v2.ontologies.errors import FunctionEncounteredUserFacingErrorfrom foundry_sdk.v2.ontologies.errors import FunctionExecutionFailedfrom foundry_sdk.v2.ontologies.errors import FunctionExecutionTimedOutfrom foundry_sdk.v2.ontologies.errors import FunctionInvalidInputfrom foundry_sdk.v2.ontologies.errors import HighScaleComputationNotEnabledfrom foundry_sdk.v2.ontologies.errors import InterfaceBasedObjectSetNotSupportedfrom foundry_sdk.v2.ontologies.errors import InterfaceLinkTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import InterfacePropertiesHaveDifferentIdsfrom foundry_sdk.v2.ontologies.errors import InterfacePropertiesNotFoundfrom foundry_sdk.v2.ontologies.errors import InterfacePropertyNotFoundfrom foundry_sdk.v2.ontologies.errors import InterfaceTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import InterfaceTypesNotFoundfrom foundry_sdk.v2.ontologies.errors import InvalidAggregationOrderingfrom foundry_sdk.v2.ontologies.errors import InvalidAggregationOrderingWithNullValuesfrom foundry_sdk.v2.ontologies.errors import InvalidAggregationRangefrom foundry_sdk.v2.ontologies.errors import InvalidAggregationRangePropertyTypefrom foundry_sdk.v2.ontologies.errors import InvalidAggregationRangePropertyTypeForInterfacefrom foundry_sdk.v2.ontologies.errors import InvalidAggregationRangeValuefrom foundry_sdk.v2.ontologies.errors import InvalidAggregationRangeValueForInterfacefrom foundry_sdk.v2.ontologies.errors import InvalidApplyActionOptionCombinationfrom foundry_sdk.v2.ontologies.errors import InvalidContentLengthfrom foundry_sdk.v2.ontologies.errors import InvalidContentTypefrom foundry_sdk.v2.ontologies.errors import InvalidDerivedPropertyDefinitionfrom foundry_sdk.v2.ontologies.errors import InvalidDurationGroupByPropertyTypefrom foundry_sdk.v2.ontologies.errors import InvalidDurationGroupByPropertyTypeForInterfacefrom foundry_sdk.v2.ontologies.errors import InvalidDurationGroupByValuefrom foundry_sdk.v2.ontologies.errors import InvalidFieldsfrom foundry_sdk.v2.ontologies.errors import InvalidGroupIdfrom foundry_sdk.v2.ontologies.errors import InvalidOrderTypefrom foundry_sdk.v2.ontologies.errors import InvalidParameterValuefrom foundry_sdk.v2.ontologies.errors import InvalidPropertyFiltersCombinationfrom foundry_sdk.v2.ontologies.errors import InvalidPropertyFilterValuefrom foundry_sdk.v2.ontologies.errors import InvalidPropertyTypefrom foundry_sdk.v2.ontologies.errors import InvalidPropertyValuefrom foundry_sdk.v2.ontologies.errors import InvalidQueryOutputValuefrom foundry_sdk.v2.ontologies.errors import InvalidQueryParameterValuefrom foundry_sdk.v2.ontologies.errors import InvalidRangeQueryfrom foundry_sdk.v2.ontologies.errors import InvalidSortOrderfrom foundry_sdk.v2.ontologies.errors import InvalidSortTypefrom foundry_sdk.v2.ontologies.errors import InvalidTransactionEditPropertyValuefrom foundry_sdk.v2.ontologies.errors import InvalidUserIdfrom foundry_sdk.v2.ontologies.errors import InvalidVectorDimensionfrom foundry_sdk.v2.ontologies.errors import LinkAlreadyExistsfrom foundry_sdk.v2.ontologies.errors import LinkedObjectNotFoundfrom foundry_sdk.v2.ontologies.errors import LinkTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import LoadObjectSetLinksNotSupportedfrom foundry_sdk.v2.ontologies.errors import MalformedPropertyFiltersfrom foundry_sdk.v2.ontologies.errors import MarketplaceActionMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceInstallationNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceLinkMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceObjectMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceQueryMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkActionMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkInstallationNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkLinkMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkObjectMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkPropertyMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MarketplaceSdkQueryMappingNotFoundfrom foundry_sdk.v2.ontologies.errors import MissingParameterfrom foundry_sdk.v2.ontologies.errors import MultipleGroupByOnFieldNotSupportedfrom foundry_sdk.v2.ontologies.errors import MultiplePropertyValuesNotSupportedfrom foundry_sdk.v2.ontologies.errors import NotCipherFormattedfrom foundry_sdk.v2.ontologies.errors import ObjectAlreadyExistsfrom foundry_sdk.v2.ontologies.errors import ObjectChangedfrom foundry_sdk.v2.ontologies.errors import ObjectNotFoundfrom foundry_sdk.v2.ontologies.errors import ObjectSetNotFoundfrom foundry_sdk.v2.ontologies.errors import ObjectsExceededLimitfrom foundry_sdk.v2.ontologies.errors import ObjectsModifiedConcurrentlyfrom foundry_sdk.v2.ontologies.errors import ObjectTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import ObjectTypeNotSyncedfrom foundry_sdk.v2.ontologies.errors import ObjectTypesNotSyncedfrom foundry_sdk.v2.ontologies.errors import OntologyApiNameNotUniquefrom foundry_sdk.v2.ontologies.errors import OntologyEditsExceededLimitfrom foundry_sdk.v2.ontologies.errors import OntologyNotFoundfrom foundry_sdk.v2.ontologies.errors import OntologySyncingfrom foundry_sdk.v2.ontologies.errors import OntologySyncingObjectTypesfrom foundry_sdk.v2.ontologies.errors import ParameterObjectNotFoundfrom foundry_sdk.v2.ontologies.errors import ParameterObjectSetRidNotFoundfrom foundry_sdk.v2.ontologies.errors import ParametersNotFoundfrom foundry_sdk.v2.ontologies.errors import ParameterTypeNotSupportedfrom foundry_sdk.v2.ontologies.errors import ParentAttachmentPermissionDeniedfrom foundry_sdk.v2.ontologies.errors import PropertiesHaveDifferentIdsfrom foundry_sdk.v2.ontologies.errors import PropertiesNotFilterablefrom foundry_sdk.v2.ontologies.errors import PropertiesNotFoundfrom foundry_sdk.v2.ontologies.errors import PropertiesNotSearchablefrom foundry_sdk.v2.ontologies.errors import PropertiesNotSortablefrom foundry_sdk.v2.ontologies.errors import PropertyApiNameNotFoundfrom foundry_sdk.v2.ontologies.errors import PropertyBaseTypeNotSupportedfrom foundry_sdk.v2.ontologies.errors import PropertyExactMatchingNotSupportedfrom foundry_sdk.v2.ontologies.errors import PropertyFiltersNotSupportedfrom foundry_sdk.v2.ontologies.errors import PropertyNotFoundfrom foundry_sdk.v2.ontologies.errors import PropertyNotFoundOnObjectfrom foundry_sdk.v2.ontologies.errors import PropertyTypeDoesNotSupportNearestNeighborsfrom foundry_sdk.v2.ontologies.errors import PropertyTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import PropertyTypeRidNotFoundfrom foundry_sdk.v2.ontologies.errors import PropertyTypesSearchNotSupportedfrom foundry_sdk.v2.ontologies.errors import QueryEncounteredUserFacingErrorfrom foundry_sdk.v2.ontologies.errors import QueryMemoryExceededLimitfrom foundry_sdk.v2.ontologies.errors import QueryNotFoundfrom foundry_sdk.v2.ontologies.errors import QueryRuntimeErrorfrom foundry_sdk.v2.ontologies.errors import QueryTimeExceededLimitfrom foundry_sdk.v2.ontologies.errors import QueryVersionNotFoundfrom foundry_sdk.v2.ontologies.errors import RateLimitReachedfrom foundry_sdk.v2.ontologies.errors import SharedPropertiesNotFoundfrom foundry_sdk.v2.ontologies.errors import SharedPropertyTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import SimilarityThresholdOutOfRangefrom foundry_sdk.v2.ontologies.errors import TooManyNearestNeighborsRequestedfrom foundry_sdk.v2.ontologies.errors import UnauthorizedCipherOperationfrom foundry_sdk.v2.ontologies.errors import UndecryptableValuefrom foundry_sdk.v2.ontologies.errors import UniqueIdentifierLinkIdsDoNotExistInActionTypefrom foundry_sdk.v2.ontologies.errors import UnknownParameterfrom foundry_sdk.v2.ontologies.errors import UnsupportedInterfaceBasedObjectSetfrom foundry_sdk.v2.ontologies.errors import UnsupportedObjectSetfrom foundry_sdk.v2.ontologies.errors import ValueTypeNotFoundfrom foundry_sdk.v2.ontologies.errors import ViewObjectPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import BuildInputsNotFoundfrom foundry_sdk.v2.orchestration.errors import BuildInputsPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import BuildNotFoundfrom foundry_sdk.v2.orchestration.errors import BuildNotRunningfrom foundry_sdk.v2.orchestration.errors import BuildTargetsMissingJobSpecsfrom foundry_sdk.v2.orchestration.errors import BuildTargetsNotFoundfrom foundry_sdk.v2.orchestration.errors import BuildTargetsPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import BuildTargetsResolutionErrorfrom foundry_sdk.v2.orchestration.errors import BuildTargetsUpToDatefrom foundry_sdk.v2.orchestration.errors import CancelBuildPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import CreateBuildPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import CreateSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import DeleteSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import GetAffectedResourcesSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import InvalidAndTriggerfrom foundry_sdk.v2.orchestration.errors import InvalidMediaSetTriggerfrom foundry_sdk.v2.orchestration.errors import InvalidOrTriggerfrom foundry_sdk.v2.orchestration.errors import InvalidScheduleDescriptionfrom foundry_sdk.v2.orchestration.errors import InvalidScheduleNamefrom foundry_sdk.v2.orchestration.errors import InvalidTimeTriggerfrom foundry_sdk.v2.orchestration.errors import JobNotFoundfrom foundry_sdk.v2.orchestration.errors import MissingBuildTargetsfrom foundry_sdk.v2.orchestration.errors import MissingConnectingBuildInputsfrom foundry_sdk.v2.orchestration.errors import MissingTriggerfrom foundry_sdk.v2.orchestration.errors import PauseSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import ReplaceSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import RunSchedulePermissionDeniedfrom foundry_sdk.v2.orchestration.errors import ScheduleAlreadyRunningfrom foundry_sdk.v2.orchestration.errors import ScheduleNotFoundfrom foundry_sdk.v2.orchestration.errors import ScheduleTriggerResourcesNotFoundfrom foundry_sdk.v2.orchestration.errors import ScheduleTriggerResourcesPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import ScheduleVersionNotFoundfrom foundry_sdk.v2.orchestration.errors import SearchBuildsPermissionDeniedfrom foundry_sdk.v2.orchestration.errors import TargetNotSupportedfrom foundry_sdk.v2.orchestration.errors import UnpauseSchedulePermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import CancelSqlQueryPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import ExecuteSqlQueryPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import GetResultsSqlQueryPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import GetStatusSqlQueryPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import QueryCanceledfrom foundry_sdk.v2.sql_queries.errors import QueryFailedfrom foundry_sdk.v2.sql_queries.errors import QueryParseErrorfrom foundry_sdk.v2.sql_queries.errors import QueryPermissionDeniedfrom foundry_sdk.v2.sql_queries.errors import QueryRunningfrom foundry_sdk.v2.sql_queries.errors import ReadQueryInputsPermissionDeniedfrom foundry_sdk.v2.streams.errors import CannotCreateStreamingDatasetInUserFolderfrom foundry_sdk.v2.streams.errors import CannotWriteToTrashedStreamfrom foundry_sdk.v2.streams.errors import CreateStreamingDatasetPermissionDeniedfrom foundry_sdk.v2.streams.errors import CreateStreamPermissionDeniedfrom foundry_sdk.v2.streams.errors import FailedToProcessBinaryRecordfrom foundry_sdk.v2.streams.errors import InvalidStreamNoSchemafrom foundry_sdk.v2.streams.errors import InvalidStreamTypefrom foundry_sdk.v2.streams.errors import PublishBinaryRecordToStreamPermissionDeniedfrom foundry_sdk.v2.streams.errors import PublishRecordsToStreamPermissionDeniedfrom foundry_sdk.v2.streams.errors import PublishRecordToStreamPermissionDeniedfrom foundry_sdk.v2.streams.errors import RecordDoesNotMatchStreamSchemafrom foundry_sdk.v2.streams.errors import RecordTooLargefrom foundry_sdk.v2.streams.errors import ResetStreamPermissionDeniedfrom foundry_sdk.v2.streams.errors import StreamNotFoundfrom foundry_sdk.v2.streams.errors import ViewNotFoundfrom foundry_sdk.v2.third_party_applications.errors import CannotDeleteDeployedVersionfrom foundry_sdk.v2.third_party_applications.errors import DeleteVersionPermissionDeniedfrom foundry_sdk.v2.third_party_applications.errors import DeployWebsitePermissionDeniedfrom foundry_sdk.v2.third_party_applications.errors import FileCountLimitExceededfrom foundry_sdk.v2.third_party_applications.errors import FileSizeLimitExceededfrom foundry_sdk.v2.third_party_applications.errors import InvalidVersionfrom foundry_sdk.v2.third_party_applications.errors import ThirdPartyApplicationNotFoundfrom foundry_sdk.v2.third_party_applications.errors import UndeployWebsitePermissionDeniedfrom foundry_sdk.v2.third_party_applications.errors import UploadSnapshotVersionPermissionDeniedfrom foundry_sdk.v2.third_party_applications.errors import UploadVersionPermissionDeniedfrom foundry_sdk.v2.third_party_applications.errors import VersionAlreadyExistsfrom foundry_sdk.v2.third_party_applications.errors import VersionLimitExceededfrom foundry_sdk.v2.third_party_applications.errors import VersionNotFoundfrom foundry_sdk.v2.third_party_applications.errors import WebsiteNotFoundfrom foundry_sdk.v2.widgets.errors import DeleteReleasePermissionDeniedfrom foundry_sdk.v2.widgets.errors import DevModeSettingsNotFoundfrom foundry_sdk.v2.widgets.errors import DisableDevModeSettingsPermissionDeniedfrom foundry_sdk.v2.widgets.errors import EnableDevModeSettingsPermissionDeniedfrom foundry_sdk.v2.widgets.errors import FileCountLimitExceededfrom foundry_sdk.v2.widgets.errors import FileSizeLimitExceededfrom foundry_sdk.v2.widgets.errors import GetDevModeSettingsPermissionDeniedfrom foundry_sdk.v2.widgets.errors import InvalidDevModeBaseHreffrom foundry_sdk.v2.widgets.errors import InvalidDevModeEntrypointCssCountfrom foundry_sdk.v2.widgets.errors import InvalidDevModeEntrypointJsCountfrom foundry_sdk.v2.widgets.errors import InvalidDevModeFilePathfrom foundry_sdk.v2.widgets.errors import InvalidDevModeWidgetSettingsCountfrom foundry_sdk.v2.widgets.errors import InvalidEntrypointCssCountfrom foundry_sdk.v2.widgets.errors import InvalidEntrypointJsCountfrom foundry_sdk.v2.widgets.errors import InvalidEventCountfrom foundry_sdk.v2.widgets.errors import InvalidEventDisplayNamefrom foundry_sdk.v2.widgets.errors import InvalidEventIdfrom foundry_sdk.v2.widgets.errors import InvalidEventParameterfrom foundry_sdk.v2.widgets.errors import InvalidEventParameterCountfrom foundry_sdk.v2.widgets.errors import InvalidEventParameterIdfrom foundry_sdk.v2.widgets.errors import InvalidEventParameterUpdateIdfrom foundry_sdk.v2.widgets.errors import InvalidFilePathfrom foundry_sdk.v2.widgets.errors import InvalidManifestfrom foundry_sdk.v2.widgets.errors import InvalidObjectSetEventParameterTypefrom foundry_sdk.v2.widgets.errors import InvalidObjectSetParameterTypefrom foundry_sdk.v2.widgets.errors import InvalidParameterCountfrom foundry_sdk.v2.widgets.errors import InvalidParameterDisplayNamefrom foundry_sdk.v2.widgets.errors import InvalidParameterIdfrom foundry_sdk.v2.widgets.errors import InvalidPublishRepositoryfrom foundry_sdk.v2.widgets.errors import InvalidReleaseDescriptionfrom foundry_sdk.v2.widgets.errors import InvalidReleaseWidgetsCountfrom foundry_sdk.v2.widgets.errors import InvalidVersionfrom foundry_sdk.v2.widgets.errors import InvalidWidgetDescriptionfrom foundry_sdk.v2.widgets.errors import InvalidWidgetIdfrom foundry_sdk.v2.widgets.errors import InvalidWidgetNamefrom foundry_sdk.v2.widgets.errors import OntologySdkNotFoundfrom foundry_sdk.v2.widgets.errors import PauseDevModeSettingsPermissionDeniedfrom foundry_sdk.v2.widgets.errors import PublishReleasePermissionDeniedfrom foundry_sdk.v2.widgets.errors import ReleaseNotFoundfrom foundry_sdk.v2.widgets.errors import RepositoryNotFoundfrom foundry_sdk.v2.widgets.errors import SetWidgetSetDevModeSettingsByIdPermissionDeniedfrom foundry_sdk.v2.widgets.errors import SetWidgetSetDevModeSettingsPermissionDeniedfrom foundry_sdk.v2.widgets.errors import VersionAlreadyExistsfrom foundry_sdk.v2.widgets.errors import VersionLimitExceededfrom foundry_sdk.v2.widgets.errors import WidgetIdNotFoundfrom foundry_sdk.v2.widgets.errors import WidgetLimitExceededfrom foundry_sdk.v2.widgets.errors import WidgetSetNotFoundDocumentation for V1 errors
from foundry_sdk.v1.core.errors import ApiFeaturePreviewUsageOnlyfrom foundry_sdk.v1.core.errors import ApiUsageDeniedfrom foundry_sdk.v1.core.errors import FolderNotFoundfrom foundry_sdk.v1.core.errors import FoundryBranchNotFoundfrom foundry_sdk.v1.core.errors import InvalidFilePathfrom foundry_sdk.v1.core.errors import InvalidPageSizefrom foundry_sdk.v1.core.errors import InvalidPageTokenfrom foundry_sdk.v1.core.errors import InvalidParameterCombinationfrom foundry_sdk.v1.core.errors import MissingPostBodyfrom foundry_sdk.v1.core.errors import ResourceNameAlreadyExistsfrom foundry_sdk.v1.core.errors import UnknownDistanceUnitfrom foundry_sdk.v1.datasets.errors import AbortTransactionPermissionDeniedfrom foundry_sdk.v1.datasets.errors import BranchAlreadyExistsfrom foundry_sdk.v1.datasets.errors import BranchNotFoundfrom foundry_sdk.v1.datasets.errors import ColumnTypesNotSupportedfrom foundry_sdk.v1.datasets.errors import CommitTransactionPermissionDeniedfrom foundry_sdk.v1.datasets.errors import CreateBranchPermissionDeniedfrom foundry_sdk.v1.datasets.errors import CreateDatasetPermissionDeniedfrom foundry_sdk.v1.datasets.errors import CreateTransactionPermissionDeniedfrom foundry_sdk.v1.datasets.errors import DatasetNotFoundfrom foundry_sdk.v1.datasets.errors import DatasetReadNotSupportedfrom foundry_sdk.v1.datasets.errors import DeleteBranchPermissionDeniedfrom foundry_sdk.v1.datasets.errors import DeleteSchemaPermissionDeniedfrom foundry_sdk.v1.datasets.errors import FileAlreadyExistsfrom foundry_sdk.v1.datasets.errors import FileNotFoundOnBranchfrom foundry_sdk.v1.datasets.errors import FileNotFoundOnTransactionRangefrom foundry_sdk.v1.datasets.errors import InvalidBranchIdfrom foundry_sdk.v1.datasets.errors import InvalidTransactionTypefrom foundry_sdk.v1.datasets.errors import OpenTransactionAlreadyExistsfrom foundry_sdk.v1.datasets.errors import PutSchemaPermissionDeniedfrom foundry_sdk.v1.datasets.errors import ReadTablePermissionDeniedfrom foundry_sdk.v1.datasets.errors import SchemaNotFoundfrom foundry_sdk.v1.datasets.errors import TransactionNotCommittedfrom foundry_sdk.v1.datasets.errors import TransactionNotFoundfrom foundry_sdk.v1.datasets.errors import TransactionNotOpenfrom foundry_sdk.v1.datasets.errors import UploadFilePermissionDeniedfrom foundry_sdk.v1.ontologies.errors import ActionContainsDuplicateEditsfrom foundry_sdk.v1.ontologies.errors import ActionEditedPropertiesNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionEditsReadOnlyEntityfrom foundry_sdk.v1.ontologies.errors import ActionNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionParameterInterfaceTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionParameterObjectNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionParameterObjectTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import ActionValidationFailedfrom foundry_sdk.v1.ontologies.errors import AggregationAccuracyNotSupportedfrom foundry_sdk.v1.ontologies.errors import AggregationGroupCountExceededLimitfrom foundry_sdk.v1.ontologies.errors import AggregationMemoryExceededLimitfrom foundry_sdk.v1.ontologies.errors import AggregationNestedObjectSetSizeExceededLimitfrom foundry_sdk.v1.ontologies.errors import ApplyActionFailedfrom foundry_sdk.v1.ontologies.errors import AttachmentNotFoundfrom foundry_sdk.v1.ontologies.errors import AttachmentRidAlreadyExistsfrom foundry_sdk.v1.ontologies.errors import AttachmentSizeExceededLimitfrom foundry_sdk.v1.ontologies.errors import CipherChannelNotFoundfrom foundry_sdk.v1.ontologies.errors import CompositePrimaryKeyNotSupportedfrom foundry_sdk.v1.ontologies.errors import ConsistentSnapshotErrorfrom foundry_sdk.v1.ontologies.errors import DefaultAndNullGroupsNotSupportedfrom foundry_sdk.v1.ontologies.errors import DerivedPropertyApiNamesNotUniquefrom foundry_sdk.v1.ontologies.errors import DuplicateOrderByfrom foundry_sdk.v1.ontologies.errors import EditObjectPermissionDeniedfrom foundry_sdk.v1.ontologies.errors import FunctionEncounteredUserFacingErrorfrom foundry_sdk.v1.ontologies.errors import FunctionExecutionFailedfrom foundry_sdk.v1.ontologies.errors import FunctionExecutionTimedOutfrom foundry_sdk.v1.ontologies.errors import FunctionInvalidInputfrom foundry_sdk.v1.ontologies.errors import HighScaleComputationNotEnabledfrom foundry_sdk.v1.ontologies.errors import InterfaceBasedObjectSetNotSupportedfrom foundry_sdk.v1.ontologies.errors import InterfaceLinkTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import InterfacePropertiesHaveDifferentIdsfrom foundry_sdk.v1.ontologies.errors import InterfacePropertiesNotFoundfrom foundry_sdk.v1.ontologies.errors import InterfacePropertyNotFoundfrom foundry_sdk.v1.ontologies.errors import InterfaceTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import InterfaceTypesNotFoundfrom foundry_sdk.v1.ontologies.errors import InvalidAggregationOrderingfrom foundry_sdk.v1.ontologies.errors import InvalidAggregationOrderingWithNullValuesfrom foundry_sdk.v1.ontologies.errors import InvalidAggregationRangefrom foundry_sdk.v1.ontologies.errors import InvalidAggregationRangePropertyTypefrom foundry_sdk.v1.ontologies.errors import InvalidAggregationRangePropertyTypeForInterfacefrom foundry_sdk.v1.ontologies.errors import InvalidAggregationRangeValuefrom foundry_sdk.v1.ontologies.errors import InvalidAggregationRangeValueForInterfacefrom foundry_sdk.v1.ontologies.errors import InvalidApplyActionOptionCombinationfrom foundry_sdk.v1.ontologies.errors import InvalidContentLengthfrom foundry_sdk.v1.ontologies.errors import InvalidContentTypefrom foundry_sdk.v1.ontologies.errors import InvalidDerivedPropertyDefinitionfrom foundry_sdk.v1.ontologies.errors import InvalidDurationGroupByPropertyTypefrom foundry_sdk.v1.ontologies.errors import InvalidDurationGroupByPropertyTypeForInterfacefrom foundry_sdk.v1.ontologies.errors import InvalidDurationGroupByValuefrom foundry_sdk.v1.ontologies.errors import InvalidFieldsfrom foundry_sdk.v1.ontologies.errors import InvalidGroupIdfrom foundry_sdk.v1.ontologies.errors import InvalidOrderTypefrom foundry_sdk.v1.ontologies.errors import InvalidParameterValuefrom foundry_sdk.v1.ontologies.errors import InvalidPropertyFiltersCombinationfrom foundry_sdk.v1.ontologies.errors import InvalidPropertyFilterValuefrom foundry_sdk.v1.ontologies.errors import InvalidPropertyTypefrom foundry_sdk.v1.ontologies.errors import InvalidPropertyValuefrom foundry_sdk.v1.ontologies.errors import InvalidQueryOutputValuefrom foundry_sdk.v1.ontologies.errors import InvalidQueryParameterValuefrom foundry_sdk.v1.ontologies.errors import InvalidRangeQueryfrom foundry_sdk.v1.ontologies.errors import InvalidSortOrderfrom foundry_sdk.v1.ontologies.errors import InvalidSortTypefrom foundry_sdk.v1.ontologies.errors import InvalidTransactionEditPropertyValuefrom foundry_sdk.v1.ontologies.errors import InvalidUserIdfrom foundry_sdk.v1.ontologies.errors import InvalidVectorDimensionfrom foundry_sdk.v1.ontologies.errors import LinkAlreadyExistsfrom foundry_sdk.v1.ontologies.errors import LinkedObjectNotFoundfrom foundry_sdk.v1.ontologies.errors import LinkTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import LoadObjectSetLinksNotSupportedfrom foundry_sdk.v1.ontologies.errors import MalformedPropertyFiltersfrom foundry_sdk.v1.ontologies.errors import MarketplaceActionMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceInstallationNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceLinkMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceObjectMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceQueryMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkActionMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkInstallationNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkLinkMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkObjectMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkPropertyMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MarketplaceSdkQueryMappingNotFoundfrom foundry_sdk.v1.ontologies.errors import MissingParameterfrom foundry_sdk.v1.ontologies.errors import MultipleGroupByOnFieldNotSupportedfrom foundry_sdk.v1.ontologies.errors import MultiplePropertyValuesNotSupportedfrom foundry_sdk.v1.ontologies.errors import NotCipherFormattedfrom foundry_sdk.v1.ontologies.errors import ObjectAlreadyExistsfrom foundry_sdk.v1.ontologies.errors import ObjectChangedfrom foundry_sdk.v1.ontologies.errors import ObjectNotFoundfrom foundry_sdk.v1.ontologies.errors import ObjectSetNotFoundfrom foundry_sdk.v1.ontologies.errors import ObjectsExceededLimitfrom foundry_sdk.v1.ontologies.errors import ObjectsModifiedConcurrentlyfrom foundry_sdk.v1.ontologies.errors import ObjectTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import ObjectTypeNotSyncedfrom foundry_sdk.v1.ontologies.errors import ObjectTypesNotSyncedfrom foundry_sdk.v1.ontologies.errors import OntologyApiNameNotUniquefrom foundry_sdk.v1.ontologies.errors import OntologyEditsExceededLimitfrom foundry_sdk.v1.ontologies.errors import OntologyNotFoundfrom foundry_sdk.v1.ontologies.errors import OntologySyncingfrom foundry_sdk.v1.ontologies.errors import OntologySyncingObjectTypesfrom foundry_sdk.v1.ontologies.errors import ParameterObjectNotFoundfrom foundry_sdk.v1.ontologies.errors import ParameterObjectSetRidNotFoundfrom foundry_sdk.v1.ontologies.errors import ParametersNotFoundfrom foundry_sdk.v1.ontologies.errors import ParameterTypeNotSupportedfrom foundry_sdk.v1.ontologies.errors import ParentAttachmentPermissionDeniedfrom foundry_sdk.v1.ontologies.errors import PropertiesHaveDifferentIdsfrom foundry_sdk.v1.ontologies.errors import PropertiesNotFilterablefrom foundry_sdk.v1.ontologies.errors import PropertiesNotFoundfrom foundry_sdk.v1.ontologies.errors import PropertiesNotSearchablefrom foundry_sdk.v1.ontologies.errors import PropertiesNotSortablefrom foundry_sdk.v1.ontologies.errors import PropertyApiNameNotFoundfrom foundry_sdk.v1.ontologies.errors import PropertyBaseTypeNotSupportedfrom foundry_sdk.v1.ontologies.errors import PropertyExactMatchingNotSupportedfrom foundry_sdk.v1.ontologies.errors import PropertyFiltersNotSupportedfrom foundry_sdk.v1.ontologies.errors import PropertyNotFoundfrom foundry_sdk.v1.ontologies.errors import PropertyNotFoundOnObjectfrom foundry_sdk.v1.ontologies.errors import PropertyTypeDoesNotSupportNearestNeighborsfrom foundry_sdk.v1.ontologies.errors import PropertyTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import PropertyTypeRidNotFoundfrom foundry_sdk.v1.ontologies.errors import PropertyTypesSearchNotSupportedfrom foundry_sdk.v1.ontologies.errors import QueryEncounteredUserFacingErrorfrom foundry_sdk.v1.ontologies.errors import QueryMemoryExceededLimitfrom foundry_sdk.v1.ontologies.errors import QueryNotFoundfrom foundry_sdk.v1.ontologies.errors import QueryRuntimeErrorfrom foundry_sdk.v1.ontologies.errors import QueryTimeExceededLimitfrom foundry_sdk.v1.ontologies.errors import QueryVersionNotFoundfrom foundry_sdk.v1.ontologies.errors import RateLimitReachedfrom foundry_sdk.v1.ontologies.errors import SharedPropertiesNotFoundfrom foundry_sdk.v1.ontologies.errors import SharedPropertyTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import SimilarityThresholdOutOfRangefrom foundry_sdk.v1.ontologies.errors import TooManyNearestNeighborsRequestedfrom foundry_sdk.v1.ontologies.errors import UnauthorizedCipherOperationfrom foundry_sdk.v1.ontologies.errors import UndecryptableValuefrom foundry_sdk.v1.ontologies.errors import UniqueIdentifierLinkIdsDoNotExistInActionTypefrom foundry_sdk.v1.ontologies.errors import UnknownParameterfrom foundry_sdk.v1.ontologies.errors import UnsupportedInterfaceBasedObjectSetfrom foundry_sdk.v1.ontologies.errors import UnsupportedObjectSetfrom foundry_sdk.v1.ontologies.errors import ValueTypeNotFoundfrom foundry_sdk.v1.ontologies.errors import ViewObjectPermissionDeniedContributions
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.