diff --git a/abacusai/__init__.py b/abacusai/__init__.py
index d37a434b..ceada967 100644
--- a/abacusai/__init__.py
+++ b/abacusai/__init__.py
@@ -26,6 +26,7 @@
from .categorical_range_violation import CategoricalRangeViolation
from .chat_message import ChatMessage
from .chat_session import ChatSession
+from .chatllm_computer import ChatllmComputer
from .chatllm_referral_invite import ChatllmReferralInvite
from .client import AgentResponse, ApiClient, ApiException, ClientOptions, ReadOnlyClient, _request_context
from .code_autocomplete_response import CodeAutocompleteResponse
@@ -225,4 +226,4 @@
from .workflow_node_template import WorkflowNodeTemplate
-__version__ = "1.4.21"
+__version__ = "1.4.22"
diff --git a/abacusai/api_class/ai_agents.py b/abacusai/api_class/ai_agents.py
index 2d5f81c1..3235456f 100644
--- a/abacusai/api_class/ai_agents.py
+++ b/abacusai/api_class/ai_agents.py
@@ -1,6 +1,6 @@
import ast
import dataclasses
-from typing import Any, Dict, List, Union
+from typing import Dict, List, Union
from . import enums
from .abstract import ApiClass, get_clean_function_source_code_for_agent, validate_constructor_arg_types
@@ -55,7 +55,7 @@ class WorkflowNodeInputMapping(ApiClass):
Args:
name (str): The name of the input variable of the node function.
- variable_type (WorkflowNodeInputType): The type of the input.
+ variable_type (Union[WorkflowNodeInputType, str]): The type of the input. If the type is `IGNORE`, the input will be ignored.
variable_source (str): The name of the node this variable is sourced from.
If the type is `WORKFLOW_VARIABLE`, the value given by the source node will be directly used.
If the type is `USER_INPUT`, the value given by the source node will be used as the default initial value before the user edits it.
@@ -67,7 +67,12 @@ class WorkflowNodeInputMapping(ApiClass):
variable_source: str = dataclasses.field(default=None)
source_prop: str = dataclasses.field(default=None)
is_required: bool = dataclasses.field(default=True)
- default_value: Any = dataclasses.field(default=None)
+
+ def __post_init__(self):
+ if self.variable_type == enums.WorkflowNodeInputType.IGNORE and self.is_required:
+ raise ValueError('input_mapping', 'Invalid input mapping. The variable type cannot be IGNORE if is_required is True.')
+ if isinstance(self.variable_type, str):
+ self.variable_type = enums.WorkflowNodeInputType(self.variable_type)
def to_dict(self):
return {
@@ -76,7 +81,6 @@ def to_dict(self):
'variable_source': self.variable_source,
'source_prop': self.source_prop or self.name,
'is_required': self.is_required,
- 'default_value': self.default_value
}
@classmethod
@@ -90,7 +94,6 @@ def from_dict(cls, mapping: dict):
variable_source=mapping.get('variable_source'),
source_prop=mapping.get('source_prop') or mapping['name'] if mapping.get('variable_source') else None,
is_required=mapping.get('is_required', True),
- default_value=mapping.get('default_value')
)
@@ -219,6 +222,30 @@ def from_dict(cls, schema: dict):
)
+@validate_constructor_arg_types('trigger_config')
+@dataclasses.dataclass
+class TriggerConfig(ApiClass):
+ """
+ Represents the configuration for a trigger workflow node.
+
+ Args:
+ sleep_time (int): The time in seconds to wait before the node gets executed again.
+ """
+ sleep_time: int = dataclasses.field(default=None)
+
+ def to_dict(self):
+ return {
+ 'sleep_time': self.sleep_time
+ }
+
+ @classmethod
+ def from_dict(cls, configs: dict):
+ validate_input_dict_param(configs, friendly_class_name='trigger_config')
+ return cls(
+ sleep_time=configs.get('sleep_time', None)
+ )
+
+
@validate_constructor_arg_types('workflow_graph_node')
@dataclasses.dataclass
class WorkflowGraphNode(ApiClass):
@@ -236,10 +263,12 @@ class WorkflowGraphNode(ApiClass):
Additional Attributes:
function_name (str): The name of the function.
source_code (str): The source code of the function.
+ trigger_config (TriggerConfig): The configuration for a trigger workflow node.
"""
- def __init__(self, name: str, input_mappings: Union[Dict[str, WorkflowNodeInputMapping], List[WorkflowNodeInputMapping]] = None, output_mappings: Union[List[str], Dict[str, str], List[WorkflowNodeOutputMapping]] = None, function: callable = None, function_name: str = None, source_code: str = None, input_schema: Union[List[str], WorkflowNodeInputSchema] = None, output_schema: Union[List[str], WorkflowNodeOutputSchema] = None, template_metadata: dict = None):
+ def __init__(self, name: str, input_mappings: Union[Dict[str, WorkflowNodeInputMapping], List[WorkflowNodeInputMapping]] = None, output_mappings: Union[List[str], Dict[str, str], List[WorkflowNodeOutputMapping]] = None, function: callable = None, function_name: str = None, source_code: str = None, input_schema: Union[List[str], WorkflowNodeInputSchema] = None, output_schema: Union[List[str], WorkflowNodeOutputSchema] = None, template_metadata: dict = None, trigger_config: TriggerConfig = None):
self.template_metadata = template_metadata
+ self.trigger_config = trigger_config
if self.template_metadata and not self.template_metadata.get('initialized'):
self.name = name
self.function_name = None
@@ -286,14 +315,14 @@ def __init__(self, name: str, input_mappings: Union[Dict[str, WorkflowNodeInputM
raise ValueError('workflow_graph_node', f'Invalid input mapping. Argument "{input_name}" not found in function "{self.function_name}".')
for arg, default in arg_defaults.items():
if arg not in input_mapping_args:
- self.input_mappings.append(WorkflowNodeInputMapping(name=arg, variable_type=enums.WorkflowNodeInputType.USER_INPUT, is_required=default is None, default_value=default.value if default else None))
+ self.input_mappings.append(WorkflowNodeInputMapping(name=arg, variable_type=enums.WorkflowNodeInputType.USER_INPUT, is_required=default is None))
elif isinstance(input_mappings, Dict) and all(isinstance(key, str) and isinstance(value, WorkflowNodeInputMapping) for key, value in input_mappings.items()):
is_shortform_input_mappings = True
- self.input_mappings = [WorkflowNodeInputMapping(name=arg, variable_type=enums.WorkflowNodeInputType.USER_INPUT, is_required=default is None, default_value=default.value if default else None) for arg, default in arg_defaults.items() if arg not in input_mappings]
+ self.input_mappings = [WorkflowNodeInputMapping(name=arg, variable_type=enums.WorkflowNodeInputType.USER_INPUT, is_required=default is None) for arg, default in arg_defaults.items() if arg not in input_mappings]
for key, value in input_mappings.items():
if key not in arg_defaults:
raise ValueError('workflow_graph_node', f'Invalid input mapping. Argument "{key}" not found in function "{self.function_name}".')
- self.input_mappings.append(WorkflowNodeInputMapping(name=key, variable_type=value.variable_type, variable_source=value.variable_source, source_prop=value.source_prop, is_required=arg_defaults.get(key) is None, default_value=value.default_value))
+ self.input_mappings.append(WorkflowNodeInputMapping(name=key, variable_type=value.variable_type, variable_source=value.variable_source, source_prop=value.source_prop, is_required=arg_defaults.get(key) is None))
else:
raise ValueError('workflow_graph_node', 'Invalid input mappings. Must be a list of WorkflowNodeInputMapping or a dictionary of input mappings in the form {arg_name: node_name.outputs.prop_name}.')
@@ -336,8 +365,8 @@ def __init__(self, name: str, input_mappings: Union[Dict[str, WorkflowNodeInputM
raise ValueError('workflow_graph_node', 'Invalid output schema. Must be a WorkflowNodeOutputSchema or a list of output section names.')
@classmethod
- def _raw_init(cls, name: str, input_mappings: List[WorkflowNodeInputMapping] = None, output_mappings: List[WorkflowNodeOutputMapping] = None, function: callable = None, function_name: str = None, source_code: str = None, input_schema: WorkflowNodeInputSchema = None, output_schema: WorkflowNodeOutputSchema = None, template_metadata: dict = None):
- workflow_node = cls.__new__(cls, name, input_mappings, output_mappings, input_schema, output_schema, template_metadata)
+ def _raw_init(cls, name: str, input_mappings: List[WorkflowNodeInputMapping] = None, output_mappings: List[WorkflowNodeOutputMapping] = None, function: callable = None, function_name: str = None, source_code: str = None, input_schema: WorkflowNodeInputSchema = None, output_schema: WorkflowNodeOutputSchema = None, template_metadata: dict = None, trigger_config: TriggerConfig = None):
+ workflow_node = cls.__new__(cls, name, input_mappings, output_mappings, input_schema, output_schema, template_metadata, trigger_config)
workflow_node.name = name
if function:
workflow_node.function = function
@@ -353,6 +382,7 @@ def _raw_init(cls, name: str, input_mappings: List[WorkflowNodeInputMapping] = N
workflow_node.input_schema = input_schema
workflow_node.output_schema = output_schema
workflow_node.template_metadata = template_metadata
+ workflow_node.trigger_config = trigger_config
return workflow_node
@classmethod
@@ -362,7 +392,7 @@ def from_template(cls, template_name: str, name: str, configs: dict = None, inpu
if isinstance(input_mappings, List) and all(isinstance(input, WorkflowNodeInputMapping) for input in input_mappings):
instance_input_mappings = input_mappings
elif isinstance(input_mappings, Dict) and all(isinstance(key, str) and isinstance(value, WorkflowNodeInputMapping) for key, value in input_mappings.items()):
- instance_input_mappings = [WorkflowNodeInputMapping(name=arg, variable_type=mapping.variable_type, variable_source=mapping.variable_source, source_prop=mapping.source_prop, is_required=mapping.is_required, default_value=mapping.default_value) for arg, mapping in input_mappings]
+ instance_input_mappings = [WorkflowNodeInputMapping(name=arg, variable_type=mapping.variable_type, variable_source=mapping.variable_source, source_prop=mapping.source_prop, is_required=mapping.is_required) for arg, mapping in input_mappings]
elif input_mappings is None:
instance_input_mappings = []
else:
@@ -410,13 +440,17 @@ def to_dict(self):
'output_mappings': [mapping.to_dict() for mapping in self.output_mappings],
'input_schema': self.input_schema.to_dict(),
'output_schema': self.output_schema.to_dict(),
- 'template_metadata': self.template_metadata
+ 'template_metadata': self.template_metadata,
+ 'trigger_config': self.trigger_config.to_dict() if self.trigger_config else None
}
@classmethod
def from_dict(cls, node: dict):
validate_input_dict_param(node, friendly_class_name='workflow_graph_node', must_contain=['name', 'function_name', 'source_code'])
_cls = cls._raw_init if node.get('__return_filter') else cls
+ if node.get('template_metadata') and node.get('template_metadata').get('template_type') == 'trigger':
+ if not node.get('trigger_config'):
+ node['trigger_config'] = {'sleep_time': node.get('template_metadata').get('sleep_time')}
instance = _cls(
name=node['name'],
function_name=node['function_name'],
@@ -425,7 +459,8 @@ def from_dict(cls, node: dict):
output_mappings=[WorkflowNodeOutputMapping.from_dict(mapping) for mapping in node.get('output_mappings', [])],
input_schema=WorkflowNodeInputSchema.from_dict(node.get('input_schema', {})),
output_schema=WorkflowNodeOutputSchema.from_dict(node.get('output_schema', {})),
- template_metadata=node.get('template_metadata')
+ template_metadata=node.get('template_metadata'),
+ trigger_config=TriggerConfig.from_dict(node.get('trigger_config')) if node.get('trigger_config') else None
)
return instance
diff --git a/abacusai/api_class/dataset.py b/abacusai/api_class/dataset.py
index fdec3788..d9f53182 100644
--- a/abacusai/api_class/dataset.py
+++ b/abacusai/api_class/dataset.py
@@ -59,8 +59,11 @@ class DocumentProcessingConfig(ApiClass):
def __post_init__(self):
self.ocr_mode = self._detect_ocr_mode()
- if self.document_type is not None and DocumentType.is_ocr_forced(self.document_type):
- self.highlight_relevant_text = True
+ if self.document_type is not None:
+ if DocumentType.is_ocr_forced(self.document_type):
+ self.highlight_relevant_text = True
+ else:
+ self.highlight_relevant_text = False
if self.highlight_relevant_text is not None:
self.extract_bounding_boxes = self.highlight_relevant_text # Highlight_relevant text acts as a wrapper over extract_bounding_boxes
diff --git a/abacusai/api_class/dataset_application_connector.py b/abacusai/api_class/dataset_application_connector.py
index 3af8b4a0..3881f067 100644
--- a/abacusai/api_class/dataset_application_connector.py
+++ b/abacusai/api_class/dataset_application_connector.py
@@ -44,6 +44,19 @@ def __post_init__(self):
self.application_connector_type = enums.ApplicationConnectorType.CONFLUENCE
+@dataclasses.dataclass
+class BoxDatasetConfig(ApplicationConnectorDatasetConfig):
+ """
+ Dataset config for Box Application Connector
+ Args:
+ location (str): The regex location of the files to fetch
+ """
+ location: str = dataclasses.field(default=None)
+
+ def __post_init__(self):
+ self.application_connector_type = enums.ApplicationConnectorType.BOX
+
+
@dataclasses.dataclass
class GoogleAnalyticsDatasetConfig(ApplicationConnectorDatasetConfig):
"""
@@ -217,4 +230,5 @@ class _ApplicationConnectorDatasetConfigFactory(_ApiClassFactory):
enums.ApplicationConnectorType.ABACUSUSAGEMETRICS: AbacusUsageMetricsDatasetConfig,
enums.ApplicationConnectorType.FRESHSERVICE: FreshserviceDatasetConfig,
enums.ApplicationConnectorType.TEAMSSCRAPER: TeamsScraperDatasetConfig,
+ enums.ApplicationConnectorType.BOX: BoxDatasetConfig,
}
diff --git a/abacusai/api_class/enums.py b/abacusai/api_class/enums.py
index beb9e97d..86690ace 100644
--- a/abacusai/api_class/enums.py
+++ b/abacusai/api_class/enums.py
@@ -411,6 +411,7 @@ class ApplicationConnectorType(ApiEnum):
TEAMSSCRAPER = 'TEAMSSCRAPER'
GITHUBUSER = 'GITHUBUSER'
OKTASAML = 'OKTASAML'
+ BOX = 'BOX'
class StreamingConnectorType(ApiEnum):
@@ -482,6 +483,7 @@ class LLMName(ApiEnum):
ABACUS_SMAUG3 = 'ABACUS_SMAUG3'
ABACUS_DRACARYS = 'ABACUS_DRACARYS'
QWEN_2_5_32B = 'QWEN_2_5_32B'
+ QWQ_32B = 'QWQ_32B'
GEMINI_1_5_FLASH = 'GEMINI_1_5_FLASH'
XAI_GROK = 'XAI_GROK'
@@ -549,6 +551,7 @@ class WorkflowNodeInputType(ApiEnum):
# Duplicated in reainternal.enums, both should be kept in sync
USER_INPUT = 'USER_INPUT'
WORKFLOW_VARIABLE = 'WORKFLOW_VARIABLE'
+ IGNORE = 'IGNORE'
class WorkflowNodeOutputType(ApiEnum):
diff --git a/abacusai/api_class/model.py b/abacusai/api_class/model.py
index ee33063d..ed250d7c 100644
--- a/abacusai/api_class/model.py
+++ b/abacusai/api_class/model.py
@@ -681,6 +681,7 @@ class TimeseriesAnomalyTrainingConfig(TrainingConfig):
anomaly_type (TimeseriesAnomalyTypeOfAnomaly): select what kind of peaks to detect as anomalies
hyperparameter_calculation_with_heuristics (TimeseriesAnomalyUseHeuristic): Enable heuristic calculation to get hyperparameters for the model
threshold_score (float): Threshold score for anomaly detection
+ additional_anomaly_ids (List[str]): List of categorical columns that can act as multi-identifier
"""
type_of_split: enums.TimeseriesAnomalyDataSplitType = dataclasses.field(default=None)
test_start: str = dataclasses.field(default=None)
@@ -692,6 +693,7 @@ class TimeseriesAnomalyTrainingConfig(TrainingConfig):
anomaly_type: enums.TimeseriesAnomalyTypeOfAnomaly = dataclasses.field(default=None)
hyperparameter_calculation_with_heuristics: enums.TimeseriesAnomalyUseHeuristic = dataclasses.field(default=None)
threshold_score: float = dataclasses.field(default=None)
+ additional_anomaly_ids: List[str] = dataclasses.field(default=None)
def __post_init__(self):
self.problem_type = enums.ProblemType.TS_ANOMALY
diff --git a/abacusai/chatllm_computer.py b/abacusai/chatllm_computer.py
new file mode 100644
index 00000000..7b2f7945
--- /dev/null
+++ b/abacusai/chatllm_computer.py
@@ -0,0 +1,39 @@
+from .return_class import AbstractApiClass
+
+
+class ChatllmComputer(AbstractApiClass):
+ """
+ ChatLLMComputer
+
+ Args:
+ client (ApiClient): An authenticated API Client instance
+ computerId (int): The computer id.
+ token (str): The token.
+ vncEndpoint (str): The VNC endpoint.
+ """
+
+ def __init__(self, client, computerId=None, token=None, vncEndpoint=None):
+ super().__init__(client, None)
+ self.computer_id = computerId
+ self.token = token
+ self.vnc_endpoint = vncEndpoint
+ self.deprecated_keys = {}
+
+ def __repr__(self):
+ repr_dict = {f'computer_id': repr(self.computer_id), f'token': repr(
+ self.token), f'vnc_endpoint': repr(self.vnc_endpoint)}
+ class_name = "ChatllmComputer"
+ repr_str = ',\n '.join([f'{key}={value}' for key, value in repr_dict.items(
+ ) if getattr(self, key, None) is not None and key not in self.deprecated_keys])
+ return f"{class_name}({repr_str})"
+
+ def to_dict(self):
+ """
+ Get a dict representation of the parameters in this class
+
+ Returns:
+ dict: The dict value representation of the class parameters
+ """
+ resp = {'computer_id': self.computer_id,
+ 'token': self.token, 'vnc_endpoint': self.vnc_endpoint}
+ return {key: value for key, value in resp.items() if value is not None and key not in self.deprecated_keys}
diff --git a/abacusai/client.py b/abacusai/client.py
index 2264d3c4..f22aa940 100644
--- a/abacusai/client.py
+++ b/abacusai/client.py
@@ -300,14 +300,6 @@ def to_dict(self):
result[k] = v
return result
- def __getattr__(self, item):
- for section_data in self.section_data_list:
- for k, v in section_data.items():
- if k == item:
- return v
- raise AttributeError(
- f"'{self.__class__.__name__}' object has no attribute '{item}'")
-
class ClientOptions:
"""
@@ -641,7 +633,7 @@ class BaseApiClient:
client_options (ClientOptions): Optional API client configurations
skip_version_check (bool): If true, will skip checking the server's current API version on initializing the client
"""
- client_version = '1.4.21'
+ client_version = '1.4.22'
def __init__(self, api_key: str = None, server: str = None, client_options: ClientOptions = None, skip_version_check: bool = False, include_tb: bool = False):
self.api_key = api_key
@@ -7592,19 +7584,18 @@ def execute_agent_with_binary_data(self, deployment_token: str, deployment_id: s
deployment_id, deployment_token) if deployment_token else None
return self._call_api('executeAgentWithBinaryData', 'POST', query_params={'deploymentToken': deployment_token, 'deploymentId': deployment_id}, data={'arguments': json.dumps(arguments) if (arguments is not None and not isinstance(arguments, str)) else arguments, 'keywordArguments': json.dumps(keyword_arguments) if (keyword_arguments is not None and not isinstance(keyword_arguments, str)) else keyword_arguments, 'deploymentConversationId': json.dumps(deployment_conversation_id) if (deployment_conversation_id is not None and not isinstance(deployment_conversation_id, str)) else deployment_conversation_id, 'externalSessionId': json.dumps(external_session_id) if (external_session_id is not None and not isinstance(external_session_id, str)) else external_session_id}, parse_type=AgentDataExecutionResult, files=blobs, server_override=prediction_url, timeout=1500)
- def start_autonomous_agent(self, deployment_token: str, deployment_id: str, deployment_conversation_id: str = None, arguments: list = None, keyword_arguments: dict = None, save_conversations: bool = True) -> Dict:
+ def start_autonomous_agent(self, deployment_token: str, deployment_id: str, arguments: list = None, keyword_arguments: dict = None, save_conversations: bool = True) -> Dict:
"""Starts a deployed Autonomous agent associated with the given deployment_conversation_id using the arguments and keyword arguments as inputs for execute function of trigger node.
Args:
deployment_token (str): The deployment token used to authenticate access to created deployments. This token is only authorized to predict on deployments in this project, making it safe to embed this model in an application or website.
deployment_id (str): A unique string identifier for the deployment created under the project.
- deployment_conversation_id (str): A unique string identifier for the deployment conversation used for the conversation.
arguments (list): Positional arguments to the agent execute function.
keyword_arguments (dict): A dictionary where each 'key' represents the parameter name and its corresponding 'value' represents the value of that parameter for the agent execute function.
save_conversations (bool): If true then a new conversation will be created for every run of the workflow associated with the agent."""
prediction_url = self._get_prediction_endpoint(
deployment_id, deployment_token) if deployment_token else None
- return self._call_api('startAutonomousAgent', 'POST', query_params={'deploymentToken': deployment_token, 'deploymentId': deployment_id}, body={'deploymentConversationId': deployment_conversation_id, 'arguments': arguments, 'keywordArguments': keyword_arguments, 'saveConversations': save_conversations}, server_override=prediction_url, timeout=1500)
+ return self._call_api('startAutonomousAgent', 'POST', query_params={'deploymentToken': deployment_token, 'deploymentId': deployment_id}, body={'arguments': arguments, 'keywordArguments': keyword_arguments, 'saveConversations': save_conversations}, server_override=prediction_url, timeout=1500)
def pause_autonomous_agent(self, deployment_token: str, deployment_id: str, deployment_conversation_id: str) -> Dict:
"""Pauses a deployed Autonomous agent associated with the given deployment_conversation_id.
diff --git a/abacusai/external_application.py b/abacusai/external_application.py
index 23d45dea..365b59df 100644
--- a/abacusai/external_application.py
+++ b/abacusai/external_application.py
@@ -23,9 +23,10 @@ class ExternalApplication(AbstractApiClass):
isSystemCreated (bool): Whether the external application is system created.
isCustomizable (bool): Whether the external application is customizable.
isDeprecated (bool): Whether the external application is deprecated. Only applicable for system created bots. Deprecated external applications will not show in the UI.
+ isVisible (bool): Whether the external application should be shown in the dropdown.
"""
- def __init__(self, client, name=None, externalApplicationId=None, deploymentId=None, description=None, logo=None, theme=None, userGroupIds=None, useCase=None, isAgent=None, status=None, deploymentConversationRetentionHours=None, managedUserService=None, predictionOverrides=None, isSystemCreated=None, isCustomizable=None, isDeprecated=None):
+ def __init__(self, client, name=None, externalApplicationId=None, deploymentId=None, description=None, logo=None, theme=None, userGroupIds=None, useCase=None, isAgent=None, status=None, deploymentConversationRetentionHours=None, managedUserService=None, predictionOverrides=None, isSystemCreated=None, isCustomizable=None, isDeprecated=None, isVisible=None):
super().__init__(client, externalApplicationId)
self.name = name
self.external_application_id = externalApplicationId
@@ -43,11 +44,12 @@ def __init__(self, client, name=None, externalApplicationId=None, deploymentId=N
self.is_system_created = isSystemCreated
self.is_customizable = isCustomizable
self.is_deprecated = isDeprecated
+ self.is_visible = isVisible
self.deprecated_keys = {}
def __repr__(self):
repr_dict = {f'name': repr(self.name), f'external_application_id': repr(self.external_application_id), f'deployment_id': repr(self.deployment_id), f'description': repr(self.description), f'logo': repr(self.logo), f'theme': repr(self.theme), f'user_group_ids': repr(self.user_group_ids), f'use_case': repr(self.use_case), f'is_agent': repr(self.is_agent), f'status': repr(
- self.status), f'deployment_conversation_retention_hours': repr(self.deployment_conversation_retention_hours), f'managed_user_service': repr(self.managed_user_service), f'prediction_overrides': repr(self.prediction_overrides), f'is_system_created': repr(self.is_system_created), f'is_customizable': repr(self.is_customizable), f'is_deprecated': repr(self.is_deprecated)}
+ self.status), f'deployment_conversation_retention_hours': repr(self.deployment_conversation_retention_hours), f'managed_user_service': repr(self.managed_user_service), f'prediction_overrides': repr(self.prediction_overrides), f'is_system_created': repr(self.is_system_created), f'is_customizable': repr(self.is_customizable), f'is_deprecated': repr(self.is_deprecated), f'is_visible': repr(self.is_visible)}
class_name = "ExternalApplication"
repr_str = ',\n '.join([f'{key}={value}' for key, value in repr_dict.items(
) if getattr(self, key, None) is not None and key not in self.deprecated_keys])
@@ -61,7 +63,7 @@ def to_dict(self):
dict: The dict value representation of the class parameters
"""
resp = {'name': self.name, 'external_application_id': self.external_application_id, 'deployment_id': self.deployment_id, 'description': self.description, 'logo': self.logo, 'theme': self.theme, 'user_group_ids': self.user_group_ids, 'use_case': self.use_case, 'is_agent': self.is_agent, 'status': self.status,
- 'deployment_conversation_retention_hours': self.deployment_conversation_retention_hours, 'managed_user_service': self.managed_user_service, 'prediction_overrides': self.prediction_overrides, 'is_system_created': self.is_system_created, 'is_customizable': self.is_customizable, 'is_deprecated': self.is_deprecated}
+ 'deployment_conversation_retention_hours': self.deployment_conversation_retention_hours, 'managed_user_service': self.managed_user_service, 'prediction_overrides': self.prediction_overrides, 'is_system_created': self.is_system_created, 'is_customizable': self.is_customizable, 'is_deprecated': self.is_deprecated, 'is_visible': self.is_visible}
return {key: value for key, value in resp.items() if value is not None and key not in self.deprecated_keys}
def update(self, name: str = None, description: str = None, theme: dict = None, deployment_id: str = None, deployment_conversation_retention_hours: int = None, reset_retention_policy: bool = False):
diff --git a/abacusai/prediction_client.py b/abacusai/prediction_client.py
index c4a7d838..03961c9b 100644
--- a/abacusai/prediction_client.py
+++ b/abacusai/prediction_client.py
@@ -761,19 +761,18 @@ def execute_agent_with_binary_data(self, deployment_token: str, deployment_id: s
deployment_id, deployment_token) if deployment_token else None
return self._call_api('executeAgentWithBinaryData', 'POST', query_params={'deploymentToken': deployment_token, 'deploymentId': deployment_id}, data={'arguments': json.dumps(arguments) if (arguments is not None and not isinstance(arguments, str)) else arguments, 'keywordArguments': json.dumps(keyword_arguments) if (keyword_arguments is not None and not isinstance(keyword_arguments, str)) else keyword_arguments, 'deploymentConversationId': json.dumps(deployment_conversation_id) if (deployment_conversation_id is not None and not isinstance(deployment_conversation_id, str)) else deployment_conversation_id, 'externalSessionId': json.dumps(external_session_id) if (external_session_id is not None and not isinstance(external_session_id, str)) else external_session_id}, parse_type=AgentDataExecutionResult, files=blobs, server_override=prediction_url, timeout=1500)
- def start_autonomous_agent(self, deployment_token: str, deployment_id: str, deployment_conversation_id: str = None, arguments: list = None, keyword_arguments: dict = None, save_conversations: bool = True) -> Dict:
+ def start_autonomous_agent(self, deployment_token: str, deployment_id: str, arguments: list = None, keyword_arguments: dict = None, save_conversations: bool = True) -> Dict:
"""Starts a deployed Autonomous agent associated with the given deployment_conversation_id using the arguments and keyword arguments as inputs for execute function of trigger node.
Args:
deployment_token (str): The deployment token used to authenticate access to created deployments. This token is only authorized to predict on deployments in this project, making it safe to embed this model in an application or website.
deployment_id (str): A unique string identifier for the deployment created under the project.
- deployment_conversation_id (str): A unique string identifier for the deployment conversation used for the conversation.
arguments (list): Positional arguments to the agent execute function.
keyword_arguments (dict): A dictionary where each 'key' represents the parameter name and its corresponding 'value' represents the value of that parameter for the agent execute function.
save_conversations (bool): If true then a new conversation will be created for every run of the workflow associated with the agent."""
prediction_url = self._get_prediction_endpoint(
deployment_id, deployment_token) if deployment_token else None
- return self._call_api('startAutonomousAgent', 'POST', query_params={'deploymentToken': deployment_token, 'deploymentId': deployment_id}, body={'deploymentConversationId': deployment_conversation_id, 'arguments': arguments, 'keywordArguments': keyword_arguments, 'saveConversations': save_conversations}, server_override=prediction_url, timeout=1500)
+ return self._call_api('startAutonomousAgent', 'POST', query_params={'deploymentToken': deployment_token, 'deploymentId': deployment_id}, body={'arguments': arguments, 'keywordArguments': keyword_arguments, 'saveConversations': save_conversations}, server_override=prediction_url, timeout=1500)
def pause_autonomous_agent(self, deployment_token: str, deployment_id: str, deployment_conversation_id: str) -> Dict:
"""Pauses a deployed Autonomous agent associated with the given deployment_conversation_id.
diff --git a/docs/_sources/autoapi/abacusai/abacus_api/index.rst.txt b/docs/_sources/autoapi/abacusai/abacus_api/index.rst.txt
index 17c42515..2bb6a1cb 100644
--- a/docs/_sources/autoapi/abacusai/abacus_api/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/abacus_api/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: method
+ :value: None
+
.. py:attribute:: docstring
+ :value: None
+
.. py:attribute:: score
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/address/index.rst.txt b/docs/_sources/autoapi/abacusai/address/index.rst.txt
index a7585872..5a46d611 100644
--- a/docs/_sources/autoapi/abacusai/address/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/address/index.rst.txt
@@ -41,24 +41,38 @@ Module Contents
.. py:attribute:: address_line_1
+ :value: None
+
.. py:attribute:: address_line_2
+ :value: None
+
.. py:attribute:: city
+ :value: None
+
.. py:attribute:: state_or_province
+ :value: None
+
.. py:attribute:: postal_code
+ :value: None
+
.. py:attribute:: country
+ :value: None
+
.. py:attribute:: additional_info
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/agent/index.rst.txt b/docs/_sources/autoapi/abacusai/agent/index.rst.txt
index 9b7b0570..97b999b9 100644
--- a/docs/_sources/autoapi/abacusai/agent/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/agent/index.rst.txt
@@ -57,36 +57,58 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: agent_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: predict_function_name
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: agent_config
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: training_required
+ :value: None
+
.. py:attribute:: agent_execution_config
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/agent_chat_message/index.rst.txt b/docs/_sources/autoapi/abacusai/agent_chat_message/index.rst.txt
index 0bd42606..53743d47 100644
--- a/docs/_sources/autoapi/abacusai/agent_chat_message/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/agent_chat_message/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: role
+ :value: None
+
.. py:attribute:: text
+ :value: None
+
.. py:attribute:: doc_ids
+ :value: None
+
.. py:attribute:: keyword_arguments
+ :value: None
+
.. py:attribute:: segments
+ :value: None
+
.. py:attribute:: streamed_data
+ :value: None
+
.. py:attribute:: streamed_section_data
+ :value: None
+
.. py:attribute:: agent_workflow_node_id
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/agent_data_document_info/index.rst.txt b/docs/_sources/autoapi/abacusai/agent_data_document_info/index.rst.txt
index d6b3da5e..a380a19e 100644
--- a/docs/_sources/autoapi/abacusai/agent_data_document_info/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/agent_data_document_info/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: filename
+ :value: None
+
.. py:attribute:: mime_type
+ :value: None
+
.. py:attribute:: size
+ :value: None
+
.. py:attribute:: page_count
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/agent_data_execution_result/index.rst.txt b/docs/_sources/autoapi/abacusai/agent_data_execution_result/index.rst.txt
index bbc01b2f..5c2df8c0 100644
--- a/docs/_sources/autoapi/abacusai/agent_data_execution_result/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/agent_data_execution_result/index.rst.txt
@@ -33,9 +33,13 @@ Module Contents
.. py:attribute:: response
+ :value: None
+
.. py:attribute:: deployment_conversation_id
+ :value: None
+
.. py:attribute:: doc_infos
diff --git a/docs/_sources/autoapi/abacusai/agent_version/index.rst.txt b/docs/_sources/autoapi/abacusai/agent_version/index.rst.txt
index fc828deb..c46d7f4c 100644
--- a/docs/_sources/autoapi/abacusai/agent_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/agent_version/index.rst.txt
@@ -51,33 +51,53 @@ Module Contents
.. py:attribute:: agent_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: agent_id
+ :value: None
+
.. py:attribute:: agent_config
+ :value: None
+
.. py:attribute:: publishing_started_at
+ :value: None
+
.. py:attribute:: publishing_completed_at
+ :value: None
+
.. py:attribute:: pending_deployment_ids
+ :value: None
+
.. py:attribute:: failed_deployment_ids
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: agent_execution_config
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/ai_building_task/index.rst.txt b/docs/_sources/autoapi/abacusai/ai_building_task/index.rst.txt
index 6229b6f3..764e60cc 100644
--- a/docs/_sources/autoapi/abacusai/ai_building_task/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/ai_building_task/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: task
+ :value: None
+
.. py:attribute:: task_type
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/algorithm/index.rst.txt b/docs/_sources/autoapi/abacusai/algorithm/index.rst.txt
index ac2f2770..89fc4177 100644
--- a/docs/_sources/autoapi/abacusai/algorithm/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/algorithm/index.rst.txt
@@ -59,48 +59,78 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: problem_type
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: is_default_enabled
+ :value: None
+
.. py:attribute:: training_input_mappings
+ :value: None
+
.. py:attribute:: train_function_name
+ :value: None
+
.. py:attribute:: predict_function_name
+ :value: None
+
.. py:attribute:: predict_many_function_name
+ :value: None
+
.. py:attribute:: initialize_function_name
+ :value: None
+
.. py:attribute:: config_options
+ :value: None
+
.. py:attribute:: algorithm_id
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: algorithm_training_config
+ :value: None
+
.. py:attribute:: only_offline_deployable
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/annotation/index.rst.txt b/docs/_sources/autoapi/abacusai/annotation/index.rst.txt
index 9e7fda9f..b7f54a30 100644
--- a/docs/_sources/autoapi/abacusai/annotation/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/annotation/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: annotation_type
+ :value: None
+
.. py:attribute:: annotation_value
+ :value: None
+
.. py:attribute:: comments
+ :value: None
+
.. py:attribute:: metadata
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/annotation_config/index.rst.txt b/docs/_sources/autoapi/abacusai/annotation_config/index.rst.txt
index 61b46eb2..bd9e42c6 100644
--- a/docs/_sources/autoapi/abacusai/annotation_config/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/annotation_config/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: feature_annotation_configs
+ :value: None
+
.. py:attribute:: labels
+ :value: None
+
.. py:attribute:: status_feature
+ :value: None
+
.. py:attribute:: comments_features
+ :value: None
+
.. py:attribute:: metadata_feature
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/annotation_document/index.rst.txt b/docs/_sources/autoapi/abacusai/annotation_document/index.rst.txt
index 4857495d..7ee41cff 100644
--- a/docs/_sources/autoapi/abacusai/annotation_document/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/annotation_document/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: feature_group_row_identifier
+ :value: None
+
.. py:attribute:: feature_group_row_index
+ :value: None
+
.. py:attribute:: total_rows
+ :value: None
+
.. py:attribute:: is_annotation_present
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/annotation_entry/index.rst.txt b/docs/_sources/autoapi/abacusai/annotation_entry/index.rst.txt
index efac5c1a..50c72faa 100644
--- a/docs/_sources/autoapi/abacusai/annotation_entry/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/annotation_entry/index.rst.txt
@@ -47,30 +47,48 @@ Module Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_name
+ :value: None
+
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: feature_group_row_identifier
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: annotation_entry_marker
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: locked_until
+ :value: None
+
.. py:attribute:: verification_info
+ :value: None
+
.. py:attribute:: annotation
diff --git a/docs/_sources/autoapi/abacusai/annotations_status/index.rst.txt b/docs/_sources/autoapi/abacusai/annotations_status/index.rst.txt
index 794e8522..4fc8cadd 100644
--- a/docs/_sources/autoapi/abacusai/annotations_status/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/annotations_status/index.rst.txt
@@ -41,21 +41,33 @@ Module Contents
.. py:attribute:: total
+ :value: None
+
.. py:attribute:: done
+ :value: None
+
.. py:attribute:: in_progress
+ :value: None
+
.. py:attribute:: todo
+ :value: None
+
.. py:attribute:: latest_updated_at
+ :value: None
+
.. py:attribute:: is_materialization_needed
+ :value: None
+
.. py:attribute:: latest_materialized_annotation_config
diff --git a/docs/_sources/autoapi/abacusai/api_class/abstract/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/abstract/index.rst.txt
index 0b68fa26..e9255092 100644
--- a/docs/_sources/autoapi/abacusai/api_class/abstract/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/abstract/index.rst.txt
@@ -77,10 +77,14 @@ Module Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
diff --git a/docs/_sources/autoapi/abacusai/api_class/ai_agents/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/ai_agents/index.rst.txt
index 5cec51fb..638d2ea0 100644
--- a/docs/_sources/autoapi/abacusai/api_class/ai_agents/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/ai_agents/index.rst.txt
@@ -15,6 +15,7 @@ Classes
abacusai.api_class.ai_agents.WorkflowNodeInputSchema
abacusai.api_class.ai_agents.WorkflowNodeOutputMapping
abacusai.api_class.ai_agents.WorkflowNodeOutputSchema
+ abacusai.api_class.ai_agents.TriggerConfig
abacusai.api_class.ai_agents.WorkflowGraphNode
abacusai.api_class.ai_agents.WorkflowGraphEdge
abacusai.api_class.ai_agents.WorkflowGraph
@@ -60,10 +61,14 @@ Module Contents
.. py:attribute:: description
:type: str
+ :value: None
+
.. py:attribute:: example_extraction
:type: Union[str, int, bool, float, list, dict]
+ :value: None
+
.. py:attribute:: type
@@ -91,8 +96,8 @@ Module Contents
:param name: The name of the input variable of the node function.
:type name: str
- :param variable_type: The type of the input.
- :type variable_type: WorkflowNodeInputType
+ :param variable_type: The type of the input. If the type is `IGNORE`, the input will be ignored.
+ :type variable_type: Union[WorkflowNodeInputType, str]
:param variable_source: The name of the node this variable is sourced from.
If the type is `WORKFLOW_VARIABLE`, the value given by the source node will be directly used.
If the type is `USER_INPUT`, the value given by the source node will be used as the default initial value before the user edits it.
@@ -112,18 +117,23 @@ Module Contents
.. py:attribute:: variable_source
:type: str
+ :value: None
+
.. py:attribute:: source_prop
:type: str
+ :value: None
+
.. py:attribute:: is_required
:type: bool
+ :value: True
- .. py:attribute:: default_value
- :type: Any
+
+ .. py:method:: __post_init__()
.. py:method:: to_dict()
@@ -164,14 +174,20 @@ Module Contents
.. py:attribute:: schema_source
:type: str
+ :value: None
+
.. py:attribute:: schema_prop
:type: str
+ :value: None
+
.. py:attribute:: runtime_schema
:type: bool
+ :value: False
+
.. py:method:: to_dict()
@@ -265,7 +281,37 @@ Module Contents
-.. py:class:: WorkflowGraphNode(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None)
+.. py:class:: TriggerConfig
+
+ Bases: :py:obj:`abacusai.api_class.abstract.ApiClass`
+
+
+ Represents the configuration for a trigger workflow node.
+
+ :param sleep_time: The time in seconds to wait before the node gets executed again.
+ :type sleep_time: int
+
+
+ .. py:attribute:: sleep_time
+ :type: int
+ :value: None
+
+
+
+ .. py:method:: to_dict()
+
+ Standardizes converting an ApiClass to dictionary.
+ Keys of response dictionary are converted to camel case.
+ This also validates the fields ( type, value, etc ) received in the dictionary.
+
+
+
+ .. py:method:: from_dict(configs)
+ :classmethod:
+
+
+
+.. py:class:: WorkflowGraphNode(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None, trigger_config = None)
Bases: :py:obj:`abacusai.api_class.abstract.ApiClass`
@@ -288,12 +334,20 @@ Module Contents
Additional Attributes:
function_name (str): The name of the function.
source_code (str): The source code of the function.
+ trigger_config (TriggerConfig): The configuration for a trigger workflow node.
.. py:attribute:: template_metadata
+ :value: None
+
+
+ .. py:attribute:: trigger_config
+ :value: None
- .. py:method:: _raw_init(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None)
+
+
+ .. py:method:: _raw_init(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None, trigger_config = None)
:classmethod:
@@ -386,18 +440,26 @@ Module Contents
.. py:attribute:: nodes
:type: List[WorkflowGraphNode]
+ :value: []
+
.. py:attribute:: edges
:type: List[WorkflowGraphEdge]
+ :value: []
+
.. py:attribute:: primary_start_node
:type: Union[str, WorkflowGraphNode]
+ :value: None
+
.. py:attribute:: common_source_code
:type: str
+ :value: None
+
.. py:method:: to_dict()
@@ -430,14 +492,20 @@ Module Contents
.. py:attribute:: is_user
:type: bool
+ :value: None
+
.. py:attribute:: text
:type: str
+ :value: None
+
.. py:attribute:: document_contents
:type: dict
+ :value: None
+
.. py:method:: to_dict()
@@ -471,14 +539,20 @@ Module Contents
.. py:attribute:: description
:type: str
+ :value: None
+
.. py:attribute:: default_value
:type: str
+ :value: None
+
.. py:attribute:: is_required
:type: bool
+ :value: False
+
.. py:method:: to_dict()
@@ -515,10 +589,14 @@ Module Contents
.. py:attribute:: is_required
:type: bool
+ :value: False
+
.. py:attribute:: description
:type: str
+ :value: ''
+
.. py:method:: to_dict()
@@ -559,6 +637,8 @@ Module Contents
.. py:attribute:: description
:type: str
+ :value: ''
+
.. py:method:: to_dict()
diff --git a/docs/_sources/autoapi/abacusai/api_class/ai_chat/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/ai_chat/index.rst.txt
index 4bd7bc84..81a65167 100644
--- a/docs/_sources/autoapi/abacusai/api_class/ai_chat/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/ai_chat/index.rst.txt
@@ -34,13 +34,19 @@ Module Contents
.. py:attribute:: title
:type: str
+ :value: None
+
.. py:attribute:: disable_problem_type_context
:type: bool
+ :value: True
+
.. py:attribute:: ignore_history
:type: bool
+ :value: None
+
diff --git a/docs/_sources/autoapi/abacusai/api_class/batch_prediction/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/batch_prediction/index.rst.txt
index da71cbcc..bebc36f1 100644
--- a/docs/_sources/autoapi/abacusai/api_class/batch_prediction/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/batch_prediction/index.rst.txt
@@ -36,6 +36,8 @@ Module Contents
.. py:attribute:: _support_kwargs
:type: bool
+ :value: True
+
.. py:attribute:: kwargs
@@ -44,6 +46,8 @@ Module Contents
.. py:attribute:: problem_type
:type: abacusai.api_class.enums.ProblemType
+ :value: None
+
.. py:method:: _get_builder()
@@ -78,34 +82,50 @@ Module Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: predictions_start_date
:type: str
+ :value: None
+
.. py:attribute:: use_prediction_offset
:type: bool
+ :value: None
+
.. py:attribute:: start_date_offset
:type: int
+ :value: None
+
.. py:attribute:: forecasting_horizon
:type: int
+ :value: None
+
.. py:attribute:: item_attributes_to_include_in_the_result
:type: list
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: create_monitor
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -124,6 +144,8 @@ Module Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -148,18 +170,26 @@ Module Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: number_of_items
:type: int
+ :value: None
+
.. py:attribute:: item_attributes_to_include_in_the_result
:type: list
+ :value: None
+
.. py:attribute:: score_field
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -200,50 +230,74 @@ Module Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: abacusai.api_class.enums.ExplainerType
+ :value: None
+
.. py:attribute:: number_of_samples_to_use_for_explainer
:type: int
+ :value: None
+
.. py:attribute:: include_multi_class_explanations
:type: bool
+ :value: None
+
.. py:attribute:: features_considered_constant_for_explanations
:type: str
+ :value: None
+
.. py:attribute:: importance_of_records_in_nested_columns
:type: str
+ :value: None
+
.. py:attribute:: explanation_filter_lower_bound
:type: float
+ :value: None
+
.. py:attribute:: explanation_filter_upper_bound
:type: float
+ :value: None
+
.. py:attribute:: explanation_filter_label
:type: str
+ :value: None
+
.. py:attribute:: output_columns
:type: list
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: create_monitor
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -266,14 +320,20 @@ Module Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: files_output_location_prefix
:type: str
+ :value: None
+
.. py:attribute:: channel_id_to_label_map
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -294,10 +354,14 @@ Module Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: explode_output
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -322,18 +386,26 @@ Module Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: analysis_frequency
:type: str
+ :value: None
+
.. py:attribute:: start_date
:type: str
+ :value: None
+
.. py:attribute:: analysis_days
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -352,6 +424,8 @@ Module Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -372,10 +446,14 @@ Module Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: create_monitor
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
diff --git a/docs/_sources/autoapi/abacusai/api_class/connectors/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/connectors/index.rst.txt
index 97026793..30cba51a 100644
--- a/docs/_sources/autoapi/abacusai/api_class/connectors/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/connectors/index.rst.txt
@@ -30,6 +30,8 @@ Module Contents
.. py:attribute:: streaming_connector_type
:type: abacusai.api_class.enums.StreamingConnectorType
+ :value: None
+
.. py:method:: _get_builder()
@@ -50,6 +52,8 @@ Module Contents
.. py:attribute:: topic
:type: str
+ :value: None
+
.. py:method:: __post_init__()
diff --git a/docs/_sources/autoapi/abacusai/api_class/dataset/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/dataset/index.rst.txt
index ae203979..7df00548 100644
--- a/docs/_sources/autoapi/abacusai/api_class/dataset/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/dataset/index.rst.txt
@@ -33,6 +33,8 @@ Module Contents
.. py:attribute:: is_documentset
:type: bool
+ :value: None
+
.. py:class:: ParsingConfig
@@ -52,14 +54,20 @@ Module Contents
.. py:attribute:: escape
:type: str
+ :value: '"'
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: file_path_with_schema
:type: str
+ :value: None
+
.. py:class:: DocumentProcessingConfig
@@ -197,6 +205,8 @@ Module Contents
.. py:attribute:: timestamp_column
:type: str
+ :value: None
+
.. py:class:: AttachmentParsingConfig
@@ -216,13 +226,19 @@ Module Contents
.. py:attribute:: feature_group_name
:type: str
+ :value: None
+
.. py:attribute:: column_name
:type: str
+ :value: None
+
.. py:attribute:: urls
:type: str
+ :value: None
+
diff --git a/docs/_sources/autoapi/abacusai/api_class/dataset_application_connector/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/dataset_application_connector/index.rst.txt
index a8e1273f..a8091769 100644
--- a/docs/_sources/autoapi/abacusai/api_class/dataset_application_connector/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/dataset_application_connector/index.rst.txt
@@ -11,6 +11,7 @@ Classes
abacusai.api_class.dataset_application_connector.ApplicationConnectorDatasetConfig
abacusai.api_class.dataset_application_connector.ConfluenceDatasetConfig
+ abacusai.api_class.dataset_application_connector.BoxDatasetConfig
abacusai.api_class.dataset_application_connector.GoogleAnalyticsDatasetConfig
abacusai.api_class.dataset_application_connector.GoogleDriveDatasetConfig
abacusai.api_class.dataset_application_connector.JiraDatasetConfig
@@ -43,14 +44,20 @@ Module Contents
.. py:attribute:: application_connector_type
:type: abacusai.api_class.enums.ApplicationConnectorType
+ :value: None
+
.. py:attribute:: application_connector_id
:type: str
+ :value: None
+
.. py:attribute:: document_processing_config
:type: abacusai.api_class.dataset.DatasetDocumentProcessingConfig
+ :value: None
+
.. py:method:: _get_builder()
@@ -76,18 +83,45 @@ Module Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: space_key
:type: str
+ :value: None
+
.. py:attribute:: pull_attachments
:type: bool
+ :value: False
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
+
+
+ .. py:method:: __post_init__()
+
+
+.. py:class:: BoxDatasetConfig
+
+ Bases: :py:obj:`ApplicationConnectorDatasetConfig`
+
+
+ Dataset config for Box Application Connector
+ :param location: The regex location of the files to fetch
+ :type location: str
+
+
+ .. py:attribute:: location
+ :type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -110,14 +144,20 @@ Module Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: start_timestamp
:type: int
+ :value: None
+
.. py:attribute:: end_timestamp
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -142,18 +182,26 @@ Module Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
.. py:attribute:: merge_file_schemas
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -178,18 +226,26 @@ Module Contents
.. py:attribute:: jql
:type: str
+ :value: None
+
.. py:attribute:: custom_fields
:type: list
+ :value: None
+
.. py:attribute:: include_comments
:type: bool
+ :value: False
+
.. py:attribute:: include_watchers
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -214,18 +270,26 @@ Module Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
.. py:attribute:: merge_file_schemas
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -250,18 +314,26 @@ Module Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
.. py:attribute:: merge_file_schemas
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -280,6 +352,8 @@ Module Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -300,10 +374,14 @@ Module Contents
.. py:attribute:: include_entire_conversation_history
:type: bool
+ :value: False
+
.. py:attribute:: include_all_feedback
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -326,14 +404,20 @@ Module Contents
.. py:attribute:: pull_chat_messages
:type: bool
+ :value: False
+
.. py:attribute:: pull_channel_posts
:type: bool
+ :value: False
+
.. py:attribute:: pull_transcripts
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
diff --git a/docs/_sources/autoapi/abacusai/api_class/deployment/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/deployment/index.rst.txt
index 420dd3bb..f9a9d4b6 100644
--- a/docs/_sources/autoapi/abacusai/api_class/deployment/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/deployment/index.rst.txt
@@ -34,6 +34,8 @@ Module Contents
.. py:attribute:: _support_kwargs
:type: bool
+ :value: True
+
.. py:attribute:: kwargs
@@ -42,6 +44,8 @@ Module Contents
.. py:attribute:: problem_type
:type: abacusai.api_class.enums.ProblemType
+ :value: None
+
.. py:method:: _get_builder()
@@ -66,14 +70,20 @@ Module Contents
.. py:attribute:: forced_assignments
:type: dict
+ :value: None
+
.. py:attribute:: solve_time_limit_seconds
:type: float
+ :value: None
+
.. py:attribute:: include_all_assignments
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -96,14 +106,20 @@ Module Contents
.. py:attribute:: start_timestamp
:type: str
+ :value: None
+
.. py:attribute:: end_timestamp
:type: str
+ :value: None
+
.. py:attribute:: get_all_item_data
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -132,26 +148,38 @@ Module Contents
.. py:attribute:: llm_name
:type: str
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: system_message
:type: str
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: search_score_cutoff
:type: float
+ :value: None
+
.. py:attribute:: ignore_documents
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -172,10 +200,14 @@ Module Contents
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -202,22 +234,32 @@ Module Contents
.. py:attribute:: num_predictions
:type: int
+ :value: None
+
.. py:attribute:: prediction_start
:type: str
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: str
+ :value: None
+
.. py:attribute:: get_item_data
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -244,22 +286,32 @@ Module Contents
.. py:attribute:: num_predictions
:type: int
+ :value: None
+
.. py:attribute:: prediction_start
:type: str
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: str
+ :value: None
+
.. py:attribute:: get_item_data
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -288,26 +340,38 @@ Module Contents
.. py:attribute:: llm_name
:type: str
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: system_message
:type: str
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: search_score_cutoff
:type: float
+ :value: None
+
.. py:attribute:: ignore_documents
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -326,6 +390,8 @@ Module Contents
.. py:attribute:: limit_results
:type: int
+ :value: None
+
.. py:method:: __post_init__()
diff --git a/docs/_sources/autoapi/abacusai/api_class/document_retriever/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/document_retriever/index.rst.txt
index 5aec2543..6f361f5d 100644
--- a/docs/_sources/autoapi/abacusai/api_class/document_retriever/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/document_retriever/index.rst.txt
@@ -52,38 +52,56 @@ Module Contents
.. py:attribute:: chunk_size
:type: int
+ :value: None
+
.. py:attribute:: chunk_overlap_fraction
:type: float
+ :value: None
+
.. py:attribute:: text_encoder
:type: abacusai.api_class.enums.VectorStoreTextEncoder
+ :value: None
+
.. py:attribute:: chunk_size_factors
:type: list
+ :value: None
+
.. py:attribute:: score_multiplier_column
:type: str
+ :value: None
+
.. py:attribute:: prune_vectors
:type: bool
+ :value: None
+
.. py:attribute:: index_metadata_columns
:type: bool
+ :value: None
+
.. py:attribute:: use_document_summary
:type: bool
+ :value: None
+
.. py:attribute:: summary_instructions
:type: str
+ :value: None
+
.. py:data:: DocumentRetrieverConfig
diff --git a/docs/_sources/autoapi/abacusai/api_class/enums/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/enums/index.rst.txt
index d559b2da..dbe95251 100644
--- a/docs/_sources/autoapi/abacusai/api_class/enums/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/enums/index.rst.txt
@@ -1784,6 +1784,11 @@ Module Contents
+ .. py:attribute:: BOX
+ :value: 'BOX'
+
+
+
.. py:class:: StreamingConnectorType
Bases: :py:obj:`ApiEnum`
@@ -2109,6 +2114,11 @@ Module Contents
+ .. py:attribute:: QWQ_32B
+ :value: 'QWQ_32B'
+
+
+
.. py:attribute:: GEMINI_1_5_FLASH
:value: 'GEMINI_1_5_FLASH'
@@ -2394,6 +2404,11 @@ Module Contents
+ .. py:attribute:: IGNORE
+ :value: 'IGNORE'
+
+
+
.. py:class:: WorkflowNodeOutputType
Bases: :py:obj:`ApiEnum`
diff --git a/docs/_sources/autoapi/abacusai/api_class/feature_group/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/feature_group/index.rst.txt
index 8c4df6a3..294a2c18 100644
--- a/docs/_sources/autoapi/abacusai/api_class/feature_group/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/feature_group/index.rst.txt
@@ -40,6 +40,8 @@ Module Contents
.. py:attribute:: sampling_method
:type: abacusai.api_class.enums.SamplingMethodType
+ :value: None
+
.. py:method:: _get_builder()
@@ -69,6 +71,8 @@ Module Contents
.. py:attribute:: key_columns
:type: List[str]
+ :value: []
+
.. py:method:: __post_init__()
@@ -93,6 +97,8 @@ Module Contents
.. py:attribute:: key_columns
:type: List[str]
+ :value: []
+
.. py:method:: __post_init__()
@@ -128,6 +134,8 @@ Module Contents
.. py:attribute:: merge_mode
:type: abacusai.api_class.enums.MergeMode
+ :value: None
+
.. py:method:: _get_builder()
@@ -157,6 +165,8 @@ Module Contents
.. py:attribute:: include_version_timestamp_column
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -187,6 +197,8 @@ Module Contents
.. py:attribute:: include_version_timestamp_column
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -222,6 +234,8 @@ Module Contents
.. py:attribute:: operator_type
:type: abacusai.api_class.enums.OperatorType
+ :value: None
+
.. py:method:: _get_builder()
@@ -251,18 +265,26 @@ Module Contents
.. py:attribute:: columns
:type: List[str]
+ :value: None
+
.. py:attribute:: index_column
:type: str
+ :value: None
+
.. py:attribute:: value_column
:type: str
+ :value: None
+
.. py:attribute:: exclude
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -285,14 +307,20 @@ Module Contents
.. py:attribute:: input_column
:type: str
+ :value: None
+
.. py:attribute:: output_column
:type: str
+ :value: None
+
.. py:attribute:: input_column_type
:type: abacusai.api_class.enums.MarkdownOperatorInputType
+ :value: None
+
.. py:method:: __post_init__()
@@ -321,34 +349,50 @@ Module Contents
.. py:attribute:: input_column
:type: str
+ :value: None
+
.. py:attribute:: output_column
:type: str
+ :value: None
+
.. py:attribute:: depth_column
:type: str
+ :value: None
+
.. py:attribute:: input_column_type
:type: str
+ :value: None
+
.. py:attribute:: crawl_depth
:type: int
+ :value: None
+
.. py:attribute:: disable_host_restriction
:type: bool
+ :value: None
+
.. py:attribute:: honour_website_rules
:type: bool
+ :value: None
+
.. py:attribute:: user_agent
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -371,14 +415,20 @@ Module Contents
.. py:attribute:: doc_id_column
:type: str
+ :value: None
+
.. py:attribute:: document_column
:type: str
+ :value: None
+
.. py:attribute:: document_processing_config
:type: abacusai.api_class.dataset.DocumentProcessingConfig
+ :value: None
+
.. py:method:: __post_init__()
@@ -429,70 +479,104 @@ Module Contents
.. py:attribute:: prompt_col
:type: str
+ :value: None
+
.. py:attribute:: completion_col
:type: str
+ :value: None
+
.. py:attribute:: description_col
:type: str
+ :value: None
+
.. py:attribute:: id_col
:type: str
+ :value: None
+
.. py:attribute:: generation_instructions
:type: str
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: fewshot_examples
:type: int
+ :value: None
+
.. py:attribute:: concurrency
:type: int
+ :value: None
+
.. py:attribute:: examples_per_target
:type: int
+ :value: None
+
.. py:attribute:: subset_size
:type: int
+ :value: None
+
.. py:attribute:: verify_response
:type: bool
+ :value: None
+
.. py:attribute:: token_budget
:type: int
+ :value: None
+
.. py:attribute:: oversample
:type: bool
+ :value: None
+
.. py:attribute:: documentation_char_limit
:type: int
+ :value: None
+
.. py:attribute:: frequency_penalty
:type: float
+ :value: None
+
.. py:attribute:: model
:type: str
+ :value: None
+
.. py:attribute:: seed
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -513,10 +597,14 @@ Module Contents
.. py:attribute:: feature_group_ids
:type: List[str]
+ :value: None
+
.. py:attribute:: drop_non_intersecting_columns
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
diff --git a/docs/_sources/autoapi/abacusai/api_class/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/index.rst.txt
index d9170b36..3a573961 100644
--- a/docs/_sources/autoapi/abacusai/api_class/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/index.rst.txt
@@ -52,6 +52,7 @@ Classes
abacusai.api_class.WorkflowNodeInputSchema
abacusai.api_class.WorkflowNodeOutputMapping
abacusai.api_class.WorkflowNodeOutputSchema
+ abacusai.api_class.TriggerConfig
abacusai.api_class.WorkflowGraphNode
abacusai.api_class.WorkflowGraphEdge
abacusai.api_class.WorkflowGraph
@@ -97,6 +98,7 @@ Classes
abacusai.api_class.DatasetDocumentProcessingConfig
abacusai.api_class.ApplicationConnectorDatasetConfig
abacusai.api_class.ConfluenceDatasetConfig
+ abacusai.api_class.BoxDatasetConfig
abacusai.api_class.GoogleAnalyticsDatasetConfig
abacusai.api_class.GoogleDriveDatasetConfig
abacusai.api_class.JiraDatasetConfig
@@ -313,10 +315,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -390,10 +396,14 @@ Package Contents
.. py:attribute:: description
:type: str
+ :value: None
+
.. py:attribute:: example_extraction
:type: Union[str, int, bool, float, list, dict]
+ :value: None
+
.. py:attribute:: type
@@ -421,8 +431,8 @@ Package Contents
:param name: The name of the input variable of the node function.
:type name: str
- :param variable_type: The type of the input.
- :type variable_type: WorkflowNodeInputType
+ :param variable_type: The type of the input. If the type is `IGNORE`, the input will be ignored.
+ :type variable_type: Union[WorkflowNodeInputType, str]
:param variable_source: The name of the node this variable is sourced from.
If the type is `WORKFLOW_VARIABLE`, the value given by the source node will be directly used.
If the type is `USER_INPUT`, the value given by the source node will be used as the default initial value before the user edits it.
@@ -442,18 +452,23 @@ Package Contents
.. py:attribute:: variable_source
:type: str
+ :value: None
+
.. py:attribute:: source_prop
:type: str
+ :value: None
+
.. py:attribute:: is_required
:type: bool
+ :value: True
- .. py:attribute:: default_value
- :type: Any
+
+ .. py:method:: __post_init__()
.. py:method:: to_dict()
@@ -494,14 +509,20 @@ Package Contents
.. py:attribute:: schema_source
:type: str
+ :value: None
+
.. py:attribute:: schema_prop
:type: str
+ :value: None
+
.. py:attribute:: runtime_schema
:type: bool
+ :value: False
+
.. py:method:: to_dict()
@@ -595,7 +616,37 @@ Package Contents
-.. py:class:: WorkflowGraphNode(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None)
+.. py:class:: TriggerConfig
+
+ Bases: :py:obj:`abacusai.api_class.abstract.ApiClass`
+
+
+ Represents the configuration for a trigger workflow node.
+
+ :param sleep_time: The time in seconds to wait before the node gets executed again.
+ :type sleep_time: int
+
+
+ .. py:attribute:: sleep_time
+ :type: int
+ :value: None
+
+
+
+ .. py:method:: to_dict()
+
+ Standardizes converting an ApiClass to dictionary.
+ Keys of response dictionary are converted to camel case.
+ This also validates the fields ( type, value, etc ) received in the dictionary.
+
+
+
+ .. py:method:: from_dict(configs)
+ :classmethod:
+
+
+
+.. py:class:: WorkflowGraphNode(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None, trigger_config = None)
Bases: :py:obj:`abacusai.api_class.abstract.ApiClass`
@@ -618,12 +669,20 @@ Package Contents
Additional Attributes:
function_name (str): The name of the function.
source_code (str): The source code of the function.
+ trigger_config (TriggerConfig): The configuration for a trigger workflow node.
.. py:attribute:: template_metadata
+ :value: None
- .. py:method:: _raw_init(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None)
+
+ .. py:attribute:: trigger_config
+ :value: None
+
+
+
+ .. py:method:: _raw_init(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None, trigger_config = None)
:classmethod:
@@ -716,18 +775,26 @@ Package Contents
.. py:attribute:: nodes
:type: List[WorkflowGraphNode]
+ :value: []
+
.. py:attribute:: edges
:type: List[WorkflowGraphEdge]
+ :value: []
+
.. py:attribute:: primary_start_node
:type: Union[str, WorkflowGraphNode]
+ :value: None
+
.. py:attribute:: common_source_code
:type: str
+ :value: None
+
.. py:method:: to_dict()
@@ -760,14 +827,20 @@ Package Contents
.. py:attribute:: is_user
:type: bool
+ :value: None
+
.. py:attribute:: text
:type: str
+ :value: None
+
.. py:attribute:: document_contents
:type: dict
+ :value: None
+
.. py:method:: to_dict()
@@ -801,14 +874,20 @@ Package Contents
.. py:attribute:: description
:type: str
+ :value: None
+
.. py:attribute:: default_value
:type: str
+ :value: None
+
.. py:attribute:: is_required
:type: bool
+ :value: False
+
.. py:method:: to_dict()
@@ -845,10 +924,14 @@ Package Contents
.. py:attribute:: is_required
:type: bool
+ :value: False
+
.. py:attribute:: description
:type: str
+ :value: ''
+
.. py:method:: to_dict()
@@ -889,6 +972,8 @@ Package Contents
.. py:attribute:: description
:type: str
+ :value: ''
+
.. py:method:: to_dict()
@@ -915,10 +1000,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -982,14 +1071,20 @@ Package Contents
.. py:attribute:: title
:type: str
+ :value: None
+
.. py:attribute:: disable_problem_type_context
:type: bool
+ :value: True
+
.. py:attribute:: ignore_history
:type: bool
+ :value: None
+
.. py:class:: ApiClass
@@ -1003,10 +1098,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -1088,6 +1187,8 @@ Package Contents
.. py:attribute:: _support_kwargs
:type: bool
+ :value: True
+
.. py:attribute:: kwargs
@@ -1096,6 +1197,8 @@ Package Contents
.. py:attribute:: problem_type
:type: abacusai.api_class.enums.ProblemType
+ :value: None
+
.. py:method:: _get_builder()
@@ -1130,34 +1233,50 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: predictions_start_date
:type: str
+ :value: None
+
.. py:attribute:: use_prediction_offset
:type: bool
+ :value: None
+
.. py:attribute:: start_date_offset
:type: int
+ :value: None
+
.. py:attribute:: forecasting_horizon
:type: int
+ :value: None
+
.. py:attribute:: item_attributes_to_include_in_the_result
:type: list
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: create_monitor
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -1176,6 +1295,8 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -1200,18 +1321,26 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: number_of_items
:type: int
+ :value: None
+
.. py:attribute:: item_attributes_to_include_in_the_result
:type: list
+ :value: None
+
.. py:attribute:: score_field
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -1252,50 +1381,74 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: abacusai.api_class.enums.ExplainerType
+ :value: None
+
.. py:attribute:: number_of_samples_to_use_for_explainer
:type: int
+ :value: None
+
.. py:attribute:: include_multi_class_explanations
:type: bool
+ :value: None
+
.. py:attribute:: features_considered_constant_for_explanations
:type: str
+ :value: None
+
.. py:attribute:: importance_of_records_in_nested_columns
:type: str
+ :value: None
+
.. py:attribute:: explanation_filter_lower_bound
:type: float
+ :value: None
+
.. py:attribute:: explanation_filter_upper_bound
:type: float
+ :value: None
+
.. py:attribute:: explanation_filter_label
:type: str
+ :value: None
+
.. py:attribute:: output_columns
:type: list
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: create_monitor
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -1318,14 +1471,20 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: files_output_location_prefix
:type: str
+ :value: None
+
.. py:attribute:: channel_id_to_label_map
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -1346,10 +1505,14 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: explode_output
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -1374,18 +1537,26 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: analysis_frequency
:type: str
+ :value: None
+
.. py:attribute:: start_date
:type: str
+ :value: None
+
.. py:attribute:: analysis_days
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -1404,6 +1575,8 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -1424,10 +1597,14 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: create_monitor
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -1475,10 +1652,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -1625,6 +1806,8 @@ Package Contents
.. py:attribute:: is_documentset
:type: bool
+ :value: None
+
.. py:class:: StreamingConnectorDatasetConfig
@@ -1640,6 +1823,8 @@ Package Contents
.. py:attribute:: streaming_connector_type
:type: abacusai.api_class.enums.StreamingConnectorType
+ :value: None
+
.. py:method:: _get_builder()
@@ -1660,6 +1845,8 @@ Package Contents
.. py:attribute:: topic
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -1696,10 +1883,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -1872,6 +2063,8 @@ Package Contents
.. py:attribute:: is_documentset
:type: bool
+ :value: None
+
.. py:class:: ParsingConfig
@@ -1891,14 +2084,20 @@ Package Contents
.. py:attribute:: escape
:type: str
+ :value: '"'
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: file_path_with_schema
:type: str
+ :value: None
+
.. py:class:: DocumentProcessingConfig
@@ -2036,6 +2235,8 @@ Package Contents
.. py:attribute:: timestamp_column
:type: str
+ :value: None
+
.. py:class:: AttachmentParsingConfig
@@ -2055,14 +2256,20 @@ Package Contents
.. py:attribute:: feature_group_name
:type: str
+ :value: None
+
.. py:attribute:: column_name
:type: str
+ :value: None
+
.. py:attribute:: urls
:type: str
+ :value: None
+
.. py:class:: _ApiClassFactory
@@ -2105,6 +2312,8 @@ Package Contents
.. py:attribute:: is_documentset
:type: bool
+ :value: None
+
.. py:class:: DatasetDocumentProcessingConfig
@@ -2153,14 +2362,20 @@ Package Contents
.. py:attribute:: application_connector_type
:type: abacusai.api_class.enums.ApplicationConnectorType
+ :value: None
+
.. py:attribute:: application_connector_id
:type: str
+ :value: None
+
.. py:attribute:: document_processing_config
:type: abacusai.api_class.dataset.DatasetDocumentProcessingConfig
+ :value: None
+
.. py:method:: _get_builder()
@@ -2186,18 +2401,45 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: space_key
:type: str
+ :value: None
+
.. py:attribute:: pull_attachments
:type: bool
+ :value: False
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
+
+
+ .. py:method:: __post_init__()
+
+
+.. py:class:: BoxDatasetConfig
+
+ Bases: :py:obj:`ApplicationConnectorDatasetConfig`
+
+
+ Dataset config for Box Application Connector
+ :param location: The regex location of the files to fetch
+ :type location: str
+
+
+ .. py:attribute:: location
+ :type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -2220,14 +2462,20 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: start_timestamp
:type: int
+ :value: None
+
.. py:attribute:: end_timestamp
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -2252,18 +2500,26 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
.. py:attribute:: merge_file_schemas
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -2288,18 +2544,26 @@ Package Contents
.. py:attribute:: jql
:type: str
+ :value: None
+
.. py:attribute:: custom_fields
:type: list
+ :value: None
+
.. py:attribute:: include_comments
:type: bool
+ :value: False
+
.. py:attribute:: include_watchers
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -2324,18 +2588,26 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
.. py:attribute:: merge_file_schemas
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -2360,18 +2632,26 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
.. py:attribute:: merge_file_schemas
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -2390,6 +2670,8 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -2410,10 +2692,14 @@ Package Contents
.. py:attribute:: include_entire_conversation_history
:type: bool
+ :value: False
+
.. py:attribute:: include_all_feedback
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -2436,14 +2722,20 @@ Package Contents
.. py:attribute:: pull_chat_messages
:type: bool
+ :value: False
+
.. py:attribute:: pull_channel_posts
:type: bool
+ :value: False
+
.. py:attribute:: pull_transcripts
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -2491,10 +2783,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -2576,6 +2872,8 @@ Package Contents
.. py:attribute:: _support_kwargs
:type: bool
+ :value: True
+
.. py:attribute:: kwargs
@@ -2584,6 +2882,8 @@ Package Contents
.. py:attribute:: problem_type
:type: abacusai.api_class.enums.ProblemType
+ :value: None
+
.. py:method:: _get_builder()
@@ -2608,14 +2908,20 @@ Package Contents
.. py:attribute:: forced_assignments
:type: dict
+ :value: None
+
.. py:attribute:: solve_time_limit_seconds
:type: float
+ :value: None
+
.. py:attribute:: include_all_assignments
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2638,14 +2944,20 @@ Package Contents
.. py:attribute:: start_timestamp
:type: str
+ :value: None
+
.. py:attribute:: end_timestamp
:type: str
+ :value: None
+
.. py:attribute:: get_all_item_data
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2674,26 +2986,38 @@ Package Contents
.. py:attribute:: llm_name
:type: str
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: system_message
:type: str
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: search_score_cutoff
:type: float
+ :value: None
+
.. py:attribute:: ignore_documents
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2714,10 +3038,14 @@ Package Contents
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -2744,22 +3072,32 @@ Package Contents
.. py:attribute:: num_predictions
:type: int
+ :value: None
+
.. py:attribute:: prediction_start
:type: str
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: str
+ :value: None
+
.. py:attribute:: get_item_data
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2786,22 +3124,32 @@ Package Contents
.. py:attribute:: num_predictions
:type: int
+ :value: None
+
.. py:attribute:: prediction_start
:type: str
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: str
+ :value: None
+
.. py:attribute:: get_item_data
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2830,26 +3178,38 @@ Package Contents
.. py:attribute:: llm_name
:type: str
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: system_message
:type: str
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: search_score_cutoff
:type: float
+ :value: None
+
.. py:attribute:: ignore_documents
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2868,6 +3228,8 @@ Package Contents
.. py:attribute:: limit_results
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -2904,10 +3266,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -3026,38 +3392,56 @@ Package Contents
.. py:attribute:: chunk_size
:type: int
+ :value: None
+
.. py:attribute:: chunk_overlap_fraction
:type: float
+ :value: None
+
.. py:attribute:: text_encoder
:type: abacusai.api_class.enums.VectorStoreTextEncoder
+ :value: None
+
.. py:attribute:: chunk_size_factors
:type: list
+ :value: None
+
.. py:attribute:: score_multiplier_column
:type: str
+ :value: None
+
.. py:attribute:: prune_vectors
:type: bool
+ :value: None
+
.. py:attribute:: index_metadata_columns
:type: bool
+ :value: None
+
.. py:attribute:: use_document_summary
:type: bool
+ :value: None
+
.. py:attribute:: summary_instructions
:type: str
+ :value: None
+
.. py:data:: DocumentRetrieverConfig
@@ -4758,6 +5142,11 @@ Package Contents
+ .. py:attribute:: BOX
+ :value: 'BOX'
+
+
+
.. py:class:: StreamingConnectorType
Bases: :py:obj:`ApiEnum`
@@ -5083,6 +5472,11 @@ Package Contents
+ .. py:attribute:: QWQ_32B
+ :value: 'QWQ_32B'
+
+
+
.. py:attribute:: GEMINI_1_5_FLASH
:value: 'GEMINI_1_5_FLASH'
@@ -5368,6 +5762,11 @@ Package Contents
+ .. py:attribute:: IGNORE
+ :value: 'IGNORE'
+
+
+
.. py:class:: WorkflowNodeOutputType
Bases: :py:obj:`ApiEnum`
@@ -5904,10 +6303,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -6082,6 +6485,8 @@ Package Contents
.. py:attribute:: sampling_method
:type: abacusai.api_class.enums.SamplingMethodType
+ :value: None
+
.. py:method:: _get_builder()
@@ -6111,6 +6516,8 @@ Package Contents
.. py:attribute:: key_columns
:type: List[str]
+ :value: []
+
.. py:method:: __post_init__()
@@ -6135,6 +6542,8 @@ Package Contents
.. py:attribute:: key_columns
:type: List[str]
+ :value: []
+
.. py:method:: __post_init__()
@@ -6170,6 +6579,8 @@ Package Contents
.. py:attribute:: merge_mode
:type: abacusai.api_class.enums.MergeMode
+ :value: None
+
.. py:method:: _get_builder()
@@ -6199,6 +6610,8 @@ Package Contents
.. py:attribute:: include_version_timestamp_column
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -6229,6 +6642,8 @@ Package Contents
.. py:attribute:: include_version_timestamp_column
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -6264,6 +6679,8 @@ Package Contents
.. py:attribute:: operator_type
:type: abacusai.api_class.enums.OperatorType
+ :value: None
+
.. py:method:: _get_builder()
@@ -6293,18 +6710,26 @@ Package Contents
.. py:attribute:: columns
:type: List[str]
+ :value: None
+
.. py:attribute:: index_column
:type: str
+ :value: None
+
.. py:attribute:: value_column
:type: str
+ :value: None
+
.. py:attribute:: exclude
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -6327,14 +6752,20 @@ Package Contents
.. py:attribute:: input_column
:type: str
+ :value: None
+
.. py:attribute:: output_column
:type: str
+ :value: None
+
.. py:attribute:: input_column_type
:type: abacusai.api_class.enums.MarkdownOperatorInputType
+ :value: None
+
.. py:method:: __post_init__()
@@ -6363,34 +6794,50 @@ Package Contents
.. py:attribute:: input_column
:type: str
+ :value: None
+
.. py:attribute:: output_column
:type: str
+ :value: None
+
.. py:attribute:: depth_column
:type: str
+ :value: None
+
.. py:attribute:: input_column_type
:type: str
+ :value: None
+
.. py:attribute:: crawl_depth
:type: int
+ :value: None
+
.. py:attribute:: disable_host_restriction
:type: bool
+ :value: None
+
.. py:attribute:: honour_website_rules
:type: bool
+ :value: None
+
.. py:attribute:: user_agent
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -6413,14 +6860,20 @@ Package Contents
.. py:attribute:: doc_id_column
:type: str
+ :value: None
+
.. py:attribute:: document_column
:type: str
+ :value: None
+
.. py:attribute:: document_processing_config
:type: abacusai.api_class.dataset.DocumentProcessingConfig
+ :value: None
+
.. py:method:: __post_init__()
@@ -6471,70 +6924,104 @@ Package Contents
.. py:attribute:: prompt_col
:type: str
+ :value: None
+
.. py:attribute:: completion_col
:type: str
+ :value: None
+
.. py:attribute:: description_col
:type: str
+ :value: None
+
.. py:attribute:: id_col
:type: str
+ :value: None
+
.. py:attribute:: generation_instructions
:type: str
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: fewshot_examples
:type: int
+ :value: None
+
.. py:attribute:: concurrency
:type: int
+ :value: None
+
.. py:attribute:: examples_per_target
:type: int
+ :value: None
+
.. py:attribute:: subset_size
:type: int
+ :value: None
+
.. py:attribute:: verify_response
:type: bool
+ :value: None
+
.. py:attribute:: token_budget
:type: int
+ :value: None
+
.. py:attribute:: oversample
:type: bool
+ :value: None
+
.. py:attribute:: documentation_char_limit
:type: int
+ :value: None
+
.. py:attribute:: frequency_penalty
:type: float
+ :value: None
+
.. py:attribute:: model
:type: str
+ :value: None
+
.. py:attribute:: seed
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -6555,10 +7042,14 @@ Package Contents
.. py:attribute:: feature_group_ids
:type: List[str]
+ :value: None
+
.. py:attribute:: drop_non_intersecting_columns
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -6594,10 +7085,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -6679,10 +7174,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: True
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: True
+
.. py:attribute:: kwargs
@@ -6691,10 +7190,14 @@ Package Contents
.. py:attribute:: problem_type
:type: abacusai.api_class.enums.ProblemType
+ :value: None
+
.. py:attribute:: algorithm
:type: str
+ :value: None
+
.. py:method:: _get_builder()
@@ -6789,154 +7292,230 @@ Package Contents
.. py:attribute:: objective
:type: abacusai.api_class.enums.PersonalizationObjective
+ :value: None
+
.. py:attribute:: sort_objective
:type: abacusai.api_class.enums.PersonalizationObjective
+ :value: None
+
.. py:attribute:: training_mode
:type: abacusai.api_class.enums.PersonalizationTrainingMode
+ :value: None
+
.. py:attribute:: target_action_types
:type: List[str]
+ :value: None
+
.. py:attribute:: target_action_weights
:type: Dict[str, float]
+ :value: None
+
.. py:attribute:: session_event_types
:type: List[str]
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: recent_days_for_training
:type: int
+ :value: None
+
.. py:attribute:: training_start_date
:type: str
+ :value: None
+
.. py:attribute:: test_on_user_split
:type: bool
+ :value: None
+
.. py:attribute:: test_split_on_last_k_items
:type: bool
+ :value: None
+
.. py:attribute:: test_last_items_length
:type: int
+ :value: None
+
.. py:attribute:: test_window_length_hours
:type: int
+ :value: None
+
.. py:attribute:: explicit_time_split
:type: bool
+ :value: None
+
.. py:attribute:: test_row_indicator
:type: str
+ :value: None
+
.. py:attribute:: full_data_retraining
:type: bool
+ :value: None
+
.. py:attribute:: sequential_training
:type: bool
+ :value: None
+
.. py:attribute:: data_split_feature_group_table_name
:type: str
+ :value: None
+
.. py:attribute:: optimized_event_type
:type: str
+ :value: None
+
.. py:attribute:: dropout_rate
:type: int
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:attribute:: disable_transformer
:type: bool
+ :value: None
+
.. py:attribute:: disable_gpu
:type: bool
+ :value: None
+
.. py:attribute:: filter_history
:type: bool
+ :value: None
+
.. py:attribute:: action_types_exclusion_days
:type: Dict[str, float]
+ :value: None
+
.. py:attribute:: max_history_length
:type: int
+ :value: None
+
.. py:attribute:: compute_rerank_metrics
:type: bool
+ :value: None
+
.. py:attribute:: add_time_features
:type: bool
+ :value: None
+
.. py:attribute:: disable_timestamp_scalar_features
:type: bool
+ :value: None
+
.. py:attribute:: compute_session_metrics
:type: bool
+ :value: None
+
.. py:attribute:: query_column
:type: str
+ :value: None
+
.. py:attribute:: item_query_column
:type: str
+ :value: None
+
.. py:attribute:: use_user_id_feature
:type: bool
+ :value: None
+
.. py:attribute:: session_dedupe_mins
:type: float
+ :value: None
+
.. py:attribute:: include_item_id_feature
:type: bool
+ :value: None
+
.. py:attribute:: max_user_history_len_percentile
:type: int
+ :value: None
+
.. py:attribute:: downsample_item_popularity_percentile
:type: float
+ :value: None
+
.. py:attribute:: min_item_history
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -7043,182 +7622,272 @@ Package Contents
.. py:attribute:: objective
:type: abacusai.api_class.enums.RegressionObjective
+ :value: None
+
.. py:attribute:: sort_objective
:type: abacusai.api_class.enums.RegressionObjective
+ :value: None
+
.. py:attribute:: tree_hpo_mode
:type: abacusai.api_class.enums.RegressionTreeHPOMode
+ :value: None
+
.. py:attribute:: partial_dependence_analysis
:type: abacusai.api_class.enums.PartialDependenceAnalysis
+ :value: None
+
.. py:attribute:: type_of_split
:type: abacusai.api_class.enums.RegressionTypeOfSplit
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: disable_test_val_fold
:type: bool
+ :value: None
+
.. py:attribute:: k_fold_cross_validation
:type: bool
+ :value: None
+
.. py:attribute:: num_cv_folds
:type: int
+ :value: None
+
.. py:attribute:: timestamp_based_splitting_column
:type: str
+ :value: None
+
.. py:attribute:: timestamp_based_splitting_method
:type: abacusai.api_class.enums.RegressionTimeSplitMethod
+ :value: None
+
.. py:attribute:: test_splitting_timestamp
:type: str
+ :value: None
+
.. py:attribute:: sampling_unit_keys
:type: List[str]
+ :value: None
+
.. py:attribute:: test_row_indicator
:type: str
+ :value: None
+
.. py:attribute:: full_data_retraining
:type: bool
+ :value: None
+
.. py:attribute:: rebalance_classes
:type: bool
+ :value: None
+
.. py:attribute:: rare_class_augmentation_threshold
:type: float
+ :value: None
+
.. py:attribute:: augmentation_strategy
:type: abacusai.api_class.enums.RegressionAugmentationStrategy
+ :value: None
+
.. py:attribute:: training_rows_downsample_ratio
:type: float
+ :value: None
+
.. py:attribute:: active_labels_column
:type: str
+ :value: None
+
.. py:attribute:: min_categorical_count
:type: int
+ :value: None
+
.. py:attribute:: sample_weight
:type: str
+ :value: None
+
.. py:attribute:: numeric_clipping_percentile
:type: float
+ :value: None
+
.. py:attribute:: target_transform
:type: abacusai.api_class.enums.RegressionTargetTransform
+ :value: None
+
.. py:attribute:: ignore_datetime_features
:type: bool
+ :value: None
+
.. py:attribute:: max_text_words
:type: int
+ :value: None
+
.. py:attribute:: perform_feature_selection
:type: bool
+ :value: None
+
.. py:attribute:: feature_selection_intensity
:type: int
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:attribute:: dropout_rate
:type: int
+ :value: None
+
.. py:attribute:: pretrained_model_name
:type: str
+ :value: None
+
.. py:attribute:: pretrained_llm_name
:type: str
+ :value: None
+
.. py:attribute:: is_multilingual
:type: bool
+ :value: None
+
.. py:attribute:: do_masked_language_model_pretraining
:type: bool
+ :value: None
+
.. py:attribute:: max_tokens_in_sentence
:type: int
+ :value: None
+
.. py:attribute:: truncation_strategy
:type: str
+ :value: None
+
.. py:attribute:: loss_function
:type: abacusai.api_class.enums.RegressionLossFunction
+ :value: None
+
.. py:attribute:: loss_parameters
:type: str
+ :value: None
+
.. py:attribute:: target_encode_categoricals
:type: bool
+ :value: None
+
.. py:attribute:: drop_original_categoricals
:type: bool
+ :value: None
+
.. py:attribute:: monotonically_increasing_features
:type: List[str]
+ :value: None
+
.. py:attribute:: monotonically_decreasing_features
:type: List[str]
+ :value: None
+
.. py:attribute:: data_split_feature_group_table_name
:type: str
+ :value: None
+
.. py:attribute:: custom_loss_functions
:type: List[str]
+ :value: None
+
.. py:attribute:: custom_metrics
:type: List[str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -7358,254 +8027,380 @@ Package Contents
.. py:attribute:: prediction_length
:type: int
+ :value: None
+
.. py:attribute:: objective
:type: abacusai.api_class.enums.ForecastingObjective
+ :value: None
+
.. py:attribute:: sort_objective
:type: abacusai.api_class.enums.ForecastingObjective
+ :value: None
+
.. py:attribute:: forecast_frequency
:type: abacusai.api_class.enums.ForecastingFrequency
+ :value: None
+
.. py:attribute:: probability_quantiles
:type: List[float]
+ :value: None
+
.. py:attribute:: force_prediction_length
:type: bool
+ :value: None
+
.. py:attribute:: filter_items
:type: bool
+ :value: None
+
.. py:attribute:: enable_feature_selection
:type: bool
+ :value: None
+
.. py:attribute:: enable_padding
:type: bool
+ :value: None
+
.. py:attribute:: enable_cold_start
:type: bool
+ :value: None
+
.. py:attribute:: enable_multiple_backtests
:type: bool
+ :value: None
+
.. py:attribute:: num_backtesting_windows
:type: int
+ :value: None
+
.. py:attribute:: backtesting_window_step_size
:type: int
+ :value: None
+
.. py:attribute:: full_data_retraining
:type: bool
+ :value: None
+
.. py:attribute:: additional_forecast_keys
:type: List[str]
+ :value: None
+
.. py:attribute:: experimentation_mode
:type: abacusai.api_class.enums.ExperimentationMode
+ :value: None
+
.. py:attribute:: type_of_split
:type: abacusai.api_class.enums.ForecastingDataSplitType
+ :value: None
+
.. py:attribute:: test_by_item
:type: bool
+ :value: None
+
.. py:attribute:: test_start
:type: str
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: loss_function
:type: abacusai.api_class.enums.ForecastingLossFunction
+ :value: None
+
.. py:attribute:: underprediction_weight
:type: float
+ :value: None
+
.. py:attribute:: disable_networks_without_analytic_quantiles
:type: bool
+ :value: None
+
.. py:attribute:: initial_learning_rate
:type: float
+ :value: None
+
.. py:attribute:: l2_regularization_factor
:type: float
+ :value: None
+
.. py:attribute:: dropout_rate
:type: int
+ :value: None
+
.. py:attribute:: recurrent_layers
:type: int
+ :value: None
+
.. py:attribute:: recurrent_units
:type: int
+ :value: None
+
.. py:attribute:: convolutional_layers
:type: int
+ :value: None
+
.. py:attribute:: convolution_filters
:type: int
+ :value: None
+
.. py:attribute:: local_scaling_mode
:type: abacusai.api_class.enums.ForecastingLocalScaling
+ :value: None
+
.. py:attribute:: zero_predictor
:type: bool
+ :value: None
+
.. py:attribute:: skip_missing
:type: bool
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:attribute:: batch_renormalization
:type: bool
+ :value: None
+
.. py:attribute:: history_length
:type: int
+ :value: None
+
.. py:attribute:: prediction_step_size
:type: int
+ :value: None
+
.. py:attribute:: training_point_overlap
:type: float
+ :value: None
+
.. py:attribute:: max_scale_context
:type: int
+ :value: None
+
.. py:attribute:: quantiles_extension_method
:type: abacusai.api_class.enums.ForecastingQuanitlesExtensionMethod
+ :value: None
+
.. py:attribute:: number_of_samples
:type: int
+ :value: None
+
.. py:attribute:: symmetrize_quantiles
:type: bool
+ :value: None
+
.. py:attribute:: use_log_transforms
:type: bool
+ :value: None
+
.. py:attribute:: smooth_history
:type: float
+ :value: None
+
.. py:attribute:: local_scale_target
:type: bool
+ :value: None
+
.. py:attribute:: use_clipping
:type: bool
+ :value: None
+
.. py:attribute:: timeseries_weight_column
:type: str
+ :value: None
+
.. py:attribute:: item_attributes_weight_column
:type: str
+ :value: None
+
.. py:attribute:: use_timeseries_weights_in_objective
:type: bool
+ :value: None
+
.. py:attribute:: use_item_weights_in_objective
:type: bool
+ :value: None
+
.. py:attribute:: skip_timeseries_weight_scaling
:type: bool
+ :value: None
+
.. py:attribute:: timeseries_loss_weight_column
:type: str
+ :value: None
+
.. py:attribute:: use_item_id
:type: bool
+ :value: None
+
.. py:attribute:: use_all_item_totals
:type: bool
+ :value: None
+
.. py:attribute:: handle_zeros_as_missing_values
:type: bool
+ :value: None
+
.. py:attribute:: datetime_holiday_calendars
:type: List[abacusai.api_class.enums.HolidayCalendars]
+ :value: None
+
.. py:attribute:: fill_missing_values
:type: List[List[dict]]
+ :value: None
+
.. py:attribute:: enable_clustering
:type: bool
+ :value: None
+
.. py:attribute:: data_split_feature_group_table_name
:type: str
+ :value: None
+
.. py:attribute:: custom_loss_functions
:type: List[str]
+ :value: None
+
.. py:attribute:: custom_metrics
:type: List[str]
+ :value: None
+
.. py:attribute:: return_fractional_forecasts
:type: bool
+ :value: None
+
.. py:attribute:: allow_training_with_small_history
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -7718,26 +8513,38 @@ Package Contents
.. py:attribute:: abacus_internal_model
:type: bool
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: larger_embeddings
:type: bool
+ :value: None
+
.. py:attribute:: search_chunk_size
:type: int
+ :value: None
+
.. py:attribute:: index_fraction
:type: float
+ :value: None
+
.. py:attribute:: chunk_overlap_fraction
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -7818,142 +8625,212 @@ Package Contents
.. py:attribute:: document_retrievers
:type: List[str]
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: retrieval_columns
:type: list
+ :value: None
+
.. py:attribute:: filter_columns
:type: list
+ :value: None
+
.. py:attribute:: include_general_knowledge
:type: bool
+ :value: None
+
.. py:attribute:: enable_web_search
:type: bool
+ :value: None
+
.. py:attribute:: behavior_instructions
:type: str
+ :value: None
+
.. py:attribute:: response_instructions
:type: str
+ :value: None
+
.. py:attribute:: enable_llm_rewrite
:type: bool
+ :value: None
+
.. py:attribute:: column_filtering_instructions
:type: str
+ :value: None
+
.. py:attribute:: keyword_requirement_instructions
:type: str
+ :value: None
+
.. py:attribute:: query_rewrite_instructions
:type: str
+ :value: None
+
.. py:attribute:: max_search_results
:type: int
+ :value: None
+
.. py:attribute:: data_feature_group_ids
:type: List[str]
+ :value: None
+
.. py:attribute:: data_prompt_context
:type: str
+ :value: None
+
.. py:attribute:: data_prompt_table_context
:type: Dict[str, str]
+ :value: None
+
.. py:attribute:: data_prompt_column_context
:type: Dict[str, str]
+ :value: None
+
.. py:attribute:: hide_sql_and_code
:type: bool
+ :value: None
+
.. py:attribute:: disable_data_summarization
:type: bool
+ :value: None
+
.. py:attribute:: data_columns_to_ignore
:type: List[str]
+ :value: None
+
.. py:attribute:: search_score_cutoff
:type: float
+ :value: None
+
.. py:attribute:: include_bm25_retrieval
:type: bool
+ :value: None
+
.. py:attribute:: database_connector_id
:type: str
+ :value: None
+
.. py:attribute:: database_connector_tables
:type: List[str]
+ :value: None
+
.. py:attribute:: enable_code_execution
:type: bool
+ :value: None
+
.. py:attribute:: metadata_columns
:type: list
+ :value: None
+
.. py:attribute:: lookup_rewrite_instructions
:type: str
+ :value: None
+
.. py:attribute:: enable_response_caching
:type: bool
+ :value: None
+
.. py:attribute:: unknown_answer_phrase
:type: str
+ :value: None
+
.. py:attribute:: enable_tool_bar
:type: bool
+ :value: None
+
.. py:attribute:: enable_inline_source_citations
:type: bool
+ :value: None
+
.. py:attribute:: response_format
:type: str
+ :value: None
+
.. py:attribute:: json_response_instructions
:type: str
+ :value: None
+
.. py:attribute:: json_response_schema
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -7976,14 +8853,20 @@ Package Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: dropout_rate
:type: float
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:method:: __post_init__()
@@ -8004,10 +8887,14 @@ Package Contents
.. py:attribute:: sentiment_type
:type: abacusai.api_class.enums.SentimentType
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -8028,10 +8915,14 @@ Package Contents
.. py:attribute:: zero_shot_hypotheses
:type: List[str]
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -8054,14 +8945,20 @@ Package Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: dropout_rate
:type: float
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:method:: __post_init__()
@@ -8084,14 +8981,20 @@ Package Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: dropout_rate
:type: float
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:method:: __post_init__()
@@ -8110,6 +9013,8 @@ Package Contents
.. py:attribute:: num_clusters_selection
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -8130,10 +9035,14 @@ Package Contents
.. py:attribute:: num_clusters_selection
:type: int
+ :value: None
+
.. py:attribute:: imputation
:type: abacusai.api_class.enums.ClusteringImputationMethod
+ :value: None
+
.. py:method:: __post_init__()
@@ -8152,6 +9061,8 @@ Package Contents
.. py:attribute:: anomaly_fraction
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -8184,46 +9095,74 @@ Package Contents
:type hyperparameter_calculation_with_heuristics: TimeseriesAnomalyUseHeuristic
:param threshold_score: Threshold score for anomaly detection
:type threshold_score: float
+ :param additional_anomaly_ids: List of categorical columns that can act as multi-identifier
+ :type additional_anomaly_ids: List[str]
.. py:attribute:: type_of_split
:type: abacusai.api_class.enums.TimeseriesAnomalyDataSplitType
+ :value: None
+
.. py:attribute:: test_start
:type: str
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: fill_missing_values
:type: List[List[dict]]
+ :value: None
+
.. py:attribute:: handle_zeros_as_missing_values
:type: bool
+ :value: None
+
.. py:attribute:: timeseries_frequency
:type: str
+ :value: None
+
.. py:attribute:: min_samples_in_normal_region
:type: int
+ :value: None
+
.. py:attribute:: anomaly_type
:type: abacusai.api_class.enums.TimeseriesAnomalyTypeOfAnomaly
+ :value: None
+
.. py:attribute:: hyperparameter_calculation_with_heuristics
:type: abacusai.api_class.enums.TimeseriesAnomalyUseHeuristic
+ :value: None
+
.. py:attribute:: threshold_score
:type: float
+ :value: None
+
+
+
+ .. py:attribute:: additional_anomaly_ids
+ :type: List[str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -8252,26 +9191,38 @@ Package Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: historical_frequency
:type: str
+ :value: None
+
.. py:attribute:: cumulative_prediction_lengths
:type: List[int]
+ :value: None
+
.. py:attribute:: skip_input_transform
:type: bool
+ :value: None
+
.. py:attribute:: skip_target_transform
:type: bool
+ :value: None
+
.. py:attribute:: predict_residuals
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -8304,26 +9255,38 @@ Package Contents
.. py:attribute:: description
:type: str
+ :value: None
+
.. py:attribute:: agent_interface
:type: abacusai.api_class.enums.AgentInterface
+ :value: None
+
.. py:attribute:: agent_connectors
:type: List[abacusai.api_class.enums.ApplicationConnectorType]
+ :value: None
+
.. py:attribute:: enable_binary_input
:type: bool
+ :value: None
+
.. py:attribute:: agent_input_schema
:type: dict
+ :value: None
+
.. py:attribute:: agent_output_schema
:type: dict
+ :value: None
+
.. py:method:: __post_init__()
@@ -8352,26 +9315,38 @@ Package Contents
.. py:attribute:: max_catalog_size
:type: int
+ :value: None
+
.. py:attribute:: max_dimension
:type: int
+ :value: None
+
.. py:attribute:: index_output_path
:type: str
+ :value: None
+
.. py:attribute:: docker_image_uri
:type: str
+ :value: None
+
.. py:attribute:: service_port
:type: int
+ :value: None
+
.. py:attribute:: streaming_embeddings
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -8390,6 +9365,8 @@ Package Contents
.. py:attribute:: timeout_minutes
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -8410,10 +9387,14 @@ Package Contents
.. py:attribute:: solve_time_limit
:type: float
+ :value: None
+
.. py:attribute:: optimality_gap_limit
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -8458,18 +9439,26 @@ Package Contents
.. py:attribute:: algorithm
:type: str
+ :value: None
+
.. py:attribute:: name
:type: str
+ :value: None
+
.. py:attribute:: only_offline_deployable
:type: bool
+ :value: None
+
.. py:attribute:: trained_model_types
:type: List[dict]
+ :value: None
+
.. py:class:: ApiClass
@@ -8483,10 +9472,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -8571,10 +9564,14 @@ Package Contents
.. py:attribute:: window_duration
:type: int
+ :value: None
+
.. py:attribute:: window_from_start
:type: bool
+ :value: None
+
.. py:method:: to_dict()
@@ -8608,26 +9605,38 @@ Package Contents
.. py:attribute:: id_column
:type: str
+ :value: None
+
.. py:attribute:: timestamp_column
:type: str
+ :value: None
+
.. py:attribute:: target_column
:type: str
+ :value: None
+
.. py:attribute:: start_time
:type: str
+ :value: None
+
.. py:attribute:: end_time
:type: str
+ :value: None
+
.. py:attribute:: window_config
:type: TimeWindowConfig
+ :value: None
+
.. py:method:: to_dict()
@@ -8653,10 +9662,14 @@ Package Contents
.. py:attribute:: threshold_type
:type: abacusai.api_class.enums.StdDevThresholdType
+ :value: None
+
.. py:attribute:: value
:type: float
+ :value: None
+
.. py:method:: to_dict()
@@ -8682,10 +9695,14 @@ Package Contents
.. py:attribute:: lower_bound
:type: StdDevThreshold
+ :value: None
+
.. py:attribute:: upper_bound
:type: StdDevThreshold
+ :value: None
+
.. py:method:: to_dict()
@@ -8719,26 +9736,38 @@ Package Contents
.. py:attribute:: feature_name
:type: str
+ :value: None
+
.. py:attribute:: restricted_feature_values
:type: list
+ :value: []
+
.. py:attribute:: start_time
:type: str
+ :value: None
+
.. py:attribute:: end_time
:type: str
+ :value: None
+
.. py:attribute:: min_value
:type: float
+ :value: None
+
.. py:attribute:: max_value
:type: float
+ :value: None
+
.. py:method:: to_dict()
@@ -8772,26 +9801,38 @@ Package Contents
.. py:attribute:: start_time
:type: str
+ :value: None
+
.. py:attribute:: end_time
:type: str
+ :value: None
+
.. py:attribute:: restrict_feature_mappings
:type: List[RestrictFeatureMappings]
+ :value: None
+
.. py:attribute:: target_class
:type: str
+ :value: None
+
.. py:attribute:: train_target_feature
:type: str
+ :value: None
+
.. py:attribute:: prediction_target_feature
:type: str
+ :value: None
+
.. py:method:: to_dict()
@@ -8813,10 +9854,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -8898,6 +9943,8 @@ Package Contents
.. py:attribute:: alert_type
:type: abacusai.api_class.enums.MonitorAlertType
+ :value: None
+
.. py:method:: _get_builder()
@@ -8918,6 +9965,8 @@ Package Contents
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -8942,18 +9991,26 @@ Package Contents
.. py:attribute:: feature_drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:attribute:: minimum_violations
:type: int
+ :value: None
+
.. py:attribute:: feature_names
:type: List[str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -8974,10 +10031,14 @@ Package Contents
.. py:attribute:: feature_drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -8998,10 +10059,14 @@ Package Contents
.. py:attribute:: feature_drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -9022,10 +10087,14 @@ Package Contents
.. py:attribute:: data_integrity_type
:type: abacusai.api_class.enums.DataIntegrityViolationType
+ :value: None
+
.. py:attribute:: minimum_violations
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -9048,14 +10117,20 @@ Package Contents
.. py:attribute:: bias_type
:type: abacusai.api_class.enums.BiasType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:attribute:: minimum_violations
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -9077,14 +10152,20 @@ Package Contents
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:attribute:: aggregation_window
:type: str
+ :value: None
+
.. py:attribute:: aggregation_type
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -9125,6 +10206,8 @@ Package Contents
.. py:attribute:: action_type
:type: abacusai.api_class.enums.AlertActionType
+ :value: None
+
.. py:method:: _get_builder()
@@ -9147,10 +10230,14 @@ Package Contents
.. py:attribute:: email_recipients
:type: List[str]
+ :value: None
+
.. py:attribute:: email_body
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -9191,14 +10278,20 @@ Package Contents
.. py:attribute:: drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: at_risk_threshold
:type: float
+ :value: None
+
.. py:attribute:: severely_drifting_threshold
:type: float
+ :value: None
+
.. py:method:: to_dict()
@@ -9220,10 +10313,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -9316,10 +10413,14 @@ Package Contents
.. py:attribute:: feature_mapping
:type: str
+ :value: None
+
.. py:attribute:: nested_feature_name
:type: str
+ :value: None
+
.. py:class:: ProjectFeatureGroupTypeMappingsConfig
@@ -9343,6 +10444,8 @@ Package Contents
.. py:attribute:: feature_group_type
:type: str
+ :value: None
+
.. py:attribute:: feature_mappings
@@ -9383,14 +10486,20 @@ Package Contents
.. py:attribute:: enforcement
:type: Optional[str]
+ :value: None
+
.. py:attribute:: code
:type: Optional[str]
+ :value: None
+
.. py:attribute:: penalty
:type: Optional[float]
+ :value: None
+
.. py:class:: ProjectFeatureGroupConfig
@@ -9403,6 +10512,8 @@ Package Contents
.. py:attribute:: type
:type: abacusai.api_class.enums.ProjectConfigType
+ :value: None
+
.. py:method:: _get_builder()
@@ -9477,10 +10588,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -9546,22 +10661,32 @@ Package Contents
.. py:attribute:: variable_type
:type: abacusai.api_class.enums.PythonFunctionArgumentType
+ :value: None
+
.. py:attribute:: name
:type: str
+ :value: None
+
.. py:attribute:: is_required
:type: bool
+ :value: True
+
.. py:attribute:: value
:type: Any
+ :value: None
+
.. py:attribute:: pipeline_variable
:type: str
+ :value: None
+
.. py:class:: OutputVariableMapping
@@ -9579,10 +10704,14 @@ Package Contents
.. py:attribute:: variable_type
:type: abacusai.api_class.enums.PythonFunctionOutputArgumentType
+ :value: None
+
.. py:attribute:: name
:type: str
+ :value: None
+
.. py:class:: ApiClass
@@ -9596,10 +10725,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -9681,6 +10814,8 @@ Package Contents
.. py:attribute:: connector_type
:type: abacusai.api_class.enums.ConnectorType
+ :value: None
+
.. py:method:: _get_builder()
@@ -9703,10 +10838,14 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: export_file_format
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -9743,26 +10882,38 @@ Package Contents
.. py:attribute:: database_connector_id
:type: str
+ :value: None
+
.. py:attribute:: mode
:type: str
+ :value: None
+
.. py:attribute:: object_name
:type: str
+ :value: None
+
.. py:attribute:: id_column
:type: str
+ :value: None
+
.. py:attribute:: additional_id_columns
:type: List[str]
+ :value: None
+
.. py:attribute:: data_columns
:type: Dict[str, str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -9807,10 +10958,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
diff --git a/docs/_sources/autoapi/abacusai/api_class/model/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/model/index.rst.txt
index 2d528af5..a4cb931a 100644
--- a/docs/_sources/autoapi/abacusai/api_class/model/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/model/index.rst.txt
@@ -48,10 +48,14 @@ Module Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: True
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: True
+
.. py:attribute:: kwargs
@@ -60,10 +64,14 @@ Module Contents
.. py:attribute:: problem_type
:type: abacusai.api_class.enums.ProblemType
+ :value: None
+
.. py:attribute:: algorithm
:type: str
+ :value: None
+
.. py:method:: _get_builder()
@@ -158,154 +166,230 @@ Module Contents
.. py:attribute:: objective
:type: abacusai.api_class.enums.PersonalizationObjective
+ :value: None
+
.. py:attribute:: sort_objective
:type: abacusai.api_class.enums.PersonalizationObjective
+ :value: None
+
.. py:attribute:: training_mode
:type: abacusai.api_class.enums.PersonalizationTrainingMode
+ :value: None
+
.. py:attribute:: target_action_types
:type: List[str]
+ :value: None
+
.. py:attribute:: target_action_weights
:type: Dict[str, float]
+ :value: None
+
.. py:attribute:: session_event_types
:type: List[str]
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: recent_days_for_training
:type: int
+ :value: None
+
.. py:attribute:: training_start_date
:type: str
+ :value: None
+
.. py:attribute:: test_on_user_split
:type: bool
+ :value: None
+
.. py:attribute:: test_split_on_last_k_items
:type: bool
+ :value: None
+
.. py:attribute:: test_last_items_length
:type: int
+ :value: None
+
.. py:attribute:: test_window_length_hours
:type: int
+ :value: None
+
.. py:attribute:: explicit_time_split
:type: bool
+ :value: None
+
.. py:attribute:: test_row_indicator
:type: str
+ :value: None
+
.. py:attribute:: full_data_retraining
:type: bool
+ :value: None
+
.. py:attribute:: sequential_training
:type: bool
+ :value: None
+
.. py:attribute:: data_split_feature_group_table_name
:type: str
+ :value: None
+
.. py:attribute:: optimized_event_type
:type: str
+ :value: None
+
.. py:attribute:: dropout_rate
:type: int
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:attribute:: disable_transformer
:type: bool
+ :value: None
+
.. py:attribute:: disable_gpu
:type: bool
+ :value: None
+
.. py:attribute:: filter_history
:type: bool
+ :value: None
+
.. py:attribute:: action_types_exclusion_days
:type: Dict[str, float]
+ :value: None
+
.. py:attribute:: max_history_length
:type: int
+ :value: None
+
.. py:attribute:: compute_rerank_metrics
:type: bool
+ :value: None
+
.. py:attribute:: add_time_features
:type: bool
+ :value: None
+
.. py:attribute:: disable_timestamp_scalar_features
:type: bool
+ :value: None
+
.. py:attribute:: compute_session_metrics
:type: bool
+ :value: None
+
.. py:attribute:: query_column
:type: str
+ :value: None
+
.. py:attribute:: item_query_column
:type: str
+ :value: None
+
.. py:attribute:: use_user_id_feature
:type: bool
+ :value: None
+
.. py:attribute:: session_dedupe_mins
:type: float
+ :value: None
+
.. py:attribute:: include_item_id_feature
:type: bool
+ :value: None
+
.. py:attribute:: max_user_history_len_percentile
:type: int
+ :value: None
+
.. py:attribute:: downsample_item_popularity_percentile
:type: float
+ :value: None
+
.. py:attribute:: min_item_history
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -412,182 +496,272 @@ Module Contents
.. py:attribute:: objective
:type: abacusai.api_class.enums.RegressionObjective
+ :value: None
+
.. py:attribute:: sort_objective
:type: abacusai.api_class.enums.RegressionObjective
+ :value: None
+
.. py:attribute:: tree_hpo_mode
:type: abacusai.api_class.enums.RegressionTreeHPOMode
+ :value: None
+
.. py:attribute:: partial_dependence_analysis
:type: abacusai.api_class.enums.PartialDependenceAnalysis
+ :value: None
+
.. py:attribute:: type_of_split
:type: abacusai.api_class.enums.RegressionTypeOfSplit
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: disable_test_val_fold
:type: bool
+ :value: None
+
.. py:attribute:: k_fold_cross_validation
:type: bool
+ :value: None
+
.. py:attribute:: num_cv_folds
:type: int
+ :value: None
+
.. py:attribute:: timestamp_based_splitting_column
:type: str
+ :value: None
+
.. py:attribute:: timestamp_based_splitting_method
:type: abacusai.api_class.enums.RegressionTimeSplitMethod
+ :value: None
+
.. py:attribute:: test_splitting_timestamp
:type: str
+ :value: None
+
.. py:attribute:: sampling_unit_keys
:type: List[str]
+ :value: None
+
.. py:attribute:: test_row_indicator
:type: str
+ :value: None
+
.. py:attribute:: full_data_retraining
:type: bool
+ :value: None
+
.. py:attribute:: rebalance_classes
:type: bool
+ :value: None
+
.. py:attribute:: rare_class_augmentation_threshold
:type: float
+ :value: None
+
.. py:attribute:: augmentation_strategy
:type: abacusai.api_class.enums.RegressionAugmentationStrategy
+ :value: None
+
.. py:attribute:: training_rows_downsample_ratio
:type: float
+ :value: None
+
.. py:attribute:: active_labels_column
:type: str
+ :value: None
+
.. py:attribute:: min_categorical_count
:type: int
+ :value: None
+
.. py:attribute:: sample_weight
:type: str
+ :value: None
+
.. py:attribute:: numeric_clipping_percentile
:type: float
+ :value: None
+
.. py:attribute:: target_transform
:type: abacusai.api_class.enums.RegressionTargetTransform
+ :value: None
+
.. py:attribute:: ignore_datetime_features
:type: bool
+ :value: None
+
.. py:attribute:: max_text_words
:type: int
+ :value: None
+
.. py:attribute:: perform_feature_selection
:type: bool
+ :value: None
+
.. py:attribute:: feature_selection_intensity
:type: int
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:attribute:: dropout_rate
:type: int
+ :value: None
+
.. py:attribute:: pretrained_model_name
:type: str
+ :value: None
+
.. py:attribute:: pretrained_llm_name
:type: str
+ :value: None
+
.. py:attribute:: is_multilingual
:type: bool
+ :value: None
+
.. py:attribute:: do_masked_language_model_pretraining
:type: bool
+ :value: None
+
.. py:attribute:: max_tokens_in_sentence
:type: int
+ :value: None
+
.. py:attribute:: truncation_strategy
:type: str
+ :value: None
+
.. py:attribute:: loss_function
:type: abacusai.api_class.enums.RegressionLossFunction
+ :value: None
+
.. py:attribute:: loss_parameters
:type: str
+ :value: None
+
.. py:attribute:: target_encode_categoricals
:type: bool
+ :value: None
+
.. py:attribute:: drop_original_categoricals
:type: bool
+ :value: None
+
.. py:attribute:: monotonically_increasing_features
:type: List[str]
+ :value: None
+
.. py:attribute:: monotonically_decreasing_features
:type: List[str]
+ :value: None
+
.. py:attribute:: data_split_feature_group_table_name
:type: str
+ :value: None
+
.. py:attribute:: custom_loss_functions
:type: List[str]
+ :value: None
+
.. py:attribute:: custom_metrics
:type: List[str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -727,254 +901,380 @@ Module Contents
.. py:attribute:: prediction_length
:type: int
+ :value: None
+
.. py:attribute:: objective
:type: abacusai.api_class.enums.ForecastingObjective
+ :value: None
+
.. py:attribute:: sort_objective
:type: abacusai.api_class.enums.ForecastingObjective
+ :value: None
+
.. py:attribute:: forecast_frequency
:type: abacusai.api_class.enums.ForecastingFrequency
+ :value: None
+
.. py:attribute:: probability_quantiles
:type: List[float]
+ :value: None
+
.. py:attribute:: force_prediction_length
:type: bool
+ :value: None
+
.. py:attribute:: filter_items
:type: bool
+ :value: None
+
.. py:attribute:: enable_feature_selection
:type: bool
+ :value: None
+
.. py:attribute:: enable_padding
:type: bool
+ :value: None
+
.. py:attribute:: enable_cold_start
:type: bool
+ :value: None
+
.. py:attribute:: enable_multiple_backtests
:type: bool
+ :value: None
+
.. py:attribute:: num_backtesting_windows
:type: int
+ :value: None
+
.. py:attribute:: backtesting_window_step_size
:type: int
+ :value: None
+
.. py:attribute:: full_data_retraining
:type: bool
+ :value: None
+
.. py:attribute:: additional_forecast_keys
:type: List[str]
+ :value: None
+
.. py:attribute:: experimentation_mode
:type: abacusai.api_class.enums.ExperimentationMode
+ :value: None
+
.. py:attribute:: type_of_split
:type: abacusai.api_class.enums.ForecastingDataSplitType
+ :value: None
+
.. py:attribute:: test_by_item
:type: bool
+ :value: None
+
.. py:attribute:: test_start
:type: str
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: loss_function
:type: abacusai.api_class.enums.ForecastingLossFunction
+ :value: None
+
.. py:attribute:: underprediction_weight
:type: float
+ :value: None
+
.. py:attribute:: disable_networks_without_analytic_quantiles
:type: bool
+ :value: None
+
.. py:attribute:: initial_learning_rate
:type: float
+ :value: None
+
.. py:attribute:: l2_regularization_factor
:type: float
+ :value: None
+
.. py:attribute:: dropout_rate
:type: int
+ :value: None
+
.. py:attribute:: recurrent_layers
:type: int
+ :value: None
+
.. py:attribute:: recurrent_units
:type: int
+ :value: None
+
.. py:attribute:: convolutional_layers
:type: int
+ :value: None
+
.. py:attribute:: convolution_filters
:type: int
+ :value: None
+
.. py:attribute:: local_scaling_mode
:type: abacusai.api_class.enums.ForecastingLocalScaling
+ :value: None
+
.. py:attribute:: zero_predictor
:type: bool
+ :value: None
+
.. py:attribute:: skip_missing
:type: bool
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:attribute:: batch_renormalization
:type: bool
+ :value: None
+
.. py:attribute:: history_length
:type: int
+ :value: None
+
.. py:attribute:: prediction_step_size
:type: int
+ :value: None
+
.. py:attribute:: training_point_overlap
:type: float
+ :value: None
+
.. py:attribute:: max_scale_context
:type: int
+ :value: None
+
.. py:attribute:: quantiles_extension_method
:type: abacusai.api_class.enums.ForecastingQuanitlesExtensionMethod
+ :value: None
+
.. py:attribute:: number_of_samples
:type: int
+ :value: None
+
.. py:attribute:: symmetrize_quantiles
:type: bool
+ :value: None
+
.. py:attribute:: use_log_transforms
:type: bool
+ :value: None
+
.. py:attribute:: smooth_history
:type: float
+ :value: None
+
.. py:attribute:: local_scale_target
:type: bool
+ :value: None
+
.. py:attribute:: use_clipping
:type: bool
+ :value: None
+
.. py:attribute:: timeseries_weight_column
:type: str
+ :value: None
+
.. py:attribute:: item_attributes_weight_column
:type: str
+ :value: None
+
.. py:attribute:: use_timeseries_weights_in_objective
:type: bool
+ :value: None
+
.. py:attribute:: use_item_weights_in_objective
:type: bool
+ :value: None
+
.. py:attribute:: skip_timeseries_weight_scaling
:type: bool
+ :value: None
+
.. py:attribute:: timeseries_loss_weight_column
:type: str
+ :value: None
+
.. py:attribute:: use_item_id
:type: bool
+ :value: None
+
.. py:attribute:: use_all_item_totals
:type: bool
+ :value: None
+
.. py:attribute:: handle_zeros_as_missing_values
:type: bool
+ :value: None
+
.. py:attribute:: datetime_holiday_calendars
:type: List[abacusai.api_class.enums.HolidayCalendars]
+ :value: None
+
.. py:attribute:: fill_missing_values
:type: List[List[dict]]
+ :value: None
+
.. py:attribute:: enable_clustering
:type: bool
+ :value: None
+
.. py:attribute:: data_split_feature_group_table_name
:type: str
+ :value: None
+
.. py:attribute:: custom_loss_functions
:type: List[str]
+ :value: None
+
.. py:attribute:: custom_metrics
:type: List[str]
+ :value: None
+
.. py:attribute:: return_fractional_forecasts
:type: bool
+ :value: None
+
.. py:attribute:: allow_training_with_small_history
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -1087,26 +1387,38 @@ Module Contents
.. py:attribute:: abacus_internal_model
:type: bool
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: larger_embeddings
:type: bool
+ :value: None
+
.. py:attribute:: search_chunk_size
:type: int
+ :value: None
+
.. py:attribute:: index_fraction
:type: float
+ :value: None
+
.. py:attribute:: chunk_overlap_fraction
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -1187,142 +1499,212 @@ Module Contents
.. py:attribute:: document_retrievers
:type: List[str]
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: retrieval_columns
:type: list
+ :value: None
+
.. py:attribute:: filter_columns
:type: list
+ :value: None
+
.. py:attribute:: include_general_knowledge
:type: bool
+ :value: None
+
.. py:attribute:: enable_web_search
:type: bool
+ :value: None
+
.. py:attribute:: behavior_instructions
:type: str
+ :value: None
+
.. py:attribute:: response_instructions
:type: str
+ :value: None
+
.. py:attribute:: enable_llm_rewrite
:type: bool
+ :value: None
+
.. py:attribute:: column_filtering_instructions
:type: str
+ :value: None
+
.. py:attribute:: keyword_requirement_instructions
:type: str
+ :value: None
+
.. py:attribute:: query_rewrite_instructions
:type: str
+ :value: None
+
.. py:attribute:: max_search_results
:type: int
+ :value: None
+
.. py:attribute:: data_feature_group_ids
:type: List[str]
+ :value: None
+
.. py:attribute:: data_prompt_context
:type: str
+ :value: None
+
.. py:attribute:: data_prompt_table_context
:type: Dict[str, str]
+ :value: None
+
.. py:attribute:: data_prompt_column_context
:type: Dict[str, str]
+ :value: None
+
.. py:attribute:: hide_sql_and_code
:type: bool
+ :value: None
+
.. py:attribute:: disable_data_summarization
:type: bool
+ :value: None
+
.. py:attribute:: data_columns_to_ignore
:type: List[str]
+ :value: None
+
.. py:attribute:: search_score_cutoff
:type: float
+ :value: None
+
.. py:attribute:: include_bm25_retrieval
:type: bool
+ :value: None
+
.. py:attribute:: database_connector_id
:type: str
+ :value: None
+
.. py:attribute:: database_connector_tables
:type: List[str]
+ :value: None
+
.. py:attribute:: enable_code_execution
:type: bool
+ :value: None
+
.. py:attribute:: metadata_columns
:type: list
+ :value: None
+
.. py:attribute:: lookup_rewrite_instructions
:type: str
+ :value: None
+
.. py:attribute:: enable_response_caching
:type: bool
+ :value: None
+
.. py:attribute:: unknown_answer_phrase
:type: str
+ :value: None
+
.. py:attribute:: enable_tool_bar
:type: bool
+ :value: None
+
.. py:attribute:: enable_inline_source_citations
:type: bool
+ :value: None
+
.. py:attribute:: response_format
:type: str
+ :value: None
+
.. py:attribute:: json_response_instructions
:type: str
+ :value: None
+
.. py:attribute:: json_response_schema
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -1345,14 +1727,20 @@ Module Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: dropout_rate
:type: float
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:method:: __post_init__()
@@ -1373,10 +1761,14 @@ Module Contents
.. py:attribute:: sentiment_type
:type: abacusai.api_class.enums.SentimentType
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -1397,10 +1789,14 @@ Module Contents
.. py:attribute:: zero_shot_hypotheses
:type: List[str]
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -1423,14 +1819,20 @@ Module Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: dropout_rate
:type: float
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:method:: __post_init__()
@@ -1453,14 +1855,20 @@ Module Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: dropout_rate
:type: float
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:method:: __post_init__()
@@ -1479,6 +1887,8 @@ Module Contents
.. py:attribute:: num_clusters_selection
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -1499,10 +1909,14 @@ Module Contents
.. py:attribute:: num_clusters_selection
:type: int
+ :value: None
+
.. py:attribute:: imputation
:type: abacusai.api_class.enums.ClusteringImputationMethod
+ :value: None
+
.. py:method:: __post_init__()
@@ -1521,6 +1935,8 @@ Module Contents
.. py:attribute:: anomaly_fraction
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -1553,46 +1969,74 @@ Module Contents
:type hyperparameter_calculation_with_heuristics: TimeseriesAnomalyUseHeuristic
:param threshold_score: Threshold score for anomaly detection
:type threshold_score: float
+ :param additional_anomaly_ids: List of categorical columns that can act as multi-identifier
+ :type additional_anomaly_ids: List[str]
.. py:attribute:: type_of_split
:type: abacusai.api_class.enums.TimeseriesAnomalyDataSplitType
+ :value: None
+
.. py:attribute:: test_start
:type: str
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: fill_missing_values
:type: List[List[dict]]
+ :value: None
+
.. py:attribute:: handle_zeros_as_missing_values
:type: bool
+ :value: None
+
.. py:attribute:: timeseries_frequency
:type: str
+ :value: None
+
.. py:attribute:: min_samples_in_normal_region
:type: int
+ :value: None
+
.. py:attribute:: anomaly_type
:type: abacusai.api_class.enums.TimeseriesAnomalyTypeOfAnomaly
+ :value: None
+
.. py:attribute:: hyperparameter_calculation_with_heuristics
:type: abacusai.api_class.enums.TimeseriesAnomalyUseHeuristic
+ :value: None
+
.. py:attribute:: threshold_score
:type: float
+ :value: None
+
+
+
+ .. py:attribute:: additional_anomaly_ids
+ :type: List[str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -1621,26 +2065,38 @@ Module Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: historical_frequency
:type: str
+ :value: None
+
.. py:attribute:: cumulative_prediction_lengths
:type: List[int]
+ :value: None
+
.. py:attribute:: skip_input_transform
:type: bool
+ :value: None
+
.. py:attribute:: skip_target_transform
:type: bool
+ :value: None
+
.. py:attribute:: predict_residuals
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -1673,26 +2129,38 @@ Module Contents
.. py:attribute:: description
:type: str
+ :value: None
+
.. py:attribute:: agent_interface
:type: abacusai.api_class.enums.AgentInterface
+ :value: None
+
.. py:attribute:: agent_connectors
:type: List[abacusai.api_class.enums.ApplicationConnectorType]
+ :value: None
+
.. py:attribute:: enable_binary_input
:type: bool
+ :value: None
+
.. py:attribute:: agent_input_schema
:type: dict
+ :value: None
+
.. py:attribute:: agent_output_schema
:type: dict
+ :value: None
+
.. py:method:: __post_init__()
@@ -1721,26 +2189,38 @@ Module Contents
.. py:attribute:: max_catalog_size
:type: int
+ :value: None
+
.. py:attribute:: max_dimension
:type: int
+ :value: None
+
.. py:attribute:: index_output_path
:type: str
+ :value: None
+
.. py:attribute:: docker_image_uri
:type: str
+ :value: None
+
.. py:attribute:: service_port
:type: int
+ :value: None
+
.. py:attribute:: streaming_embeddings
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -1759,6 +2239,8 @@ Module Contents
.. py:attribute:: timeout_minutes
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -1779,10 +2261,14 @@ Module Contents
.. py:attribute:: solve_time_limit
:type: float
+ :value: None
+
.. py:attribute:: optimality_gap_limit
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -1827,17 +2313,25 @@ Module Contents
.. py:attribute:: algorithm
:type: str
+ :value: None
+
.. py:attribute:: name
:type: str
+ :value: None
+
.. py:attribute:: only_offline_deployable
:type: bool
+ :value: None
+
.. py:attribute:: trained_model_types
:type: List[dict]
+ :value: None
+
diff --git a/docs/_sources/autoapi/abacusai/api_class/monitor/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/monitor/index.rst.txt
index 78c1e1ac..99ab359a 100644
--- a/docs/_sources/autoapi/abacusai/api_class/monitor/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/monitor/index.rst.txt
@@ -35,10 +35,14 @@ Module Contents
.. py:attribute:: window_duration
:type: int
+ :value: None
+
.. py:attribute:: window_from_start
:type: bool
+ :value: None
+
.. py:method:: to_dict()
@@ -72,26 +76,38 @@ Module Contents
.. py:attribute:: id_column
:type: str
+ :value: None
+
.. py:attribute:: timestamp_column
:type: str
+ :value: None
+
.. py:attribute:: target_column
:type: str
+ :value: None
+
.. py:attribute:: start_time
:type: str
+ :value: None
+
.. py:attribute:: end_time
:type: str
+ :value: None
+
.. py:attribute:: window_config
:type: TimeWindowConfig
+ :value: None
+
.. py:method:: to_dict()
@@ -117,10 +133,14 @@ Module Contents
.. py:attribute:: threshold_type
:type: abacusai.api_class.enums.StdDevThresholdType
+ :value: None
+
.. py:attribute:: value
:type: float
+ :value: None
+
.. py:method:: to_dict()
@@ -146,10 +166,14 @@ Module Contents
.. py:attribute:: lower_bound
:type: StdDevThreshold
+ :value: None
+
.. py:attribute:: upper_bound
:type: StdDevThreshold
+ :value: None
+
.. py:method:: to_dict()
@@ -183,26 +207,38 @@ Module Contents
.. py:attribute:: feature_name
:type: str
+ :value: None
+
.. py:attribute:: restricted_feature_values
:type: list
+ :value: []
+
.. py:attribute:: start_time
:type: str
+ :value: None
+
.. py:attribute:: end_time
:type: str
+ :value: None
+
.. py:attribute:: min_value
:type: float
+ :value: None
+
.. py:attribute:: max_value
:type: float
+ :value: None
+
.. py:method:: to_dict()
@@ -236,26 +272,38 @@ Module Contents
.. py:attribute:: start_time
:type: str
+ :value: None
+
.. py:attribute:: end_time
:type: str
+ :value: None
+
.. py:attribute:: restrict_feature_mappings
:type: List[RestrictFeatureMappings]
+ :value: None
+
.. py:attribute:: target_class
:type: str
+ :value: None
+
.. py:attribute:: train_target_feature
:type: str
+ :value: None
+
.. py:attribute:: prediction_target_feature
:type: str
+ :value: None
+
.. py:method:: to_dict()
diff --git a/docs/_sources/autoapi/abacusai/api_class/monitor_alert/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/monitor_alert/index.rst.txt
index cdc2f3fd..89c20b1a 100644
--- a/docs/_sources/autoapi/abacusai/api_class/monitor_alert/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/monitor_alert/index.rst.txt
@@ -37,6 +37,8 @@ Module Contents
.. py:attribute:: alert_type
:type: abacusai.api_class.enums.MonitorAlertType
+ :value: None
+
.. py:method:: _get_builder()
@@ -57,6 +59,8 @@ Module Contents
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -81,18 +85,26 @@ Module Contents
.. py:attribute:: feature_drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:attribute:: minimum_violations
:type: int
+ :value: None
+
.. py:attribute:: feature_names
:type: List[str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -113,10 +125,14 @@ Module Contents
.. py:attribute:: feature_drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -137,10 +153,14 @@ Module Contents
.. py:attribute:: feature_drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -161,10 +181,14 @@ Module Contents
.. py:attribute:: data_integrity_type
:type: abacusai.api_class.enums.DataIntegrityViolationType
+ :value: None
+
.. py:attribute:: minimum_violations
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -187,14 +211,20 @@ Module Contents
.. py:attribute:: bias_type
:type: abacusai.api_class.enums.BiasType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:attribute:: minimum_violations
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -216,14 +246,20 @@ Module Contents
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:attribute:: aggregation_window
:type: str
+ :value: None
+
.. py:attribute:: aggregation_type
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -264,6 +300,8 @@ Module Contents
.. py:attribute:: action_type
:type: abacusai.api_class.enums.AlertActionType
+ :value: None
+
.. py:method:: _get_builder()
@@ -286,10 +324,14 @@ Module Contents
.. py:attribute:: email_recipients
:type: List[str]
+ :value: None
+
.. py:attribute:: email_body
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -330,14 +372,20 @@ Module Contents
.. py:attribute:: drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: at_risk_threshold
:type: float
+ :value: None
+
.. py:attribute:: severely_drifting_threshold
:type: float
+ :value: None
+
.. py:method:: to_dict()
diff --git a/docs/_sources/autoapi/abacusai/api_class/project/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/project/index.rst.txt
index 250b1424..28eebb26 100644
--- a/docs/_sources/autoapi/abacusai/api_class/project/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/project/index.rst.txt
@@ -42,10 +42,14 @@ Module Contents
.. py:attribute:: feature_mapping
:type: str
+ :value: None
+
.. py:attribute:: nested_feature_name
:type: str
+ :value: None
+
.. py:class:: ProjectFeatureGroupTypeMappingsConfig
@@ -69,6 +73,8 @@ Module Contents
.. py:attribute:: feature_group_type
:type: str
+ :value: None
+
.. py:attribute:: feature_mappings
@@ -109,14 +115,20 @@ Module Contents
.. py:attribute:: enforcement
:type: Optional[str]
+ :value: None
+
.. py:attribute:: code
:type: Optional[str]
+ :value: None
+
.. py:attribute:: penalty
:type: Optional[float]
+ :value: None
+
.. py:class:: ProjectFeatureGroupConfig
@@ -129,6 +141,8 @@ Module Contents
.. py:attribute:: type
:type: abacusai.api_class.enums.ProjectConfigType
+ :value: None
+
.. py:method:: _get_builder()
diff --git a/docs/_sources/autoapi/abacusai/api_class/python_functions/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/python_functions/index.rst.txt
index f7f52682..451288a8 100644
--- a/docs/_sources/autoapi/abacusai/api_class/python_functions/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/python_functions/index.rst.txt
@@ -37,22 +37,32 @@ Module Contents
.. py:attribute:: variable_type
:type: abacusai.api_class.enums.PythonFunctionArgumentType
+ :value: None
+
.. py:attribute:: name
:type: str
+ :value: None
+
.. py:attribute:: is_required
:type: bool
+ :value: True
+
.. py:attribute:: value
:type: Any
+ :value: None
+
.. py:attribute:: pipeline_variable
:type: str
+ :value: None
+
.. py:class:: OutputVariableMapping
@@ -70,9 +80,13 @@ Module Contents
.. py:attribute:: variable_type
:type: abacusai.api_class.enums.PythonFunctionOutputArgumentType
+ :value: None
+
.. py:attribute:: name
:type: str
+ :value: None
+
diff --git a/docs/_sources/autoapi/abacusai/api_class/refresh/index.rst.txt b/docs/_sources/autoapi/abacusai/api_class/refresh/index.rst.txt
index ae7c2063..a29a90d8 100644
--- a/docs/_sources/autoapi/abacusai/api_class/refresh/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_class/refresh/index.rst.txt
@@ -28,6 +28,8 @@ Module Contents
.. py:attribute:: connector_type
:type: abacusai.api_class.enums.ConnectorType
+ :value: None
+
.. py:method:: _get_builder()
@@ -50,10 +52,14 @@ Module Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: export_file_format
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -90,26 +96,38 @@ Module Contents
.. py:attribute:: database_connector_id
:type: str
+ :value: None
+
.. py:attribute:: mode
:type: str
+ :value: None
+
.. py:attribute:: object_name
:type: str
+ :value: None
+
.. py:attribute:: id_column
:type: str
+ :value: None
+
.. py:attribute:: additional_id_columns
:type: List[str]
+ :value: None
+
.. py:attribute:: data_columns
:type: Dict[str, str]
+ :value: None
+
.. py:method:: __post_init__()
diff --git a/docs/_sources/autoapi/abacusai/api_endpoint/index.rst.txt b/docs/_sources/autoapi/abacusai/api_endpoint/index.rst.txt
index a4f61bd3..bb18e33d 100644
--- a/docs/_sources/autoapi/abacusai/api_endpoint/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_endpoint/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: api_endpoint
+ :value: None
+
.. py:attribute:: predict_endpoint
+ :value: None
+
.. py:attribute:: proxy_endpoint
+ :value: None
+
.. py:attribute:: llm_endpoint
+ :value: None
+
.. py:attribute:: external_chat_endpoint
+ :value: None
+
.. py:attribute:: dashboard_endpoint
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/api_key/index.rst.txt b/docs/_sources/autoapi/abacusai/api_key/index.rst.txt
index 7934b267..42b618e1 100644
--- a/docs/_sources/autoapi/abacusai/api_key/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/api_key/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: api_key_id
+ :value: None
+
.. py:attribute:: api_key
+ :value: None
+
.. py:attribute:: api_key_suffix
+ :value: None
+
.. py:attribute:: tag
+ :value: None
+
.. py:attribute:: type
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: expires_at
+ :value: None
+
.. py:attribute:: is_expired
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/app_user_group/index.rst.txt b/docs/_sources/autoapi/abacusai/app_user_group/index.rst.txt
index 96e2b055..e4cb55aa 100644
--- a/docs/_sources/autoapi/abacusai/app_user_group/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/app_user_group/index.rst.txt
@@ -45,27 +45,43 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: user_group_id
+ :value: None
+
.. py:attribute:: external_application_ids
+ :value: None
+
.. py:attribute:: invited_user_emails
+ :value: None
+
.. py:attribute:: public_user_group
+ :value: None
+
.. py:attribute:: has_external_application_reporting
+ :value: None
+
.. py:attribute:: is_external_service_group
+ :value: None
+
.. py:attribute:: external_service_group_id
+ :value: None
+
.. py:attribute:: users
diff --git a/docs/_sources/autoapi/abacusai/app_user_group_sign_in_token/index.rst.txt b/docs/_sources/autoapi/abacusai/app_user_group_sign_in_token/index.rst.txt
index 3b257460..eabf60de 100644
--- a/docs/_sources/autoapi/abacusai/app_user_group_sign_in_token/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/app_user_group_sign_in_token/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: token
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/application_connector/index.rst.txt b/docs/_sources/autoapi/abacusai/application_connector/index.rst.txt
index a072c275..4c94d649 100644
--- a/docs/_sources/autoapi/abacusai/application_connector/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/application_connector/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: application_connector_id
+ :value: None
+
.. py:attribute:: service
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: auth
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/batch_prediction/index.rst.txt b/docs/_sources/autoapi/abacusai/batch_prediction/index.rst.txt
index 2b85b30c..13ea2afa 100644
--- a/docs/_sources/autoapi/abacusai/batch_prediction/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/batch_prediction/index.rst.txt
@@ -87,75 +87,123 @@ Module Contents
.. py:attribute:: batch_prediction_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: file_connector_output_location
+ :value: None
+
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: database_output_configuration
+ :value: None
+
.. py:attribute:: file_output_format
+ :value: None
+
.. py:attribute:: connector_type
+ :value: None
+
.. py:attribute:: legacy_input_location
+ :value: None
+
.. py:attribute:: output_feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_table_name
+ :value: None
+
.. py:attribute:: output_feature_group_table_name
+ :value: None
+
.. py:attribute:: summary_feature_group_table_name
+ :value: None
+
.. py:attribute:: csv_input_prefix
+ :value: None
+
.. py:attribute:: csv_prediction_prefix
+ :value: None
+
.. py:attribute:: csv_explanations_prefix
+ :value: None
+
.. py:attribute:: output_includes_metadata
+ :value: None
+
.. py:attribute:: result_input_columns
+ :value: None
+
.. py:attribute:: model_monitor_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: bp_across_versions_monitor_id
+ :value: None
+
.. py:attribute:: algorithm
+ :value: None
+
.. py:attribute:: batch_prediction_args_type
+ :value: None
+
.. py:attribute:: batch_inputs
diff --git a/docs/_sources/autoapi/abacusai/batch_prediction_version/index.rst.txt b/docs/_sources/autoapi/abacusai/batch_prediction_version/index.rst.txt
index ab3413c0..3640d4ea 100644
--- a/docs/_sources/autoapi/abacusai/batch_prediction_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/batch_prediction_version/index.rst.txt
@@ -109,114 +109,188 @@ Module Contents
.. py:attribute:: batch_prediction_version
+ :value: None
+
.. py:attribute:: batch_prediction_id
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: drift_monitor_status
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: predictions_started_at
+ :value: None
+
.. py:attribute:: predictions_completed_at
+ :value: None
+
.. py:attribute:: database_output_error
+ :value: None
+
.. py:attribute:: total_predictions
+ :value: None
+
.. py:attribute:: failed_predictions
+ :value: None
+
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: database_output_configuration
+ :value: None
+
.. py:attribute:: file_connector_output_location
+ :value: None
+
.. py:attribute:: file_output_format
+ :value: None
+
.. py:attribute:: connector_type
+ :value: None
+
.. py:attribute:: legacy_input_location
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: drift_monitor_error
+ :value: None
+
.. py:attribute:: monitor_warnings
+ :value: None
+
.. py:attribute:: csv_input_prefix
+ :value: None
+
.. py:attribute:: csv_prediction_prefix
+ :value: None
+
.. py:attribute:: csv_explanations_prefix
+ :value: None
+
.. py:attribute:: database_output_total_writes
+ :value: None
+
.. py:attribute:: database_output_failed_writes
+ :value: None
+
.. py:attribute:: output_includes_metadata
+ :value: None
+
.. py:attribute:: result_input_columns
+ :value: None
+
.. py:attribute:: model_monitor_version
+ :value: None
+
.. py:attribute:: algo_name
+ :value: None
+
.. py:attribute:: algorithm
+ :value: None
+
.. py:attribute:: output_feature_group_id
+ :value: None
+
.. py:attribute:: output_feature_group_version
+ :value: None
+
.. py:attribute:: output_feature_group_table_name
+ :value: None
+
.. py:attribute:: batch_prediction_warnings
+ :value: None
+
.. py:attribute:: bp_across_versions_monitor_version
+ :value: None
+
.. py:attribute:: batch_prediction_args_type
+ :value: None
+
.. py:attribute:: batch_inputs
diff --git a/docs/_sources/autoapi/abacusai/batch_prediction_version_logs/index.rst.txt b/docs/_sources/autoapi/abacusai/batch_prediction_version_logs/index.rst.txt
index e952fe46..1cba377d 100644
--- a/docs/_sources/autoapi/abacusai/batch_prediction_version_logs/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/batch_prediction_version_logs/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: warnings
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/bot_info/index.rst.txt b/docs/_sources/autoapi/abacusai/bot_info/index.rst.txt
index 238cf7e7..1a0cd0b4 100644
--- a/docs/_sources/autoapi/abacusai/bot_info/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/bot_info/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: external_application_id
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/categorical_range_violation/index.rst.txt b/docs/_sources/autoapi/abacusai/categorical_range_violation/index.rst.txt
index 1e2296dd..3b297374 100644
--- a/docs/_sources/autoapi/abacusai/categorical_range_violation/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/categorical_range_violation/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: most_common_values
+ :value: None
+
.. py:attribute:: freq_outside_training_range
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/chat_message/index.rst.txt b/docs/_sources/autoapi/abacusai/chat_message/index.rst.txt
index aa4c3dfd..1750c3fc 100644
--- a/docs/_sources/autoapi/abacusai/chat_message/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/chat_message/index.rst.txt
@@ -45,30 +45,48 @@ Module Contents
.. py:attribute:: role
+ :value: None
+
.. py:attribute:: text
+ :value: None
+
.. py:attribute:: timestamp
+ :value: None
+
.. py:attribute:: is_useful
+ :value: None
+
.. py:attribute:: feedback
+ :value: None
+
.. py:attribute:: doc_ids
+ :value: None
+
.. py:attribute:: hotkey_title
+ :value: None
+
.. py:attribute:: tasks
+ :value: None
+
.. py:attribute:: keyword_arguments
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/chat_session/index.rst.txt b/docs/_sources/autoapi/abacusai/chat_session/index.rst.txt
index 49f5c111..774be2f1 100644
--- a/docs/_sources/autoapi/abacusai/chat_session/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/chat_session/index.rst.txt
@@ -49,30 +49,48 @@ Module Contents
.. py:attribute:: answer
+ :value: None
+
.. py:attribute:: chat_session_id
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: ai_building_in_progress
+ :value: None
+
.. py:attribute:: notification
+ :value: None
+
.. py:attribute:: whiteboard
+ :value: None
+
.. py:attribute:: chat_history
diff --git a/docs/_sources/autoapi/abacusai/chatllm_computer/index.rst.txt b/docs/_sources/autoapi/abacusai/chatllm_computer/index.rst.txt
new file mode 100644
index 00000000..3db42af7
--- /dev/null
+++ b/docs/_sources/autoapi/abacusai/chatllm_computer/index.rst.txt
@@ -0,0 +1,64 @@
+abacusai.chatllm_computer
+=========================
+
+.. py:module:: abacusai.chatllm_computer
+
+
+Classes
+-------
+
+.. autoapisummary::
+
+ abacusai.chatllm_computer.ChatllmComputer
+
+
+Module Contents
+---------------
+
+.. py:class:: ChatllmComputer(client, computerId=None, token=None, vncEndpoint=None)
+
+ Bases: :py:obj:`abacusai.return_class.AbstractApiClass`
+
+
+ ChatLLMComputer
+
+ :param client: An authenticated API Client instance
+ :type client: ApiClient
+ :param computerId: The computer id.
+ :type computerId: int
+ :param token: The token.
+ :type token: str
+ :param vncEndpoint: The VNC endpoint.
+ :type vncEndpoint: str
+
+
+ .. py:attribute:: computer_id
+ :value: None
+
+
+
+ .. py:attribute:: token
+ :value: None
+
+
+
+ .. py:attribute:: vnc_endpoint
+ :value: None
+
+
+
+ .. py:attribute:: deprecated_keys
+
+
+ .. py:method:: __repr__()
+
+
+ .. py:method:: to_dict()
+
+ Get a dict representation of the parameters in this class
+
+ :returns: The dict value representation of the class parameters
+ :rtype: dict
+
+
+
diff --git a/docs/_sources/autoapi/abacusai/chatllm_referral_invite/index.rst.txt b/docs/_sources/autoapi/abacusai/chatllm_referral_invite/index.rst.txt
index 886e0570..fa480754 100644
--- a/docs/_sources/autoapi/abacusai/chatllm_referral_invite/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/chatllm_referral_invite/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: user_already_exists
+ :value: None
+
.. py:attribute:: successful_invites
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/client/index.rst.txt b/docs/_sources/autoapi/abacusai/client/index.rst.txt
index a12b8a58..4f0287d6 100644
--- a/docs/_sources/autoapi/abacusai/client/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/client/index.rst.txt
@@ -121,9 +121,6 @@ Module Contents
- .. py:method:: __getattr__(item)
-
-
.. py:class:: ClientOptions(exception_on_404 = True, server = DEFAULT_SERVER)
Options for configuring the ApiClient
@@ -135,9 +132,13 @@ Module Contents
.. py:attribute:: exception_on_404
+ :value: True
+
.. py:attribute:: server
+ :value: 'https://api.abacus.ai'
+
.. py:exception:: ApiException(message, http_status, exception = None, request_id = None)
@@ -164,9 +165,13 @@ Module Contents
.. py:attribute:: exception
+ :value: 'ApiException'
+
.. py:attribute:: request_id
+ :value: None
+
.. py:method:: __str__()
@@ -564,11 +569,13 @@ Module Contents
.. py:attribute:: client_version
- :value: '1.4.21'
+ :value: '1.4.22'
.. py:attribute:: api_key
+ :value: None
+
.. py:attribute:: notebook_id
@@ -598,6 +605,8 @@ Module Contents
.. py:attribute:: client_options
+ :value: None
+
.. py:attribute:: server
@@ -8551,7 +8560,7 @@ Module Contents
- .. py:method:: start_autonomous_agent(deployment_token, deployment_id, deployment_conversation_id = None, arguments = None, keyword_arguments = None, save_conversations = True)
+ .. py:method:: start_autonomous_agent(deployment_token, deployment_id, arguments = None, keyword_arguments = None, save_conversations = True)
Starts a deployed Autonomous agent associated with the given deployment_conversation_id using the arguments and keyword arguments as inputs for execute function of trigger node.
@@ -8559,8 +8568,6 @@ Module Contents
:type deployment_token: str
:param deployment_id: A unique string identifier for the deployment created under the project.
:type deployment_id: str
- :param deployment_conversation_id: A unique string identifier for the deployment conversation used for the conversation.
- :type deployment_conversation_id: str
:param arguments: Positional arguments to the agent execute function.
:type arguments: list
:param keyword_arguments: A dictionary where each 'key' represents the parameter name and its corresponding 'value' represents the value of that parameter for the agent execute function.
diff --git a/docs/_sources/autoapi/abacusai/code_autocomplete_response/index.rst.txt b/docs/_sources/autoapi/abacusai/code_autocomplete_response/index.rst.txt
index 838ac741..5ef582c1 100644
--- a/docs/_sources/autoapi/abacusai/code_autocomplete_response/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/code_autocomplete_response/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: autocomplete_response
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/code_edit_response/index.rst.txt b/docs/_sources/autoapi/abacusai/code_edit_response/index.rst.txt
index ac11cd5c..b53dea01 100644
--- a/docs/_sources/autoapi/abacusai/code_edit_response/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/code_edit_response/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: code_changes
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/code_source/index.rst.txt b/docs/_sources/autoapi/abacusai/code_source/index.rst.txt
index 6e4fa3cd..a0767266 100644
--- a/docs/_sources/autoapi/abacusai/code_source/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/code_source/index.rst.txt
@@ -45,30 +45,48 @@ Module Contents
.. py:attribute:: source_type
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: application_connector_id
+ :value: None
+
.. py:attribute:: application_connector_info
+ :value: None
+
.. py:attribute:: package_requirements
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: publishing_msg
+ :value: None
+
.. py:attribute:: module_dependencies
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/compute_point_info/index.rst.txt b/docs/_sources/autoapi/abacusai/compute_point_info/index.rst.txt
index 8c037eb4..c4f78b8b 100644
--- a/docs/_sources/autoapi/abacusai/compute_point_info/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/compute_point_info/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: last_24_hours_usage
+ :value: None
+
.. py:attribute:: last_7_days_usage
+ :value: None
+
.. py:attribute:: curr_month_avail_points
+ :value: None
+
.. py:attribute:: curr_month_usage
+ :value: None
+
.. py:attribute:: last_throttle_pop_up
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/concatenation_config/index.rst.txt b/docs/_sources/autoapi/abacusai/concatenation_config/index.rst.txt
index e641b57c..3b162116 100644
--- a/docs/_sources/autoapi/abacusai/concatenation_config/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/concatenation_config/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: concatenated_table
+ :value: None
+
.. py:attribute:: merge_type
+ :value: None
+
.. py:attribute:: replace_until_timestamp
+ :value: None
+
.. py:attribute:: skip_materialize
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/cpu_gpu_memory_specs/index.rst.txt b/docs/_sources/autoapi/abacusai/cpu_gpu_memory_specs/index.rst.txt
index 0f28ee15..83c3b213 100644
--- a/docs/_sources/autoapi/abacusai/cpu_gpu_memory_specs/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/cpu_gpu_memory_specs/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: default
+ :value: None
+
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/custom_chat_instructions/index.rst.txt b/docs/_sources/autoapi/abacusai/custom_chat_instructions/index.rst.txt
index 40f35249..0d22b3e9 100644
--- a/docs/_sources/autoapi/abacusai/custom_chat_instructions/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/custom_chat_instructions/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: user_information_instructions
+ :value: None
+
.. py:attribute:: response_instructions
+ :value: None
+
.. py:attribute:: enable_code_execution
+ :value: None
+
.. py:attribute:: enable_image_generation
+ :value: None
+
.. py:attribute:: enable_web_search
+ :value: None
+
.. py:attribute:: enable_playground
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/custom_loss_function/index.rst.txt b/docs/_sources/autoapi/abacusai/custom_loss_function/index.rst.txt
index 5491f56b..eb8d3e61 100644
--- a/docs/_sources/autoapi/abacusai/custom_loss_function/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/custom_loss_function/index.rst.txt
@@ -39,18 +39,28 @@ Module Contents
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: loss_function_name
+ :value: None
+
.. py:attribute:: loss_function_type
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/custom_metric/index.rst.txt b/docs/_sources/autoapi/abacusai/custom_metric/index.rst.txt
index 5266d38b..72f78036 100644
--- a/docs/_sources/autoapi/abacusai/custom_metric/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/custom_metric/index.rst.txt
@@ -39,18 +39,28 @@ Module Contents
.. py:attribute:: custom_metric_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: problem_type
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: latest_custom_metric_version
diff --git a/docs/_sources/autoapi/abacusai/custom_metric_version/index.rst.txt b/docs/_sources/autoapi/abacusai/custom_metric_version/index.rst.txt
index f46ddffb..09aeb491 100644
--- a/docs/_sources/autoapi/abacusai/custom_metric_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/custom_metric_version/index.rst.txt
@@ -37,15 +37,23 @@ Module Contents
.. py:attribute:: custom_metric_version
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: custom_metric_function_name
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/custom_train_function_info/index.rst.txt b/docs/_sources/autoapi/abacusai/custom_train_function_info/index.rst.txt
index dc0db371..6b86698a 100644
--- a/docs/_sources/autoapi/abacusai/custom_train_function_info/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/custom_train_function_info/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: training_data_parameter_name_mapping
+ :value: None
+
.. py:attribute:: schema_mappings
+ :value: None
+
.. py:attribute:: train_data_parameter_to_feature_group_ids
+ :value: None
+
.. py:attribute:: training_config
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/data_consistency_duplication/index.rst.txt b/docs/_sources/autoapi/abacusai/data_consistency_duplication/index.rst.txt
index 3c7bc470..7742df28 100644
--- a/docs/_sources/autoapi/abacusai/data_consistency_duplication/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/data_consistency_duplication/index.rst.txt
@@ -33,9 +33,13 @@ Module Contents
.. py:attribute:: total_count
+ :value: None
+
.. py:attribute:: num_duplicates
+ :value: None
+
.. py:attribute:: sample
diff --git a/docs/_sources/autoapi/abacusai/data_metrics/index.rst.txt b/docs/_sources/autoapi/abacusai/data_metrics/index.rst.txt
index 495b0e9e..1a31c9c7 100644
--- a/docs/_sources/autoapi/abacusai/data_metrics/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/data_metrics/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: metrics
+ :value: None
+
.. py:attribute:: schema
+ :value: None
+
.. py:attribute:: num_rows
+ :value: None
+
.. py:attribute:: num_cols
+ :value: None
+
.. py:attribute:: num_duplicate_rows
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/data_prep_logs/index.rst.txt b/docs/_sources/autoapi/abacusai/data_prep_logs/index.rst.txt
index d6aedb37..75c3ab36 100644
--- a/docs/_sources/autoapi/abacusai/data_prep_logs/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/data_prep_logs/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/data_quality_results/index.rst.txt b/docs/_sources/autoapi/abacusai/data_quality_results/index.rst.txt
index b564541b..50c7a481 100644
--- a/docs/_sources/autoapi/abacusai/data_quality_results/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/data_quality_results/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: results
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/data_upload_result/index.rst.txt b/docs/_sources/autoapi/abacusai/data_upload_result/index.rst.txt
index 24c87a08..bf1c4720 100644
--- a/docs/_sources/autoapi/abacusai/data_upload_result/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/data_upload_result/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: doc_infos
+ :value: None
+
.. py:attribute:: max_count
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/database_column_feature_mapping/index.rst.txt b/docs/_sources/autoapi/abacusai/database_column_feature_mapping/index.rst.txt
index 90316523..a5f31f33 100644
--- a/docs/_sources/autoapi/abacusai/database_column_feature_mapping/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/database_column_feature_mapping/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: database_column
+ :value: None
+
.. py:attribute:: feature
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/database_connector/index.rst.txt b/docs/_sources/autoapi/abacusai/database_connector/index.rst.txt
index 6ac365ee..f58cee49 100644
--- a/docs/_sources/autoapi/abacusai/database_connector/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/database_connector/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: service
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: auth
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/database_connector_column/index.rst.txt b/docs/_sources/autoapi/abacusai/database_connector_column/index.rst.txt
index 4d82a9f6..cba73e13 100644
--- a/docs/_sources/autoapi/abacusai/database_connector_column/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/database_connector_column/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: external_data_type
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/database_connector_schema/index.rst.txt b/docs/_sources/autoapi/abacusai/database_connector_schema/index.rst.txt
index 614bf3d0..f84e3303 100644
--- a/docs/_sources/autoapi/abacusai/database_connector_schema/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/database_connector_schema/index.rst.txt
@@ -31,6 +31,8 @@ Module Contents
.. py:attribute:: table_name
+ :value: None
+
.. py:attribute:: columns
diff --git a/docs/_sources/autoapi/abacusai/dataset/index.rst.txt b/docs/_sources/autoapi/abacusai/dataset/index.rst.txt
index 1409487a..a7d05566 100644
--- a/docs/_sources/autoapi/abacusai/dataset/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/dataset/index.rst.txt
@@ -77,60 +77,98 @@ Module Contents
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: source_type
+ :value: None
+
.. py:attribute:: data_source
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: ignore_before
+ :value: None
+
.. py:attribute:: ephemeral
+ :value: None
+
.. py:attribute:: lookback_days
+ :value: None
+
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: database_connector_config
+ :value: None
+
.. py:attribute:: connector_type
+ :value: None
+
.. py:attribute:: feature_group_table_name
+ :value: None
+
.. py:attribute:: application_connector_id
+ :value: None
+
.. py:attribute:: application_connector_config
+ :value: None
+
.. py:attribute:: incremental
+ :value: None
+
.. py:attribute:: is_documentset
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
+ :value: None
+
.. py:attribute:: merge_file_schemas
+ :value: None
+
.. py:attribute:: reference_only_documentset
+ :value: None
+
.. py:attribute:: version_limit
+ :value: None
+
.. py:attribute:: schema
diff --git a/docs/_sources/autoapi/abacusai/dataset_column/index.rst.txt b/docs/_sources/autoapi/abacusai/dataset_column/index.rst.txt
index edc85c0f..11650666 100644
--- a/docs/_sources/autoapi/abacusai/dataset_column/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/dataset_column/index.rst.txt
@@ -45,30 +45,48 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: detected_data_type
+ :value: None
+
.. py:attribute:: feature_type
+ :value: None
+
.. py:attribute:: detected_feature_type
+ :value: None
+
.. py:attribute:: original_name
+ :value: None
+
.. py:attribute:: valid_data_types
+ :value: None
+
.. py:attribute:: time_format
+ :value: None
+
.. py:attribute:: timestamp_frequency
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/dataset_version/index.rst.txt b/docs/_sources/autoapi/abacusai/dataset_version/index.rst.txt
index ef441248..3afb6908 100644
--- a/docs/_sources/autoapi/abacusai/dataset_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/dataset_version/index.rst.txt
@@ -55,45 +55,73 @@ Module Contents
.. py:attribute:: dataset_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: size
+ :value: None
+
.. py:attribute:: row_count
+ :value: None
+
.. py:attribute:: file_inspect_metadata
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: incremental_queried_at
+ :value: None
+
.. py:attribute:: upload_id
+ :value: None
+
.. py:attribute:: merge_file_schemas
+ :value: None
+
.. py:attribute:: database_connector_config
+ :value: None
+
.. py:attribute:: application_connector_config
+ :value: None
+
.. py:attribute:: invalid_records
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/dataset_version_logs/index.rst.txt b/docs/_sources/autoapi/abacusai/dataset_version_logs/index.rst.txt
index 209eb50f..8995b5f5 100644
--- a/docs/_sources/autoapi/abacusai/dataset_version_logs/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/dataset_version_logs/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/deployment/index.rst.txt b/docs/_sources/autoapi/abacusai/deployment/index.rst.txt
index e017fdda..f1767c29 100644
--- a/docs/_sources/autoapi/abacusai/deployment/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/deployment/index.rst.txt
@@ -87,84 +87,138 @@ Module Contents
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: deployed_at
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: calls_per_second
+ :value: None
+
.. py:attribute:: auto_deploy
+ :value: None
+
.. py:attribute:: skip_metrics_check
+ :value: None
+
.. py:attribute:: algo_name
+ :value: None
+
.. py:attribute:: regions
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: batch_streaming_updates
+ :value: None
+
.. py:attribute:: algorithm
+ :value: None
+
.. py:attribute:: pending_model_version
+ :value: None
+
.. py:attribute:: model_deployment_config
+ :value: None
+
.. py:attribute:: prediction_operator_id
+ :value: None
+
.. py:attribute:: prediction_operator_version
+ :value: None
+
.. py:attribute:: pending_prediction_operator_version
+ :value: None
+
.. py:attribute:: online_feature_group_id
+ :value: None
+
.. py:attribute:: output_online_feature_group_id
+ :value: None
+
.. py:attribute:: realtime_monitor_id
+ :value: None
+
.. py:attribute:: refresh_schedules
diff --git a/docs/_sources/autoapi/abacusai/deployment_auth_token/index.rst.txt b/docs/_sources/autoapi/abacusai/deployment_auth_token/index.rst.txt
index 3cc1faf0..3457d1b7 100644
--- a/docs/_sources/autoapi/abacusai/deployment_auth_token/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/deployment_auth_token/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: deployment_token
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/deployment_conversation/index.rst.txt b/docs/_sources/autoapi/abacusai/deployment_conversation/index.rst.txt
index 3c9e6da6..90b35ccf 100644
--- a/docs/_sources/autoapi/abacusai/deployment_conversation/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/deployment_conversation/index.rst.txt
@@ -61,51 +61,83 @@ Module Contents
.. py:attribute:: deployment_conversation_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: last_event_created_at
+ :value: None
+
.. py:attribute:: external_session_id
+ :value: None
+
.. py:attribute:: regenerate_attempt
+ :value: None
+
.. py:attribute:: external_application_id
+ :value: None
+
.. py:attribute:: unused_document_upload_ids
+ :value: None
+
.. py:attribute:: humanize_instructions
+ :value: None
+
.. py:attribute:: conversation_warning
+ :value: None
+
.. py:attribute:: conversation_type
+ :value: None
+
.. py:attribute:: metadata
+ :value: None
+
.. py:attribute:: llm_display_name
+ :value: None
+
.. py:attribute:: llm_bot_icon
+ :value: None
+
.. py:attribute:: search_suggestions
+ :value: None
+
.. py:attribute:: history
diff --git a/docs/_sources/autoapi/abacusai/deployment_conversation_event/index.rst.txt b/docs/_sources/autoapi/abacusai/deployment_conversation_event/index.rst.txt
index a9c446c8..e4e7e3fe 100644
--- a/docs/_sources/autoapi/abacusai/deployment_conversation_event/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/deployment_conversation_event/index.rst.txt
@@ -83,87 +83,143 @@ Module Contents
.. py:attribute:: role
+ :value: None
+
.. py:attribute:: text
+ :value: None
+
.. py:attribute:: timestamp
+ :value: None
+
.. py:attribute:: message_index
+ :value: None
+
.. py:attribute:: regenerate_attempt
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: search_results
+ :value: None
+
.. py:attribute:: is_useful
+ :value: None
+
.. py:attribute:: feedback
+ :value: None
+
.. py:attribute:: feedback_type
+ :value: None
+
.. py:attribute:: doc_infos
+ :value: None
+
.. py:attribute:: keyword_arguments
+ :value: None
+
.. py:attribute:: input_params
+ :value: None
+
.. py:attribute:: attachments
+ :value: None
+
.. py:attribute:: response_version
+ :value: None
+
.. py:attribute:: agent_workflow_node_id
+ :value: None
+
.. py:attribute:: next_agent_workflow_node_id
+ :value: None
+
.. py:attribute:: chat_type
+ :value: None
+
.. py:attribute:: agent_response
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: segments
+ :value: None
+
.. py:attribute:: streamed_data
+ :value: None
+
.. py:attribute:: streamed_section_data
+ :value: None
+
.. py:attribute:: highlights
+ :value: None
+
.. py:attribute:: llm_display_name
+ :value: None
+
.. py:attribute:: llm_bot_icon
+ :value: None
+
.. py:attribute:: form_response
+ :value: None
+
.. py:attribute:: routed_llm
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/deployment_conversation_export/index.rst.txt b/docs/_sources/autoapi/abacusai/deployment_conversation_export/index.rst.txt
index f045a4a2..5d6845a6 100644
--- a/docs/_sources/autoapi/abacusai/deployment_conversation_export/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/deployment_conversation_export/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: deployment_conversation_id
+ :value: None
+
.. py:attribute:: conversation_export_html
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/deployment_statistics/index.rst.txt b/docs/_sources/autoapi/abacusai/deployment_statistics/index.rst.txt
index f1a54ef2..670d6bb4 100644
--- a/docs/_sources/autoapi/abacusai/deployment_statistics/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/deployment_statistics/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: request_series
+ :value: None
+
.. py:attribute:: latency_series
+ :value: None
+
.. py:attribute:: date_labels
+ :value: None
+
.. py:attribute:: http_status_series
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/document_data/index.rst.txt b/docs/_sources/autoapi/abacusai/document_data/index.rst.txt
index b04e93ec..d1e3888a 100644
--- a/docs/_sources/autoapi/abacusai/document_data/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/document_data/index.rst.txt
@@ -51,39 +51,63 @@ Module Contents
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: mime_type
+ :value: None
+
.. py:attribute:: page_count
+ :value: None
+
.. py:attribute:: total_page_count
+ :value: None
+
.. py:attribute:: extracted_text
+ :value: None
+
.. py:attribute:: embedded_text
+ :value: None
+
.. py:attribute:: pages
+ :value: None
+
.. py:attribute:: tokens
+ :value: None
+
.. py:attribute:: metadata
+ :value: None
+
.. py:attribute:: page_markdown
+ :value: None
+
.. py:attribute:: extracted_page_text
+ :value: None
+
.. py:attribute:: augmented_page_text
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/document_retriever/index.rst.txt b/docs/_sources/autoapi/abacusai/document_retriever/index.rst.txt
index ebe12ba5..1d48d90b 100644
--- a/docs/_sources/autoapi/abacusai/document_retriever/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/document_retriever/index.rst.txt
@@ -43,21 +43,33 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: document_retriever_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_name
+ :value: None
+
.. py:attribute:: indexing_required
+ :value: None
+
.. py:attribute:: latest_document_retriever_version
diff --git a/docs/_sources/autoapi/abacusai/document_retriever_config/index.rst.txt b/docs/_sources/autoapi/abacusai/document_retriever_config/index.rst.txt
index 4ea673dc..81ef0fd1 100644
--- a/docs/_sources/autoapi/abacusai/document_retriever_config/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/document_retriever_config/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: chunk_size
+ :value: None
+
.. py:attribute:: chunk_overlap_fraction
+ :value: None
+
.. py:attribute:: text_encoder
+ :value: None
+
.. py:attribute:: score_multiplier_column
+ :value: None
+
.. py:attribute:: prune_vectors
+ :value: None
+
.. py:attribute:: index_metadata_columns
+ :value: None
+
.. py:attribute:: use_document_summary
+ :value: None
+
.. py:attribute:: summary_instructions
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/document_retriever_lookup_result/index.rst.txt b/docs/_sources/autoapi/abacusai/document_retriever_lookup_result/index.rst.txt
index f6a94b43..b35968f7 100644
--- a/docs/_sources/autoapi/abacusai/document_retriever_lookup_result/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/document_retriever_lookup_result/index.rst.txt
@@ -41,24 +41,38 @@ Module Contents
.. py:attribute:: document
+ :value: None
+
.. py:attribute:: score
+ :value: None
+
.. py:attribute:: properties
+ :value: None
+
.. py:attribute:: pages
+ :value: None
+
.. py:attribute:: bounding_boxes
+ :value: None
+
.. py:attribute:: document_source
+ :value: None
+
.. py:attribute:: image_ids
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/document_retriever_version/index.rst.txt b/docs/_sources/autoapi/abacusai/document_retriever_version/index.rst.txt
index d85f0a01..a1b1ed50 100644
--- a/docs/_sources/autoapi/abacusai/document_retriever_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/document_retriever_version/index.rst.txt
@@ -51,36 +51,58 @@ Module Contents
.. py:attribute:: document_retriever_id
+ :value: None
+
.. py:attribute:: document_retriever_version
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: deployment_status
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: number_of_chunks
+ :value: None
+
.. py:attribute:: embedding_file_size
+ :value: None
+
.. py:attribute:: warnings
+ :value: None
+
.. py:attribute:: resolved_config
diff --git a/docs/_sources/autoapi/abacusai/drift_distribution/index.rst.txt b/docs/_sources/autoapi/abacusai/drift_distribution/index.rst.txt
index 03c19dc0..7d58f18f 100644
--- a/docs/_sources/autoapi/abacusai/drift_distribution/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/drift_distribution/index.rst.txt
@@ -35,12 +35,18 @@ Module Contents
.. py:attribute:: train_column
+ :value: None
+
.. py:attribute:: predicted_column
+ :value: None
+
.. py:attribute:: metrics
+ :value: None
+
.. py:attribute:: distribution
diff --git a/docs/_sources/autoapi/abacusai/eda/index.rst.txt b/docs/_sources/autoapi/abacusai/eda/index.rst.txt
index 18001095..d11adb62 100644
--- a/docs/_sources/autoapi/abacusai/eda/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/eda/index.rst.txt
@@ -47,27 +47,43 @@ Module Contents
.. py:attribute:: eda_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: reference_feature_group_version
+ :value: None
+
.. py:attribute:: test_feature_group_version
+ :value: None
+
.. py:attribute:: eda_configs
+ :value: None
+
.. py:attribute:: latest_eda_version
diff --git a/docs/_sources/autoapi/abacusai/eda_chart_description/index.rst.txt b/docs/_sources/autoapi/abacusai/eda_chart_description/index.rst.txt
index 29893563..c278a39a 100644
--- a/docs/_sources/autoapi/abacusai/eda_chart_description/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/eda_chart_description/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: chart_type
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/eda_collinearity/index.rst.txt b/docs/_sources/autoapi/abacusai/eda_collinearity/index.rst.txt
index a6d14375..7aa2a454 100644
--- a/docs/_sources/autoapi/abacusai/eda_collinearity/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/eda_collinearity/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: column_names
+ :value: None
+
.. py:attribute:: collinearity_matrix
+ :value: None
+
.. py:attribute:: group_feature_dict
+ :value: None
+
.. py:attribute:: collinearity_groups
+ :value: None
+
.. py:attribute:: column_names_x
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/eda_data_consistency/index.rst.txt b/docs/_sources/autoapi/abacusai/eda_data_consistency/index.rst.txt
index 664efc5b..11ac5470 100644
--- a/docs/_sources/autoapi/abacusai/eda_data_consistency/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/eda_data_consistency/index.rst.txt
@@ -41,12 +41,18 @@ Module Contents
.. py:attribute:: column_names
+ :value: None
+
.. py:attribute:: primary_keys
+ :value: None
+
.. py:attribute:: transformation_column_names
+ :value: None
+
.. py:attribute:: base_duplicates
diff --git a/docs/_sources/autoapi/abacusai/eda_feature_association/index.rst.txt b/docs/_sources/autoapi/abacusai/eda_feature_association/index.rst.txt
index ed4166b9..806efa67 100644
--- a/docs/_sources/autoapi/abacusai/eda_feature_association/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/eda_feature_association/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: is_scatter
+ :value: None
+
.. py:attribute:: is_box_whisker
+ :value: None
+
.. py:attribute:: x_axis
+ :value: None
+
.. py:attribute:: y_axis
+ :value: None
+
.. py:attribute:: x_axis_column_values
+ :value: None
+
.. py:attribute:: y_axis_column_values
+ :value: None
+
.. py:attribute:: data_columns
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/eda_feature_collinearity/index.rst.txt b/docs/_sources/autoapi/abacusai/eda_feature_collinearity/index.rst.txt
index 27f5c1ff..7ef70a40 100644
--- a/docs/_sources/autoapi/abacusai/eda_feature_collinearity/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/eda_feature_collinearity/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: selected_feature
+ :value: None
+
.. py:attribute:: sorted_column_names
+ :value: None
+
.. py:attribute:: feature_collinearity
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/eda_forecasting_analysis/index.rst.txt b/docs/_sources/autoapi/abacusai/eda_forecasting_analysis/index.rst.txt
index f191c856..6ee3f8e5 100644
--- a/docs/_sources/autoapi/abacusai/eda_forecasting_analysis/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/eda_forecasting_analysis/index.rst.txt
@@ -71,15 +71,23 @@ Module Contents
.. py:attribute:: primary_keys
+ :value: None
+
.. py:attribute:: forecasting_target_feature
+ :value: None
+
.. py:attribute:: timestamp_feature
+ :value: None
+
.. py:attribute:: forecast_frequency
+ :value: None
+
.. py:attribute:: sales_across_time
diff --git a/docs/_sources/autoapi/abacusai/eda_version/index.rst.txt b/docs/_sources/autoapi/abacusai/eda_version/index.rst.txt
index 252d9447..ac20d6ec 100644
--- a/docs/_sources/autoapi/abacusai/eda_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/eda_version/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: eda_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: eda_id
+ :value: None
+
.. py:attribute:: eda_started_at
+ :value: None
+
.. py:attribute:: eda_completed_at
+ :value: None
+
.. py:attribute:: reference_feature_group_version
+ :value: None
+
.. py:attribute:: test_feature_group_version
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/embedding_feature_drift_distribution/index.rst.txt b/docs/_sources/autoapi/abacusai/embedding_feature_drift_distribution/index.rst.txt
index b98e665f..d9cdf5b9 100644
--- a/docs/_sources/autoapi/abacusai/embedding_feature_drift_distribution/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/embedding_feature_drift_distribution/index.rst.txt
@@ -43,24 +43,38 @@ Module Contents
.. py:attribute:: distance
+ :value: None
+
.. py:attribute:: js_distance
+ :value: None
+
.. py:attribute:: ws_distance
+ :value: None
+
.. py:attribute:: ks_statistic
+ :value: None
+
.. py:attribute:: psi
+ :value: None
+
.. py:attribute:: csi
+ :value: None
+
.. py:attribute:: chi_square
+ :value: None
+
.. py:attribute:: average_drift
diff --git a/docs/_sources/autoapi/abacusai/execute_feature_group_operation/index.rst.txt b/docs/_sources/autoapi/abacusai/execute_feature_group_operation/index.rst.txt
index f33e8c95..aad75646 100644
--- a/docs/_sources/autoapi/abacusai/execute_feature_group_operation/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/execute_feature_group_operation/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: feature_group_operation_run_id
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: query
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/external_application/index.rst.txt b/docs/_sources/autoapi/abacusai/external_application/index.rst.txt
index 8aa73fee..767ce4bd 100644
--- a/docs/_sources/autoapi/abacusai/external_application/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/external_application/index.rst.txt
@@ -15,7 +15,7 @@ Classes
Module Contents
---------------
-.. py:class:: ExternalApplication(client, name=None, externalApplicationId=None, deploymentId=None, description=None, logo=None, theme=None, userGroupIds=None, useCase=None, isAgent=None, status=None, deploymentConversationRetentionHours=None, managedUserService=None, predictionOverrides=None, isSystemCreated=None, isCustomizable=None, isDeprecated=None)
+.. py:class:: ExternalApplication(client, name=None, externalApplicationId=None, deploymentId=None, description=None, logo=None, theme=None, userGroupIds=None, useCase=None, isAgent=None, status=None, deploymentConversationRetentionHours=None, managedUserService=None, predictionOverrides=None, isSystemCreated=None, isCustomizable=None, isDeprecated=None, isVisible=None)
Bases: :py:obj:`abacusai.return_class.AbstractApiClass`
@@ -56,54 +56,93 @@ Module Contents
:type isCustomizable: bool
:param isDeprecated: Whether the external application is deprecated. Only applicable for system created bots. Deprecated external applications will not show in the UI.
:type isDeprecated: bool
+ :param isVisible: Whether the external application should be shown in the dropdown.
+ :type isVisible: bool
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: external_application_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: logo
+ :value: None
+
.. py:attribute:: theme
+ :value: None
+
.. py:attribute:: user_group_ids
+ :value: None
+
.. py:attribute:: use_case
+ :value: None
+
.. py:attribute:: is_agent
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: deployment_conversation_retention_hours
+ :value: None
+
.. py:attribute:: managed_user_service
+ :value: None
+
.. py:attribute:: prediction_overrides
+ :value: None
+
.. py:attribute:: is_system_created
+ :value: None
+
.. py:attribute:: is_customizable
+ :value: None
+
.. py:attribute:: is_deprecated
+ :value: None
+
+
+
+ .. py:attribute:: is_visible
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/external_invite/index.rst.txt b/docs/_sources/autoapi/abacusai/external_invite/index.rst.txt
index 2565bd5d..e01f5d20 100644
--- a/docs/_sources/autoapi/abacusai/external_invite/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/external_invite/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: user_already_in_org
+ :value: None
+
.. py:attribute:: user_already_in_app_group
+ :value: None
+
.. py:attribute:: user_exists_as_internal
+ :value: None
+
.. py:attribute:: successful_invites
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/extracted_fields/index.rst.txt b/docs/_sources/autoapi/abacusai/extracted_fields/index.rst.txt
index ea5240e8..62bf3590 100644
--- a/docs/_sources/autoapi/abacusai/extracted_fields/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/extracted_fields/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: raw_llm_response
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature/index.rst.txt b/docs/_sources/autoapi/abacusai/feature/index.rst.txt
index 1fba90d0..32a0d463 100644
--- a/docs/_sources/autoapi/abacusai/feature/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature/index.rst.txt
@@ -55,39 +55,63 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: select_clause
+ :value: None
+
.. py:attribute:: feature_mapping
+ :value: None
+
.. py:attribute:: source_table
+ :value: None
+
.. py:attribute:: original_name
+ :value: None
+
.. py:attribute:: using_clause
+ :value: None
+
.. py:attribute:: order_clause
+ :value: None
+
.. py:attribute:: where_clause
+ :value: None
+
.. py:attribute:: feature_type
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: detected_feature_type
+ :value: None
+
.. py:attribute:: detected_data_type
+ :value: None
+
.. py:attribute:: columns
diff --git a/docs/_sources/autoapi/abacusai/feature_distribution/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_distribution/index.rst.txt
index 5b399ee1..56dcdf1b 100644
--- a/docs/_sources/autoapi/abacusai/feature_distribution/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_distribution/index.rst.txt
@@ -41,24 +41,38 @@ Module Contents
.. py:attribute:: type
+ :value: None
+
.. py:attribute:: training_distribution
+ :value: None
+
.. py:attribute:: prediction_distribution
+ :value: None
+
.. py:attribute:: numerical_training_distribution
+ :value: None
+
.. py:attribute:: numerical_prediction_distribution
+ :value: None
+
.. py:attribute:: training_statistics
+ :value: None
+
.. py:attribute:: prediction_statistics
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_drift_record/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_drift_record/index.rst.txt
index ebbebf51..c9661a15 100644
--- a/docs/_sources/autoapi/abacusai/feature_drift_record/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_drift_record/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: distance
+ :value: None
+
.. py:attribute:: js_distance
+ :value: None
+
.. py:attribute:: ws_distance
+ :value: None
+
.. py:attribute:: ks_statistic
+ :value: None
+
.. py:attribute:: psi
+ :value: None
+
.. py:attribute:: csi
+ :value: None
+
.. py:attribute:: chi_square
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_drift_summary/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_drift_summary/index.rst.txt
index a6b052af..2452c2b4 100644
--- a/docs/_sources/autoapi/abacusai/feature_drift_summary/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_drift_summary/index.rst.txt
@@ -59,42 +59,68 @@ Module Contents
.. py:attribute:: feature_index
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: distance
+ :value: None
+
.. py:attribute:: js_distance
+ :value: None
+
.. py:attribute:: ws_distance
+ :value: None
+
.. py:attribute:: ks_statistic
+ :value: None
+
.. py:attribute:: prediction_drift
+ :value: None
+
.. py:attribute:: target_column
+ :value: None
+
.. py:attribute:: data_integrity_timeseries
+ :value: None
+
.. py:attribute:: nested_summary
+ :value: None
+
.. py:attribute:: psi
+ :value: None
+
.. py:attribute:: csi
+ :value: None
+
.. py:attribute:: chi_square
+ :value: None
+
.. py:attribute:: null_violations
diff --git a/docs/_sources/autoapi/abacusai/feature_group/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group/index.rst.txt
index a5238dee..a952e4f3 100644
--- a/docs/_sources/autoapi/abacusai/feature_group/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group/index.rst.txt
@@ -125,111 +125,183 @@ Module Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: modification_lock
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: feature_group_source_type
+ :value: None
+
.. py:attribute:: table_name
+ :value: None
+
.. py:attribute:: sql
+ :value: None
+
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: function_source_code
+ :value: None
+
.. py:attribute:: function_name
+ :value: None
+
.. py:attribute:: source_tables
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: sql_error
+ :value: None
+
.. py:attribute:: latest_version_outdated
+ :value: None
+
.. py:attribute:: referenced_feature_groups
+ :value: None
+
.. py:attribute:: tags
+ :value: None
+
.. py:attribute:: primary_key
+ :value: None
+
.. py:attribute:: update_timestamp_key
+ :value: None
+
.. py:attribute:: lookup_keys
+ :value: None
+
.. py:attribute:: streaming_enabled
+ :value: None
+
.. py:attribute:: incremental
+ :value: None
+
.. py:attribute:: merge_config
+ :value: None
+
.. py:attribute:: sampling_config
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: streaming_ready
+ :value: None
+
.. py:attribute:: feature_tags
+ :value: None
+
.. py:attribute:: module_name
+ :value: None
+
.. py:attribute:: template_bindings
+ :value: None
+
.. py:attribute:: feature_expression
+ :value: None
+
.. py:attribute:: use_original_csv_names
+ :value: None
+
.. py:attribute:: python_function_bindings
+ :value: None
+
.. py:attribute:: python_function_name
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: version_limit
+ :value: None
+
.. py:attribute:: export_on_materialization
+ :value: None
+
.. py:attribute:: features
diff --git a/docs/_sources/autoapi/abacusai/feature_group_document/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_document/index.rst.txt
index 25d7689e..ad9c962a 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_document/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_document/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_export/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_export/index.rst.txt
index 6a910673..0fee9d82 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_export/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_export/index.rst.txt
@@ -65,57 +65,93 @@ Module Contents
.. py:attribute:: feature_group_export_id
+ :value: None
+
.. py:attribute:: failed_writes
+ :value: None
+
.. py:attribute:: total_writes
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: connector_type
+ :value: None
+
.. py:attribute:: output_location
+ :value: None
+
.. py:attribute:: file_format
+ :value: None
+
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: object_name
+ :value: None
+
.. py:attribute:: write_mode
+ :value: None
+
.. py:attribute:: database_feature_mapping
+ :value: None
+
.. py:attribute:: id_column
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: export_completed_at
+ :value: None
+
.. py:attribute:: additional_id_columns
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: database_output_error
+ :value: None
+
.. py:attribute:: project_config
diff --git a/docs/_sources/autoapi/abacusai/feature_group_export_config/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_export_config/index.rst.txt
index a6742ea7..42d50e45 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_export_config/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_export_config/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: output_location
+ :value: None
+
.. py:attribute:: file_format
+ :value: None
+
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: object_name
+ :value: None
+
.. py:attribute:: write_mode
+ :value: None
+
.. py:attribute:: database_feature_mapping
+ :value: None
+
.. py:attribute:: id_column
+ :value: None
+
.. py:attribute:: additional_id_columns
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_export_download_url/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_export_download_url/index.rst.txt
index 38d8b424..993dcfe2 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_export_download_url/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_export_download_url/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: download_url
+ :value: None
+
.. py:attribute:: expires_at
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_lineage/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_lineage/index.rst.txt
index da942819..105d171a 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_lineage/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_lineage/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: nodes
+ :value: None
+
.. py:attribute:: connections
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_refresh_export_config/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_refresh_export_config/index.rst.txt
index de99f87c..3d95dfb6 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_refresh_export_config/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_refresh_export_config/index.rst.txt
@@ -45,30 +45,48 @@ Module Contents
.. py:attribute:: connector_type
+ :value: None
+
.. py:attribute:: location
+ :value: None
+
.. py:attribute:: export_file_format
+ :value: None
+
.. py:attribute:: additional_id_columns
+ :value: None
+
.. py:attribute:: database_feature_mapping
+ :value: None
+
.. py:attribute:: external_connection_id
+ :value: None
+
.. py:attribute:: id_column
+ :value: None
+
.. py:attribute:: object_name
+ :value: None
+
.. py:attribute:: write_mode
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_row/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_row/index.rst.txt
index 3e838125..9c811254 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_row/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_row/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: primary_key
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: contents
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_row_process/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_row_process/index.rst.txt
index e93b43cb..eae04023 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_row_process/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_row_process/index.rst.txt
@@ -53,42 +53,68 @@ Module Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: primary_key_value
+ :value: None
+
.. py:attribute:: feature_group_row_process_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: started_at
+ :value: None
+
.. py:attribute:: completed_at
+ :value: None
+
.. py:attribute:: timeout_at
+ :value: None
+
.. py:attribute:: retries_remaining
+ :value: None
+
.. py:attribute:: total_attempts_allowed
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_row_process_logs/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_row_process_logs/index.rst.txt
index 9c6a34ba..1940c0b3 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_row_process_logs/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_row_process_logs/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: primary_key_value
+ :value: None
+
.. py:attribute:: feature_group_row_process_id
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_row_process_summary/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_row_process_summary/index.rst.txt
index 942a324b..689cb14e 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_row_process_summary/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_row_process_summary/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: total_processes
+ :value: None
+
.. py:attribute:: pending_processes
+ :value: None
+
.. py:attribute:: processing_processes
+ :value: None
+
.. py:attribute:: complete_processes
+ :value: None
+
.. py:attribute:: failed_processes
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_template/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_template/index.rst.txt
index 22199830..b88357e9 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_template/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_template/index.rst.txt
@@ -45,30 +45,48 @@ Module Contents
.. py:attribute:: feature_group_template_id
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: is_system_template
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: template_sql
+ :value: None
+
.. py:attribute:: template_variables
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_template_variable_options/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_template_variable_options/index.rst.txt
index 248c9442..92229add 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_template_variable_options/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_template_variable_options/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: template_variable_options
+ :value: None
+
.. py:attribute:: user_feedback
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_group_version/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_version/index.rst.txt
index 50b91849..f6513575 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_version/index.rst.txt
@@ -73,57 +73,93 @@ Module Contents
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: sql
+ :value: None
+
.. py:attribute:: source_tables
+ :value: None
+
.. py:attribute:: source_dataset_versions
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deployable
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: use_original_csv_names
+ :value: None
+
.. py:attribute:: python_function_bindings
+ :value: None
+
.. py:attribute:: indexing_config_warning_msg
+ :value: None
+
.. py:attribute:: materialization_started_at
+ :value: None
+
.. py:attribute:: materialization_completed_at
+ :value: None
+
.. py:attribute:: columns
+ :value: None
+
.. py:attribute:: template_bindings
+ :value: None
+
.. py:attribute:: features
diff --git a/docs/_sources/autoapi/abacusai/feature_group_version_logs/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_group_version_logs/index.rst.txt
index dde897f9..24dbb488 100644
--- a/docs/_sources/autoapi/abacusai/feature_group_version_logs/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_group_version_logs/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_importance/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_importance/index.rst.txt
index a73cf312..25da6f97 100644
--- a/docs/_sources/autoapi/abacusai/feature_importance/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_importance/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: shap_feature_importance
+ :value: None
+
.. py:attribute:: lime_feature_importance
+ :value: None
+
.. py:attribute:: permutation_feature_importance
+ :value: None
+
.. py:attribute:: null_feature_importance
+ :value: None
+
.. py:attribute:: lofo_feature_importance
+ :value: None
+
.. py:attribute:: ebm_feature_importance
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_mapping/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_mapping/index.rst.txt
index 2005cf77..0495bb3b 100644
--- a/docs/_sources/autoapi/abacusai/feature_mapping/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_mapping/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: feature_mapping
+ :value: None
+
.. py:attribute:: feature_name
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_performance_analysis/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_performance_analysis/index.rst.txt
index c51d16bc..b6022006 100644
--- a/docs/_sources/autoapi/abacusai/feature_performance_analysis/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_performance_analysis/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: features
+ :value: None
+
.. py:attribute:: feature_metrics
+ :value: None
+
.. py:attribute:: metrics_keys
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/feature_record/index.rst.txt b/docs/_sources/autoapi/abacusai/feature_record/index.rst.txt
index df0daee2..ed731e5f 100644
--- a/docs/_sources/autoapi/abacusai/feature_record/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/feature_record/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/file_connector/index.rst.txt b/docs/_sources/autoapi/abacusai/file_connector/index.rst.txt
index 64f23f95..94353211 100644
--- a/docs/_sources/autoapi/abacusai/file_connector/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/file_connector/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: bucket
+ :value: None
+
.. py:attribute:: verified
+ :value: None
+
.. py:attribute:: write_permission
+ :value: None
+
.. py:attribute:: auth_expires_at
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/file_connector_instructions/index.rst.txt b/docs/_sources/autoapi/abacusai/file_connector_instructions/index.rst.txt
index 2c53b164..ff9cd18f 100644
--- a/docs/_sources/autoapi/abacusai/file_connector_instructions/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/file_connector_instructions/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: verified
+ :value: None
+
.. py:attribute:: write_permission
+ :value: None
+
.. py:attribute:: auth_options
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/file_connector_verification/index.rst.txt b/docs/_sources/autoapi/abacusai/file_connector_verification/index.rst.txt
index 38a87769..4a2c9e6d 100644
--- a/docs/_sources/autoapi/abacusai/file_connector_verification/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/file_connector_verification/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: verified
+ :value: None
+
.. py:attribute:: write_permission
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/finetuned_pretrained_model/index.rst.txt b/docs/_sources/autoapi/abacusai/finetuned_pretrained_model/index.rst.txt
index df246102..871c2af7 100644
--- a/docs/_sources/autoapi/abacusai/finetuned_pretrained_model/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/finetuned_pretrained_model/index.rst.txt
@@ -47,33 +47,53 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: finetuned_pretrained_model_id
+ :value: None
+
.. py:attribute:: finetuned_pretrained_model_version
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: config
+ :value: None
+
.. py:attribute:: base_model
+ :value: None
+
.. py:attribute:: finetuning_dataset_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/forecasting_analysis_graph_data/index.rst.txt b/docs/_sources/autoapi/abacusai/forecasting_analysis_graph_data/index.rst.txt
index d4c11eba..807557bb 100644
--- a/docs/_sources/autoapi/abacusai/forecasting_analysis_graph_data/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/forecasting_analysis_graph_data/index.rst.txt
@@ -43,21 +43,33 @@ Module Contents
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: x_axis
+ :value: None
+
.. py:attribute:: y_axis
+ :value: None
+
.. py:attribute:: data_columns
+ :value: None
+
.. py:attribute:: chart_name
+ :value: None
+
.. py:attribute:: chart_types
+ :value: None
+
.. py:attribute:: item_statistics
diff --git a/docs/_sources/autoapi/abacusai/forecasting_monitor_summary/index.rst.txt b/docs/_sources/autoapi/abacusai/forecasting_monitor_summary/index.rst.txt
index 512dce1f..12f77be5 100644
--- a/docs/_sources/autoapi/abacusai/forecasting_monitor_summary/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/forecasting_monitor_summary/index.rst.txt
@@ -57,24 +57,38 @@ Module Contents
.. py:attribute:: prediction_timestamp_col
+ :value: None
+
.. py:attribute:: prediction_target_col
+ :value: None
+
.. py:attribute:: training_timestamp_col
+ :value: None
+
.. py:attribute:: training_target_col
+ :value: None
+
.. py:attribute:: prediction_item_id
+ :value: None
+
.. py:attribute:: training_item_id
+ :value: None
+
.. py:attribute:: forecast_frequency
+ :value: None
+
.. py:attribute:: training_target_across_time
diff --git a/docs/_sources/autoapi/abacusai/function_logs/index.rst.txt b/docs/_sources/autoapi/abacusai/function_logs/index.rst.txt
index 33de06a9..11416972 100644
--- a/docs/_sources/autoapi/abacusai/function_logs/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/function_logs/index.rst.txt
@@ -39,18 +39,28 @@ Module Contents
.. py:attribute:: function
+ :value: None
+
.. py:attribute:: stats
+ :value: None
+
.. py:attribute:: stdout
+ :value: None
+
.. py:attribute:: stderr
+ :value: None
+
.. py:attribute:: algorithm
+ :value: None
+
.. py:attribute:: exception
diff --git a/docs/_sources/autoapi/abacusai/generated_pit_feature_config_option/index.rst.txt b/docs/_sources/autoapi/abacusai/generated_pit_feature_config_option/index.rst.txt
index 673cceb2..c5bd4cfd 100644
--- a/docs/_sources/autoapi/abacusai/generated_pit_feature_config_option/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/generated_pit_feature_config_option/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: display_name
+ :value: None
+
.. py:attribute:: default
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/graph_dashboard/index.rst.txt b/docs/_sources/autoapi/abacusai/graph_dashboard/index.rst.txt
index 85fcd178..d0feeaf1 100644
--- a/docs/_sources/autoapi/abacusai/graph_dashboard/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/graph_dashboard/index.rst.txt
@@ -45,30 +45,48 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: graph_dashboard_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: python_function_ids
+ :value: None
+
.. py:attribute:: plot_reference_ids
+ :value: None
+
.. py:attribute:: python_function_names
+ :value: None
+
.. py:attribute:: project_name
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/holdout_analysis/index.rst.txt b/docs/_sources/autoapi/abacusai/holdout_analysis/index.rst.txt
index 46c0a5c2..59420e0c 100644
--- a/docs/_sources/autoapi/abacusai/holdout_analysis/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/holdout_analysis/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: holdout_analysis_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: feature_group_ids
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_name
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/holdout_analysis_version/index.rst.txt b/docs/_sources/autoapi/abacusai/holdout_analysis_version/index.rst.txt
index b9ca8c17..e807b973 100644
--- a/docs/_sources/autoapi/abacusai/holdout_analysis_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/holdout_analysis_version/index.rst.txt
@@ -49,36 +49,58 @@ Module Contents
.. py:attribute:: holdout_analysis_version
+ :value: None
+
.. py:attribute:: holdout_analysis_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: algorithm
+ :value: None
+
.. py:attribute:: algo_name
+ :value: None
+
.. py:attribute:: metrics
+ :value: None
+
.. py:attribute:: metric_infos
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/hosted_model_token/index.rst.txt b/docs/_sources/autoapi/abacusai/hosted_model_token/index.rst.txt
index 8bdab025..f050d8f5 100644
--- a/docs/_sources/autoapi/abacusai/hosted_model_token/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/hosted_model_token/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: tag
+ :value: None
+
.. py:attribute:: trailing_auth_token
+ :value: None
+
.. py:attribute:: hosted_model_token_id
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/image_gen_settings/index.rst.txt b/docs/_sources/autoapi/abacusai/image_gen_settings/index.rst.txt
index 9964ae14..a672af67 100644
--- a/docs/_sources/autoapi/abacusai/image_gen_settings/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/image_gen_settings/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: model
+ :value: None
+
.. py:attribute:: settings
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/index.rst.txt b/docs/_sources/autoapi/abacusai/index.rst.txt
index 5d7ee185..c0917f4c 100644
--- a/docs/_sources/autoapi/abacusai/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/index.rst.txt
@@ -39,6 +39,7 @@ Submodules
/autoapi/abacusai/categorical_range_violation/index
/autoapi/abacusai/chat_message/index
/autoapi/abacusai/chat_session/index
+ /autoapi/abacusai/chatllm_computer/index
/autoapi/abacusai/chatllm_referral_invite/index
/autoapi/abacusai/client/index
/autoapi/abacusai/code_autocomplete_response/index
@@ -286,6 +287,7 @@ Classes
abacusai.WorkflowNodeInputSchema
abacusai.WorkflowNodeOutputMapping
abacusai.WorkflowNodeOutputSchema
+ abacusai.TriggerConfig
abacusai.WorkflowGraphNode
abacusai.WorkflowGraphEdge
abacusai.WorkflowGraph
@@ -322,6 +324,7 @@ Classes
abacusai.AttachmentParsingConfig
abacusai.ApplicationConnectorDatasetConfig
abacusai.ConfluenceDatasetConfig
+ abacusai.BoxDatasetConfig
abacusai.GoogleAnalyticsDatasetConfig
abacusai.GoogleDriveDatasetConfig
abacusai.JiraDatasetConfig
@@ -502,6 +505,7 @@ Classes
abacusai.CategoricalRangeViolation
abacusai.ChatMessage
abacusai.ChatSession
+ abacusai.ChatllmComputer
abacusai.ChatllmReferralInvite
abacusai.AgentResponse
abacusai.ApiClient
@@ -734,12 +738,18 @@ Package Contents
.. py:attribute:: method
+ :value: None
+
.. py:attribute:: docstring
+ :value: None
+
.. py:attribute:: score
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -783,24 +793,38 @@ Package Contents
.. py:attribute:: address_line_1
+ :value: None
+
.. py:attribute:: address_line_2
+ :value: None
+
.. py:attribute:: city
+ :value: None
+
.. py:attribute:: state_or_province
+ :value: None
+
.. py:attribute:: postal_code
+ :value: None
+
.. py:attribute:: country
+ :value: None
+
.. py:attribute:: additional_info
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -860,36 +884,58 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: agent_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: predict_function_name
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: agent_config
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: training_required
+ :value: None
+
.. py:attribute:: agent_execution_config
+ :value: None
+
.. py:attribute:: code_source
@@ -1030,27 +1076,43 @@ Package Contents
.. py:attribute:: role
+ :value: None
+
.. py:attribute:: text
+ :value: None
+
.. py:attribute:: doc_ids
+ :value: None
+
.. py:attribute:: keyword_arguments
+ :value: None
+
.. py:attribute:: segments
+ :value: None
+
.. py:attribute:: streamed_data
+ :value: None
+
.. py:attribute:: streamed_section_data
+ :value: None
+
.. py:attribute:: agent_workflow_node_id
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -1121,18 +1183,28 @@ Package Contents
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: filename
+ :value: None
+
.. py:attribute:: mime_type
+ :value: None
+
.. py:attribute:: size
+ :value: None
+
.. py:attribute:: page_count
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -1168,9 +1240,13 @@ Package Contents
.. py:attribute:: response
+ :value: None
+
.. py:attribute:: deployment_conversation_id
+ :value: None
+
.. py:attribute:: doc_infos
@@ -1227,33 +1303,53 @@ Package Contents
.. py:attribute:: agent_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: agent_id
+ :value: None
+
.. py:attribute:: agent_config
+ :value: None
+
.. py:attribute:: publishing_started_at
+ :value: None
+
.. py:attribute:: publishing_completed_at
+ :value: None
+
.. py:attribute:: pending_deployment_ids
+ :value: None
+
.. py:attribute:: failed_deployment_ids
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: agent_execution_config
+ :value: None
+
.. py:attribute:: code_source
@@ -1332,9 +1428,13 @@ Package Contents
.. py:attribute:: task
+ :value: None
+
.. py:attribute:: task_type
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -1396,48 +1496,78 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: problem_type
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: is_default_enabled
+ :value: None
+
.. py:attribute:: training_input_mappings
+ :value: None
+
.. py:attribute:: train_function_name
+ :value: None
+
.. py:attribute:: predict_function_name
+ :value: None
+
.. py:attribute:: predict_many_function_name
+ :value: None
+
.. py:attribute:: initialize_function_name
+ :value: None
+
.. py:attribute:: config_options
+ :value: None
+
.. py:attribute:: algorithm_id
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: algorithm_training_config
+ :value: None
+
.. py:attribute:: only_offline_deployable
+ :value: None
+
.. py:attribute:: code_source
@@ -1478,15 +1608,23 @@ Package Contents
.. py:attribute:: annotation_type
+ :value: None
+
.. py:attribute:: annotation_value
+ :value: None
+
.. py:attribute:: comments
+ :value: None
+
.. py:attribute:: metadata
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -1526,18 +1664,28 @@ Package Contents
.. py:attribute:: feature_annotation_configs
+ :value: None
+
.. py:attribute:: labels
+ :value: None
+
.. py:attribute:: status_feature
+ :value: None
+
.. py:attribute:: comments_features
+ :value: None
+
.. py:attribute:: metadata_feature
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -1577,18 +1725,28 @@ Package Contents
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: feature_group_row_identifier
+ :value: None
+
.. py:attribute:: feature_group_row_index
+ :value: None
+
.. py:attribute:: total_rows
+ :value: None
+
.. py:attribute:: is_annotation_present
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -1638,30 +1796,48 @@ Package Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_name
+ :value: None
+
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: feature_group_row_identifier
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: annotation_entry_marker
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: locked_until
+ :value: None
+
.. py:attribute:: verification_info
+ :value: None
+
.. py:attribute:: annotation
@@ -1708,21 +1884,33 @@ Package Contents
.. py:attribute:: total
+ :value: None
+
.. py:attribute:: done
+ :value: None
+
.. py:attribute:: in_progress
+ :value: None
+
.. py:attribute:: todo
+ :value: None
+
.. py:attribute:: latest_updated_at
+ :value: None
+
.. py:attribute:: is_materialization_needed
+ :value: None
+
.. py:attribute:: latest_materialized_annotation_config
@@ -1754,10 +1942,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: False
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -1831,10 +2023,14 @@ Package Contents
.. py:attribute:: description
:type: str
+ :value: None
+
.. py:attribute:: example_extraction
:type: Union[str, int, bool, float, list, dict]
+ :value: None
+
.. py:attribute:: type
@@ -1862,8 +2058,8 @@ Package Contents
:param name: The name of the input variable of the node function.
:type name: str
- :param variable_type: The type of the input.
- :type variable_type: WorkflowNodeInputType
+ :param variable_type: The type of the input. If the type is `IGNORE`, the input will be ignored.
+ :type variable_type: Union[WorkflowNodeInputType, str]
:param variable_source: The name of the node this variable is sourced from.
If the type is `WORKFLOW_VARIABLE`, the value given by the source node will be directly used.
If the type is `USER_INPUT`, the value given by the source node will be used as the default initial value before the user edits it.
@@ -1883,18 +2079,23 @@ Package Contents
.. py:attribute:: variable_source
:type: str
+ :value: None
+
.. py:attribute:: source_prop
:type: str
+ :value: None
+
.. py:attribute:: is_required
:type: bool
+ :value: True
- .. py:attribute:: default_value
- :type: Any
+
+ .. py:method:: __post_init__()
.. py:method:: to_dict()
@@ -1935,14 +2136,20 @@ Package Contents
.. py:attribute:: schema_source
:type: str
+ :value: None
+
.. py:attribute:: schema_prop
:type: str
+ :value: None
+
.. py:attribute:: runtime_schema
:type: bool
+ :value: False
+
.. py:method:: to_dict()
@@ -2036,7 +2243,37 @@ Package Contents
-.. py:class:: WorkflowGraphNode(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None)
+.. py:class:: TriggerConfig
+
+ Bases: :py:obj:`abacusai.api_class.abstract.ApiClass`
+
+
+ Represents the configuration for a trigger workflow node.
+
+ :param sleep_time: The time in seconds to wait before the node gets executed again.
+ :type sleep_time: int
+
+
+ .. py:attribute:: sleep_time
+ :type: int
+ :value: None
+
+
+
+ .. py:method:: to_dict()
+
+ Standardizes converting an ApiClass to dictionary.
+ Keys of response dictionary are converted to camel case.
+ This also validates the fields ( type, value, etc ) received in the dictionary.
+
+
+
+ .. py:method:: from_dict(configs)
+ :classmethod:
+
+
+
+.. py:class:: WorkflowGraphNode(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None, trigger_config = None)
Bases: :py:obj:`abacusai.api_class.abstract.ApiClass`
@@ -2059,12 +2296,20 @@ Package Contents
Additional Attributes:
function_name (str): The name of the function.
source_code (str): The source code of the function.
+ trigger_config (TriggerConfig): The configuration for a trigger workflow node.
.. py:attribute:: template_metadata
+ :value: None
+
- .. py:method:: _raw_init(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None)
+ .. py:attribute:: trigger_config
+ :value: None
+
+
+
+ .. py:method:: _raw_init(name, input_mappings = None, output_mappings = None, function = None, function_name = None, source_code = None, input_schema = None, output_schema = None, template_metadata = None, trigger_config = None)
:classmethod:
@@ -2157,18 +2402,26 @@ Package Contents
.. py:attribute:: nodes
:type: List[WorkflowGraphNode]
+ :value: []
+
.. py:attribute:: edges
:type: List[WorkflowGraphEdge]
+ :value: []
+
.. py:attribute:: primary_start_node
:type: Union[str, WorkflowGraphNode]
+ :value: None
+
.. py:attribute:: common_source_code
:type: str
+ :value: None
+
.. py:method:: to_dict()
@@ -2201,14 +2454,20 @@ Package Contents
.. py:attribute:: is_user
:type: bool
+ :value: None
+
.. py:attribute:: text
:type: str
+ :value: None
+
.. py:attribute:: document_contents
:type: dict
+ :value: None
+
.. py:method:: to_dict()
@@ -2242,14 +2501,20 @@ Package Contents
.. py:attribute:: description
:type: str
+ :value: None
+
.. py:attribute:: default_value
:type: str
+ :value: None
+
.. py:attribute:: is_required
:type: bool
+ :value: False
+
.. py:method:: to_dict()
@@ -2286,10 +2551,14 @@ Package Contents
.. py:attribute:: is_required
:type: bool
+ :value: False
+
.. py:attribute:: description
:type: str
+ :value: ''
+
.. py:method:: to_dict()
@@ -2330,6 +2599,8 @@ Package Contents
.. py:attribute:: description
:type: str
+ :value: ''
+
.. py:method:: to_dict()
@@ -2364,14 +2635,20 @@ Package Contents
.. py:attribute:: title
:type: str
+ :value: None
+
.. py:attribute:: disable_problem_type_context
:type: bool
+ :value: True
+
.. py:attribute:: ignore_history
:type: bool
+ :value: None
+
.. py:class:: _ApiClassFactory
@@ -2411,6 +2688,8 @@ Package Contents
.. py:attribute:: _support_kwargs
:type: bool
+ :value: True
+
.. py:attribute:: kwargs
@@ -2419,6 +2698,8 @@ Package Contents
.. py:attribute:: problem_type
:type: abacusai.api_class.enums.ProblemType
+ :value: None
+
.. py:method:: _get_builder()
@@ -2453,34 +2734,50 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: predictions_start_date
:type: str
+ :value: None
+
.. py:attribute:: use_prediction_offset
:type: bool
+ :value: None
+
.. py:attribute:: start_date_offset
:type: int
+ :value: None
+
.. py:attribute:: forecasting_horizon
:type: int
+ :value: None
+
.. py:attribute:: item_attributes_to_include_in_the_result
:type: list
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: create_monitor
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2499,6 +2796,8 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2523,18 +2822,26 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: number_of_items
:type: int
+ :value: None
+
.. py:attribute:: item_attributes_to_include_in_the_result
:type: list
+ :value: None
+
.. py:attribute:: score_field
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -2575,50 +2882,74 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: abacusai.api_class.enums.ExplainerType
+ :value: None
+
.. py:attribute:: number_of_samples_to_use_for_explainer
:type: int
+ :value: None
+
.. py:attribute:: include_multi_class_explanations
:type: bool
+ :value: None
+
.. py:attribute:: features_considered_constant_for_explanations
:type: str
+ :value: None
+
.. py:attribute:: importance_of_records_in_nested_columns
:type: str
+ :value: None
+
.. py:attribute:: explanation_filter_lower_bound
:type: float
+ :value: None
+
.. py:attribute:: explanation_filter_upper_bound
:type: float
+ :value: None
+
.. py:attribute:: explanation_filter_label
:type: str
+ :value: None
+
.. py:attribute:: output_columns
:type: list
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: create_monitor
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2641,14 +2972,20 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: files_output_location_prefix
:type: str
+ :value: None
+
.. py:attribute:: channel_id_to_label_map
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -2669,10 +3006,14 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: explode_output
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2697,18 +3038,26 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: analysis_frequency
:type: str
+ :value: None
+
.. py:attribute:: start_date
:type: str
+ :value: None
+
.. py:attribute:: analysis_days
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -2727,6 +3076,8 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2747,10 +3098,14 @@ Package Contents
.. py:attribute:: for_eval
:type: bool
+ :value: None
+
.. py:attribute:: create_monitor
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -2862,6 +3217,8 @@ Package Contents
.. py:attribute:: is_documentset
:type: bool
+ :value: None
+
.. py:class:: StreamingConnectorDatasetConfig
@@ -2877,6 +3234,8 @@ Package Contents
.. py:attribute:: streaming_connector_type
:type: abacusai.api_class.enums.StreamingConnectorType
+ :value: None
+
.. py:method:: _get_builder()
@@ -2897,6 +3256,8 @@ Package Contents
.. py:attribute:: topic
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -3054,14 +3415,20 @@ Package Contents
.. py:attribute:: escape
:type: str
+ :value: '"'
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: file_path_with_schema
:type: str
+ :value: None
+
.. py:class:: DocumentProcessingConfig
@@ -3199,6 +3566,8 @@ Package Contents
.. py:attribute:: timestamp_column
:type: str
+ :value: None
+
.. py:class:: AttachmentParsingConfig
@@ -3218,14 +3587,20 @@ Package Contents
.. py:attribute:: feature_group_name
:type: str
+ :value: None
+
.. py:attribute:: column_name
:type: str
+ :value: None
+
.. py:attribute:: urls
:type: str
+ :value: None
+
.. py:class:: ApplicationConnectorDatasetConfig
@@ -3245,14 +3620,20 @@ Package Contents
.. py:attribute:: application_connector_type
:type: abacusai.api_class.enums.ApplicationConnectorType
+ :value: None
+
.. py:attribute:: application_connector_id
:type: str
+ :value: None
+
.. py:attribute:: document_processing_config
:type: abacusai.api_class.dataset.DatasetDocumentProcessingConfig
+ :value: None
+
.. py:method:: _get_builder()
@@ -3278,18 +3659,45 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: space_key
:type: str
+ :value: None
+
.. py:attribute:: pull_attachments
:type: bool
+ :value: False
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
+
+
+ .. py:method:: __post_init__()
+
+
+.. py:class:: BoxDatasetConfig
+
+ Bases: :py:obj:`ApplicationConnectorDatasetConfig`
+
+
+ Dataset config for Box Application Connector
+ :param location: The regex location of the files to fetch
+ :type location: str
+
+
+ .. py:attribute:: location
+ :type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -3312,14 +3720,20 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: start_timestamp
:type: int
+ :value: None
+
.. py:attribute:: end_timestamp
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -3344,18 +3758,26 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
.. py:attribute:: merge_file_schemas
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -3380,18 +3802,26 @@ Package Contents
.. py:attribute:: jql
:type: str
+ :value: None
+
.. py:attribute:: custom_fields
:type: list
+ :value: None
+
.. py:attribute:: include_comments
:type: bool
+ :value: False
+
.. py:attribute:: include_watchers
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -3416,18 +3846,26 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
.. py:attribute:: merge_file_schemas
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -3452,18 +3890,26 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: csv_delimiter
:type: str
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
:type: bool
+ :value: False
+
.. py:attribute:: merge_file_schemas
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -3482,6 +3928,8 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -3502,10 +3950,14 @@ Package Contents
.. py:attribute:: include_entire_conversation_history
:type: bool
+ :value: False
+
.. py:attribute:: include_all_feedback
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -3528,14 +3980,20 @@ Package Contents
.. py:attribute:: pull_chat_messages
:type: bool
+ :value: False
+
.. py:attribute:: pull_channel_posts
:type: bool
+ :value: False
+
.. py:attribute:: pull_transcripts
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -3582,6 +4040,8 @@ Package Contents
.. py:attribute:: _support_kwargs
:type: bool
+ :value: True
+
.. py:attribute:: kwargs
@@ -3590,6 +4050,8 @@ Package Contents
.. py:attribute:: problem_type
:type: abacusai.api_class.enums.ProblemType
+ :value: None
+
.. py:method:: _get_builder()
@@ -3614,14 +4076,20 @@ Package Contents
.. py:attribute:: forced_assignments
:type: dict
+ :value: None
+
.. py:attribute:: solve_time_limit_seconds
:type: float
+ :value: None
+
.. py:attribute:: include_all_assignments
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -3644,14 +4112,20 @@ Package Contents
.. py:attribute:: start_timestamp
:type: str
+ :value: None
+
.. py:attribute:: end_timestamp
:type: str
+ :value: None
+
.. py:attribute:: get_all_item_data
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -3680,26 +4154,38 @@ Package Contents
.. py:attribute:: llm_name
:type: str
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: system_message
:type: str
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: search_score_cutoff
:type: float
+ :value: None
+
.. py:attribute:: ignore_documents
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -3720,10 +4206,14 @@ Package Contents
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -3750,22 +4240,32 @@ Package Contents
.. py:attribute:: num_predictions
:type: int
+ :value: None
+
.. py:attribute:: prediction_start
:type: str
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: str
+ :value: None
+
.. py:attribute:: get_item_data
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -3792,22 +4292,32 @@ Package Contents
.. py:attribute:: num_predictions
:type: int
+ :value: None
+
.. py:attribute:: prediction_start
:type: str
+ :value: None
+
.. py:attribute:: explain_predictions
:type: bool
+ :value: None
+
.. py:attribute:: explainer_type
:type: str
+ :value: None
+
.. py:attribute:: get_item_data
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -3836,26 +4346,38 @@ Package Contents
.. py:attribute:: llm_name
:type: str
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: system_message
:type: str
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: search_score_cutoff
:type: float
+ :value: None
+
.. py:attribute:: ignore_documents
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -3874,6 +4396,8 @@ Package Contents
.. py:attribute:: limit_results
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -3973,38 +4497,56 @@ Package Contents
.. py:attribute:: chunk_size
:type: int
+ :value: None
+
.. py:attribute:: chunk_overlap_fraction
:type: float
+ :value: None
+
.. py:attribute:: text_encoder
:type: abacusai.api_class.enums.VectorStoreTextEncoder
+ :value: None
+
.. py:attribute:: chunk_size_factors
:type: list
+ :value: None
+
.. py:attribute:: score_multiplier_column
:type: str
+ :value: None
+
.. py:attribute:: prune_vectors
:type: bool
+ :value: None
+
.. py:attribute:: index_metadata_columns
:type: bool
+ :value: None
+
.. py:attribute:: use_document_summary
:type: bool
+ :value: None
+
.. py:attribute:: summary_instructions
:type: str
+ :value: None
+
.. py:data:: DocumentRetrieverConfig
@@ -5705,6 +6247,11 @@ Package Contents
+ .. py:attribute:: BOX
+ :value: 'BOX'
+
+
+
.. py:class:: StreamingConnectorType
Bases: :py:obj:`ApiEnum`
@@ -5985,6 +6532,11 @@ Package Contents
+ .. py:attribute:: QWQ_32B
+ :value: 'QWQ_32B'
+
+
+
.. py:attribute:: GEMINI_1_5_FLASH
:value: 'GEMINI_1_5_FLASH'
@@ -6270,6 +6822,11 @@ Package Contents
+ .. py:attribute:: IGNORE
+ :value: 'IGNORE'
+
+
+
.. py:class:: WorkflowNodeOutputType
Bases: :py:obj:`ApiEnum`
@@ -6690,6 +7247,8 @@ Package Contents
.. py:attribute:: sampling_method
:type: abacusai.api_class.enums.SamplingMethodType
+ :value: None
+
.. py:method:: _get_builder()
@@ -6719,6 +7278,8 @@ Package Contents
.. py:attribute:: key_columns
:type: List[str]
+ :value: []
+
.. py:method:: __post_init__()
@@ -6743,6 +7304,8 @@ Package Contents
.. py:attribute:: key_columns
:type: List[str]
+ :value: []
+
.. py:method:: __post_init__()
@@ -6778,6 +7341,8 @@ Package Contents
.. py:attribute:: merge_mode
:type: abacusai.api_class.enums.MergeMode
+ :value: None
+
.. py:method:: _get_builder()
@@ -6807,6 +7372,8 @@ Package Contents
.. py:attribute:: include_version_timestamp_column
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -6837,6 +7404,8 @@ Package Contents
.. py:attribute:: include_version_timestamp_column
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -6872,6 +7441,8 @@ Package Contents
.. py:attribute:: operator_type
:type: abacusai.api_class.enums.OperatorType
+ :value: None
+
.. py:method:: _get_builder()
@@ -6901,18 +7472,26 @@ Package Contents
.. py:attribute:: columns
:type: List[str]
+ :value: None
+
.. py:attribute:: index_column
:type: str
+ :value: None
+
.. py:attribute:: value_column
:type: str
+ :value: None
+
.. py:attribute:: exclude
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -6935,14 +7514,20 @@ Package Contents
.. py:attribute:: input_column
:type: str
+ :value: None
+
.. py:attribute:: output_column
:type: str
+ :value: None
+
.. py:attribute:: input_column_type
:type: abacusai.api_class.enums.MarkdownOperatorInputType
+ :value: None
+
.. py:method:: __post_init__()
@@ -6971,34 +7556,50 @@ Package Contents
.. py:attribute:: input_column
:type: str
+ :value: None
+
.. py:attribute:: output_column
:type: str
+ :value: None
+
.. py:attribute:: depth_column
:type: str
+ :value: None
+
.. py:attribute:: input_column_type
:type: str
+ :value: None
+
.. py:attribute:: crawl_depth
:type: int
+ :value: None
+
.. py:attribute:: disable_host_restriction
:type: bool
+ :value: None
+
.. py:attribute:: honour_website_rules
:type: bool
+ :value: None
+
.. py:attribute:: user_agent
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -7021,14 +7622,20 @@ Package Contents
.. py:attribute:: doc_id_column
:type: str
+ :value: None
+
.. py:attribute:: document_column
:type: str
+ :value: None
+
.. py:attribute:: document_processing_config
:type: abacusai.api_class.dataset.DocumentProcessingConfig
+ :value: None
+
.. py:method:: __post_init__()
@@ -7079,70 +7686,104 @@ Package Contents
.. py:attribute:: prompt_col
:type: str
+ :value: None
+
.. py:attribute:: completion_col
:type: str
+ :value: None
+
.. py:attribute:: description_col
:type: str
+ :value: None
+
.. py:attribute:: id_col
:type: str
+ :value: None
+
.. py:attribute:: generation_instructions
:type: str
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: fewshot_examples
:type: int
+ :value: None
+
.. py:attribute:: concurrency
:type: int
+ :value: None
+
.. py:attribute:: examples_per_target
:type: int
+ :value: None
+
.. py:attribute:: subset_size
:type: int
+ :value: None
+
.. py:attribute:: verify_response
:type: bool
+ :value: None
+
.. py:attribute:: token_budget
:type: int
+ :value: None
+
.. py:attribute:: oversample
:type: bool
+ :value: None
+
.. py:attribute:: documentation_char_limit
:type: int
+ :value: None
+
.. py:attribute:: frequency_penalty
:type: float
+ :value: None
+
.. py:attribute:: model
:type: str
+ :value: None
+
.. py:attribute:: seed
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -7163,10 +7804,14 @@ Package Contents
.. py:attribute:: feature_group_ids
:type: List[str]
+ :value: None
+
.. py:attribute:: drop_non_intersecting_columns
:type: bool
+ :value: False
+
.. py:method:: __post_init__()
@@ -7201,10 +7846,14 @@ Package Contents
.. py:attribute:: _upper_snake_case_keys
:type: bool
+ :value: True
+
.. py:attribute:: _support_kwargs
:type: bool
+ :value: True
+
.. py:attribute:: kwargs
@@ -7213,10 +7862,14 @@ Package Contents
.. py:attribute:: problem_type
:type: abacusai.api_class.enums.ProblemType
+ :value: None
+
.. py:attribute:: algorithm
:type: str
+ :value: None
+
.. py:method:: _get_builder()
@@ -7311,154 +7964,230 @@ Package Contents
.. py:attribute:: objective
:type: abacusai.api_class.enums.PersonalizationObjective
+ :value: None
+
.. py:attribute:: sort_objective
:type: abacusai.api_class.enums.PersonalizationObjective
+ :value: None
+
.. py:attribute:: training_mode
:type: abacusai.api_class.enums.PersonalizationTrainingMode
+ :value: None
+
.. py:attribute:: target_action_types
:type: List[str]
+ :value: None
+
.. py:attribute:: target_action_weights
:type: Dict[str, float]
+ :value: None
+
.. py:attribute:: session_event_types
:type: List[str]
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: recent_days_for_training
:type: int
+ :value: None
+
.. py:attribute:: training_start_date
:type: str
+ :value: None
+
.. py:attribute:: test_on_user_split
:type: bool
+ :value: None
+
.. py:attribute:: test_split_on_last_k_items
:type: bool
+ :value: None
+
.. py:attribute:: test_last_items_length
:type: int
+ :value: None
+
.. py:attribute:: test_window_length_hours
:type: int
+ :value: None
+
.. py:attribute:: explicit_time_split
:type: bool
+ :value: None
+
.. py:attribute:: test_row_indicator
:type: str
+ :value: None
+
.. py:attribute:: full_data_retraining
:type: bool
+ :value: None
+
.. py:attribute:: sequential_training
:type: bool
+ :value: None
+
.. py:attribute:: data_split_feature_group_table_name
:type: str
+ :value: None
+
.. py:attribute:: optimized_event_type
:type: str
+ :value: None
+
.. py:attribute:: dropout_rate
:type: int
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:attribute:: disable_transformer
:type: bool
+ :value: None
+
.. py:attribute:: disable_gpu
:type: bool
+ :value: None
+
.. py:attribute:: filter_history
:type: bool
+ :value: None
+
.. py:attribute:: action_types_exclusion_days
:type: Dict[str, float]
+ :value: None
+
.. py:attribute:: max_history_length
:type: int
+ :value: None
+
.. py:attribute:: compute_rerank_metrics
:type: bool
+ :value: None
+
.. py:attribute:: add_time_features
:type: bool
+ :value: None
+
.. py:attribute:: disable_timestamp_scalar_features
:type: bool
+ :value: None
+
.. py:attribute:: compute_session_metrics
:type: bool
+ :value: None
+
.. py:attribute:: query_column
:type: str
+ :value: None
+
.. py:attribute:: item_query_column
:type: str
+ :value: None
+
.. py:attribute:: use_user_id_feature
:type: bool
+ :value: None
+
.. py:attribute:: session_dedupe_mins
:type: float
+ :value: None
+
.. py:attribute:: include_item_id_feature
:type: bool
+ :value: None
+
.. py:attribute:: max_user_history_len_percentile
:type: int
+ :value: None
+
.. py:attribute:: downsample_item_popularity_percentile
:type: float
+ :value: None
+
.. py:attribute:: min_item_history
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -7565,182 +8294,272 @@ Package Contents
.. py:attribute:: objective
:type: abacusai.api_class.enums.RegressionObjective
+ :value: None
+
.. py:attribute:: sort_objective
:type: abacusai.api_class.enums.RegressionObjective
+ :value: None
+
.. py:attribute:: tree_hpo_mode
:type: abacusai.api_class.enums.RegressionTreeHPOMode
+ :value: None
+
.. py:attribute:: partial_dependence_analysis
:type: abacusai.api_class.enums.PartialDependenceAnalysis
+ :value: None
+
.. py:attribute:: type_of_split
:type: abacusai.api_class.enums.RegressionTypeOfSplit
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: disable_test_val_fold
:type: bool
+ :value: None
+
.. py:attribute:: k_fold_cross_validation
:type: bool
+ :value: None
+
.. py:attribute:: num_cv_folds
:type: int
+ :value: None
+
.. py:attribute:: timestamp_based_splitting_column
:type: str
+ :value: None
+
.. py:attribute:: timestamp_based_splitting_method
:type: abacusai.api_class.enums.RegressionTimeSplitMethod
+ :value: None
+
.. py:attribute:: test_splitting_timestamp
:type: str
+ :value: None
+
.. py:attribute:: sampling_unit_keys
:type: List[str]
+ :value: None
+
.. py:attribute:: test_row_indicator
:type: str
+ :value: None
+
.. py:attribute:: full_data_retraining
:type: bool
+ :value: None
+
.. py:attribute:: rebalance_classes
:type: bool
+ :value: None
+
.. py:attribute:: rare_class_augmentation_threshold
:type: float
+ :value: None
+
.. py:attribute:: augmentation_strategy
:type: abacusai.api_class.enums.RegressionAugmentationStrategy
+ :value: None
+
.. py:attribute:: training_rows_downsample_ratio
:type: float
+ :value: None
+
.. py:attribute:: active_labels_column
:type: str
+ :value: None
+
.. py:attribute:: min_categorical_count
:type: int
+ :value: None
+
.. py:attribute:: sample_weight
:type: str
+ :value: None
+
.. py:attribute:: numeric_clipping_percentile
:type: float
+ :value: None
+
.. py:attribute:: target_transform
:type: abacusai.api_class.enums.RegressionTargetTransform
+ :value: None
+
.. py:attribute:: ignore_datetime_features
:type: bool
+ :value: None
+
.. py:attribute:: max_text_words
:type: int
+ :value: None
+
.. py:attribute:: perform_feature_selection
:type: bool
+ :value: None
+
.. py:attribute:: feature_selection_intensity
:type: int
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:attribute:: dropout_rate
:type: int
+ :value: None
+
.. py:attribute:: pretrained_model_name
:type: str
+ :value: None
+
.. py:attribute:: pretrained_llm_name
:type: str
+ :value: None
+
.. py:attribute:: is_multilingual
:type: bool
+ :value: None
+
.. py:attribute:: do_masked_language_model_pretraining
:type: bool
+ :value: None
+
.. py:attribute:: max_tokens_in_sentence
:type: int
+ :value: None
+
.. py:attribute:: truncation_strategy
:type: str
+ :value: None
+
.. py:attribute:: loss_function
:type: abacusai.api_class.enums.RegressionLossFunction
+ :value: None
+
.. py:attribute:: loss_parameters
:type: str
+ :value: None
+
.. py:attribute:: target_encode_categoricals
:type: bool
+ :value: None
+
.. py:attribute:: drop_original_categoricals
:type: bool
+ :value: None
+
.. py:attribute:: monotonically_increasing_features
:type: List[str]
+ :value: None
+
.. py:attribute:: monotonically_decreasing_features
:type: List[str]
+ :value: None
+
.. py:attribute:: data_split_feature_group_table_name
:type: str
+ :value: None
+
.. py:attribute:: custom_loss_functions
:type: List[str]
+ :value: None
+
.. py:attribute:: custom_metrics
:type: List[str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -7880,254 +8699,380 @@ Package Contents
.. py:attribute:: prediction_length
:type: int
+ :value: None
+
.. py:attribute:: objective
:type: abacusai.api_class.enums.ForecastingObjective
+ :value: None
+
.. py:attribute:: sort_objective
:type: abacusai.api_class.enums.ForecastingObjective
+ :value: None
+
.. py:attribute:: forecast_frequency
:type: abacusai.api_class.enums.ForecastingFrequency
+ :value: None
+
.. py:attribute:: probability_quantiles
:type: List[float]
+ :value: None
+
.. py:attribute:: force_prediction_length
:type: bool
+ :value: None
+
.. py:attribute:: filter_items
:type: bool
+ :value: None
+
.. py:attribute:: enable_feature_selection
:type: bool
+ :value: None
+
.. py:attribute:: enable_padding
:type: bool
+ :value: None
+
.. py:attribute:: enable_cold_start
:type: bool
+ :value: None
+
.. py:attribute:: enable_multiple_backtests
:type: bool
+ :value: None
+
.. py:attribute:: num_backtesting_windows
:type: int
+ :value: None
+
.. py:attribute:: backtesting_window_step_size
:type: int
+ :value: None
+
.. py:attribute:: full_data_retraining
:type: bool
+ :value: None
+
.. py:attribute:: additional_forecast_keys
:type: List[str]
+ :value: None
+
.. py:attribute:: experimentation_mode
:type: abacusai.api_class.enums.ExperimentationMode
+ :value: None
+
.. py:attribute:: type_of_split
:type: abacusai.api_class.enums.ForecastingDataSplitType
+ :value: None
+
.. py:attribute:: test_by_item
:type: bool
+ :value: None
+
.. py:attribute:: test_start
:type: str
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: loss_function
:type: abacusai.api_class.enums.ForecastingLossFunction
+ :value: None
+
.. py:attribute:: underprediction_weight
:type: float
+ :value: None
+
.. py:attribute:: disable_networks_without_analytic_quantiles
:type: bool
+ :value: None
+
.. py:attribute:: initial_learning_rate
:type: float
+ :value: None
+
.. py:attribute:: l2_regularization_factor
:type: float
+ :value: None
+
.. py:attribute:: dropout_rate
:type: int
+ :value: None
+
.. py:attribute:: recurrent_layers
:type: int
+ :value: None
+
.. py:attribute:: recurrent_units
:type: int
+ :value: None
+
.. py:attribute:: convolutional_layers
:type: int
+ :value: None
+
.. py:attribute:: convolution_filters
:type: int
+ :value: None
+
.. py:attribute:: local_scaling_mode
:type: abacusai.api_class.enums.ForecastingLocalScaling
+ :value: None
+
.. py:attribute:: zero_predictor
:type: bool
+ :value: None
+
.. py:attribute:: skip_missing
:type: bool
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:attribute:: batch_renormalization
:type: bool
+ :value: None
+
.. py:attribute:: history_length
:type: int
+ :value: None
+
.. py:attribute:: prediction_step_size
:type: int
+ :value: None
+
.. py:attribute:: training_point_overlap
:type: float
+ :value: None
+
.. py:attribute:: max_scale_context
:type: int
+ :value: None
+
.. py:attribute:: quantiles_extension_method
:type: abacusai.api_class.enums.ForecastingQuanitlesExtensionMethod
+ :value: None
+
.. py:attribute:: number_of_samples
:type: int
+ :value: None
+
.. py:attribute:: symmetrize_quantiles
:type: bool
+ :value: None
+
.. py:attribute:: use_log_transforms
:type: bool
+ :value: None
+
.. py:attribute:: smooth_history
:type: float
+ :value: None
+
.. py:attribute:: local_scale_target
:type: bool
+ :value: None
+
.. py:attribute:: use_clipping
:type: bool
+ :value: None
+
.. py:attribute:: timeseries_weight_column
:type: str
+ :value: None
+
.. py:attribute:: item_attributes_weight_column
:type: str
+ :value: None
+
.. py:attribute:: use_timeseries_weights_in_objective
:type: bool
+ :value: None
+
.. py:attribute:: use_item_weights_in_objective
:type: bool
+ :value: None
+
.. py:attribute:: skip_timeseries_weight_scaling
:type: bool
+ :value: None
+
.. py:attribute:: timeseries_loss_weight_column
:type: str
+ :value: None
+
.. py:attribute:: use_item_id
:type: bool
+ :value: None
+
.. py:attribute:: use_all_item_totals
:type: bool
+ :value: None
+
.. py:attribute:: handle_zeros_as_missing_values
:type: bool
+ :value: None
+
.. py:attribute:: datetime_holiday_calendars
:type: List[abacusai.api_class.enums.HolidayCalendars]
+ :value: None
+
.. py:attribute:: fill_missing_values
:type: List[List[dict]]
+ :value: None
+
.. py:attribute:: enable_clustering
:type: bool
+ :value: None
+
.. py:attribute:: data_split_feature_group_table_name
:type: str
+ :value: None
+
.. py:attribute:: custom_loss_functions
:type: List[str]
+ :value: None
+
.. py:attribute:: custom_metrics
:type: List[str]
+ :value: None
+
.. py:attribute:: return_fractional_forecasts
:type: bool
+ :value: None
+
.. py:attribute:: allow_training_with_small_history
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -8240,26 +9185,38 @@ Package Contents
.. py:attribute:: abacus_internal_model
:type: bool
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: larger_embeddings
:type: bool
+ :value: None
+
.. py:attribute:: search_chunk_size
:type: int
+ :value: None
+
.. py:attribute:: index_fraction
:type: float
+ :value: None
+
.. py:attribute:: chunk_overlap_fraction
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -8340,142 +9297,212 @@ Package Contents
.. py:attribute:: document_retrievers
:type: List[str]
+ :value: None
+
.. py:attribute:: num_completion_tokens
:type: int
+ :value: None
+
.. py:attribute:: temperature
:type: float
+ :value: None
+
.. py:attribute:: retrieval_columns
:type: list
+ :value: None
+
.. py:attribute:: filter_columns
:type: list
+ :value: None
+
.. py:attribute:: include_general_knowledge
:type: bool
+ :value: None
+
.. py:attribute:: enable_web_search
:type: bool
+ :value: None
+
.. py:attribute:: behavior_instructions
:type: str
+ :value: None
+
.. py:attribute:: response_instructions
:type: str
+ :value: None
+
.. py:attribute:: enable_llm_rewrite
:type: bool
+ :value: None
+
.. py:attribute:: column_filtering_instructions
:type: str
+ :value: None
+
.. py:attribute:: keyword_requirement_instructions
:type: str
+ :value: None
+
.. py:attribute:: query_rewrite_instructions
:type: str
+ :value: None
+
.. py:attribute:: max_search_results
:type: int
+ :value: None
+
.. py:attribute:: data_feature_group_ids
:type: List[str]
+ :value: None
+
.. py:attribute:: data_prompt_context
:type: str
+ :value: None
+
.. py:attribute:: data_prompt_table_context
:type: Dict[str, str]
+ :value: None
+
.. py:attribute:: data_prompt_column_context
:type: Dict[str, str]
+ :value: None
+
.. py:attribute:: hide_sql_and_code
:type: bool
+ :value: None
+
.. py:attribute:: disable_data_summarization
:type: bool
+ :value: None
+
.. py:attribute:: data_columns_to_ignore
:type: List[str]
+ :value: None
+
.. py:attribute:: search_score_cutoff
:type: float
+ :value: None
+
.. py:attribute:: include_bm25_retrieval
:type: bool
+ :value: None
+
.. py:attribute:: database_connector_id
:type: str
+ :value: None
+
.. py:attribute:: database_connector_tables
:type: List[str]
+ :value: None
+
.. py:attribute:: enable_code_execution
:type: bool
+ :value: None
+
.. py:attribute:: metadata_columns
:type: list
+ :value: None
+
.. py:attribute:: lookup_rewrite_instructions
:type: str
+ :value: None
+
.. py:attribute:: enable_response_caching
:type: bool
+ :value: None
+
.. py:attribute:: unknown_answer_phrase
:type: str
+ :value: None
+
.. py:attribute:: enable_tool_bar
:type: bool
+ :value: None
+
.. py:attribute:: enable_inline_source_citations
:type: bool
+ :value: None
+
.. py:attribute:: response_format
:type: str
+ :value: None
+
.. py:attribute:: json_response_instructions
:type: str
+ :value: None
+
.. py:attribute:: json_response_schema
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -8498,14 +9525,20 @@ Package Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: dropout_rate
:type: float
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:method:: __post_init__()
@@ -8526,10 +9559,14 @@ Package Contents
.. py:attribute:: sentiment_type
:type: abacusai.api_class.enums.SentimentType
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -8550,10 +9587,14 @@ Package Contents
.. py:attribute:: zero_shot_hypotheses
:type: List[str]
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -8576,14 +9617,20 @@ Package Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: dropout_rate
:type: float
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:method:: __post_init__()
@@ -8606,14 +9653,20 @@ Package Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: dropout_rate
:type: float
+ :value: None
+
.. py:attribute:: batch_size
:type: abacusai.api_class.enums.BatchSize
+ :value: None
+
.. py:method:: __post_init__()
@@ -8632,6 +9685,8 @@ Package Contents
.. py:attribute:: num_clusters_selection
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -8652,10 +9707,14 @@ Package Contents
.. py:attribute:: num_clusters_selection
:type: int
+ :value: None
+
.. py:attribute:: imputation
:type: abacusai.api_class.enums.ClusteringImputationMethod
+ :value: None
+
.. py:method:: __post_init__()
@@ -8674,6 +9733,8 @@ Package Contents
.. py:attribute:: anomaly_fraction
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -8706,46 +9767,74 @@ Package Contents
:type hyperparameter_calculation_with_heuristics: TimeseriesAnomalyUseHeuristic
:param threshold_score: Threshold score for anomaly detection
:type threshold_score: float
+ :param additional_anomaly_ids: List of categorical columns that can act as multi-identifier
+ :type additional_anomaly_ids: List[str]
.. py:attribute:: type_of_split
:type: abacusai.api_class.enums.TimeseriesAnomalyDataSplitType
+ :value: None
+
.. py:attribute:: test_start
:type: str
+ :value: None
+
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: fill_missing_values
:type: List[List[dict]]
+ :value: None
+
.. py:attribute:: handle_zeros_as_missing_values
:type: bool
+ :value: None
+
.. py:attribute:: timeseries_frequency
:type: str
+ :value: None
+
.. py:attribute:: min_samples_in_normal_region
:type: int
+ :value: None
+
.. py:attribute:: anomaly_type
:type: abacusai.api_class.enums.TimeseriesAnomalyTypeOfAnomaly
+ :value: None
+
.. py:attribute:: hyperparameter_calculation_with_heuristics
:type: abacusai.api_class.enums.TimeseriesAnomalyUseHeuristic
+ :value: None
+
.. py:attribute:: threshold_score
:type: float
+ :value: None
+
+
+
+ .. py:attribute:: additional_anomaly_ids
+ :type: List[str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -8774,26 +9863,38 @@ Package Contents
.. py:attribute:: test_split
:type: int
+ :value: None
+
.. py:attribute:: historical_frequency
:type: str
+ :value: None
+
.. py:attribute:: cumulative_prediction_lengths
:type: List[int]
+ :value: None
+
.. py:attribute:: skip_input_transform
:type: bool
+ :value: None
+
.. py:attribute:: skip_target_transform
:type: bool
+ :value: None
+
.. py:attribute:: predict_residuals
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -8826,26 +9927,38 @@ Package Contents
.. py:attribute:: description
:type: str
+ :value: None
+
.. py:attribute:: agent_interface
:type: abacusai.api_class.enums.AgentInterface
+ :value: None
+
.. py:attribute:: agent_connectors
:type: List[abacusai.api_class.enums.ApplicationConnectorType]
+ :value: None
+
.. py:attribute:: enable_binary_input
:type: bool
+ :value: None
+
.. py:attribute:: agent_input_schema
:type: dict
+ :value: None
+
.. py:attribute:: agent_output_schema
:type: dict
+ :value: None
+
.. py:method:: __post_init__()
@@ -8874,26 +9987,38 @@ Package Contents
.. py:attribute:: max_catalog_size
:type: int
+ :value: None
+
.. py:attribute:: max_dimension
:type: int
+ :value: None
+
.. py:attribute:: index_output_path
:type: str
+ :value: None
+
.. py:attribute:: docker_image_uri
:type: str
+ :value: None
+
.. py:attribute:: service_port
:type: int
+ :value: None
+
.. py:attribute:: streaming_embeddings
:type: bool
+ :value: None
+
.. py:method:: __post_init__()
@@ -8912,6 +10037,8 @@ Package Contents
.. py:attribute:: timeout_minutes
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -8932,10 +10059,14 @@ Package Contents
.. py:attribute:: solve_time_limit
:type: float
+ :value: None
+
.. py:attribute:: optimality_gap_limit
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -8980,18 +10111,26 @@ Package Contents
.. py:attribute:: algorithm
:type: str
+ :value: None
+
.. py:attribute:: name
:type: str
+ :value: None
+
.. py:attribute:: only_offline_deployable
:type: bool
+ :value: None
+
.. py:attribute:: trained_model_types
:type: List[dict]
+ :value: None
+
.. py:class:: TimeWindowConfig
@@ -9009,10 +10148,14 @@ Package Contents
.. py:attribute:: window_duration
:type: int
+ :value: None
+
.. py:attribute:: window_from_start
:type: bool
+ :value: None
+
.. py:method:: to_dict()
@@ -9046,26 +10189,38 @@ Package Contents
.. py:attribute:: id_column
:type: str
+ :value: None
+
.. py:attribute:: timestamp_column
:type: str
+ :value: None
+
.. py:attribute:: target_column
:type: str
+ :value: None
+
.. py:attribute:: start_time
:type: str
+ :value: None
+
.. py:attribute:: end_time
:type: str
+ :value: None
+
.. py:attribute:: window_config
:type: TimeWindowConfig
+ :value: None
+
.. py:method:: to_dict()
@@ -9091,10 +10246,14 @@ Package Contents
.. py:attribute:: threshold_type
:type: abacusai.api_class.enums.StdDevThresholdType
+ :value: None
+
.. py:attribute:: value
:type: float
+ :value: None
+
.. py:method:: to_dict()
@@ -9120,10 +10279,14 @@ Package Contents
.. py:attribute:: lower_bound
:type: StdDevThreshold
+ :value: None
+
.. py:attribute:: upper_bound
:type: StdDevThreshold
+ :value: None
+
.. py:method:: to_dict()
@@ -9157,26 +10320,38 @@ Package Contents
.. py:attribute:: feature_name
:type: str
+ :value: None
+
.. py:attribute:: restricted_feature_values
:type: list
+ :value: []
+
.. py:attribute:: start_time
:type: str
+ :value: None
+
.. py:attribute:: end_time
:type: str
+ :value: None
+
.. py:attribute:: min_value
:type: float
+ :value: None
+
.. py:attribute:: max_value
:type: float
+ :value: None
+
.. py:method:: to_dict()
@@ -9210,26 +10385,38 @@ Package Contents
.. py:attribute:: start_time
:type: str
+ :value: None
+
.. py:attribute:: end_time
:type: str
+ :value: None
+
.. py:attribute:: restrict_feature_mappings
:type: List[RestrictFeatureMappings]
+ :value: None
+
.. py:attribute:: target_class
:type: str
+ :value: None
+
.. py:attribute:: train_target_feature
:type: str
+ :value: None
+
.. py:attribute:: prediction_target_feature
:type: str
+ :value: None
+
.. py:method:: to_dict()
@@ -9250,6 +10437,8 @@ Package Contents
.. py:attribute:: alert_type
:type: abacusai.api_class.enums.MonitorAlertType
+ :value: None
+
.. py:method:: _get_builder()
@@ -9270,6 +10459,8 @@ Package Contents
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -9294,18 +10485,26 @@ Package Contents
.. py:attribute:: feature_drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:attribute:: minimum_violations
:type: int
+ :value: None
+
.. py:attribute:: feature_names
:type: List[str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -9326,10 +10525,14 @@ Package Contents
.. py:attribute:: feature_drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -9350,10 +10553,14 @@ Package Contents
.. py:attribute:: feature_drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:method:: __post_init__()
@@ -9374,10 +10581,14 @@ Package Contents
.. py:attribute:: data_integrity_type
:type: abacusai.api_class.enums.DataIntegrityViolationType
+ :value: None
+
.. py:attribute:: minimum_violations
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -9400,14 +10611,20 @@ Package Contents
.. py:attribute:: bias_type
:type: abacusai.api_class.enums.BiasType
+ :value: None
+
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:attribute:: minimum_violations
:type: int
+ :value: None
+
.. py:method:: __post_init__()
@@ -9429,14 +10646,20 @@ Package Contents
.. py:attribute:: threshold
:type: float
+ :value: None
+
.. py:attribute:: aggregation_window
:type: str
+ :value: None
+
.. py:attribute:: aggregation_type
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -9477,6 +10700,8 @@ Package Contents
.. py:attribute:: action_type
:type: abacusai.api_class.enums.AlertActionType
+ :value: None
+
.. py:method:: _get_builder()
@@ -9499,10 +10724,14 @@ Package Contents
.. py:attribute:: email_recipients
:type: List[str]
+ :value: None
+
.. py:attribute:: email_body
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -9543,14 +10772,20 @@ Package Contents
.. py:attribute:: drift_type
:type: abacusai.api_class.enums.FeatureDriftType
+ :value: None
+
.. py:attribute:: at_risk_threshold
:type: float
+ :value: None
+
.. py:attribute:: severely_drifting_threshold
:type: float
+ :value: None
+
.. py:method:: to_dict()
@@ -9582,10 +10817,14 @@ Package Contents
.. py:attribute:: feature_mapping
:type: str
+ :value: None
+
.. py:attribute:: nested_feature_name
:type: str
+ :value: None
+
.. py:class:: ProjectFeatureGroupTypeMappingsConfig
@@ -9609,6 +10848,8 @@ Package Contents
.. py:attribute:: feature_group_type
:type: str
+ :value: None
+
.. py:attribute:: feature_mappings
@@ -9649,14 +10890,20 @@ Package Contents
.. py:attribute:: enforcement
:type: Optional[str]
+ :value: None
+
.. py:attribute:: code
:type: Optional[str]
+ :value: None
+
.. py:attribute:: penalty
:type: Optional[float]
+ :value: None
+
.. py:class:: ProjectFeatureGroupConfig
@@ -9669,6 +10916,8 @@ Package Contents
.. py:attribute:: type
:type: abacusai.api_class.enums.ProjectConfigType
+ :value: None
+
.. py:method:: _get_builder()
@@ -9753,22 +11002,32 @@ Package Contents
.. py:attribute:: variable_type
:type: abacusai.api_class.enums.PythonFunctionArgumentType
+ :value: None
+
.. py:attribute:: name
:type: str
+ :value: None
+
.. py:attribute:: is_required
:type: bool
+ :value: True
+
.. py:attribute:: value
:type: Any
+ :value: None
+
.. py:attribute:: pipeline_variable
:type: str
+ :value: None
+
.. py:class:: OutputVariableMapping
@@ -9786,10 +11045,14 @@ Package Contents
.. py:attribute:: variable_type
:type: abacusai.api_class.enums.PythonFunctionOutputArgumentType
+ :value: None
+
.. py:attribute:: name
:type: str
+ :value: None
+
.. py:class:: FeatureGroupExportConfig
@@ -9802,6 +11065,8 @@ Package Contents
.. py:attribute:: connector_type
:type: abacusai.api_class.enums.ConnectorType
+ :value: None
+
.. py:method:: _get_builder()
@@ -9824,10 +11089,14 @@ Package Contents
.. py:attribute:: location
:type: str
+ :value: None
+
.. py:attribute:: export_file_format
:type: str
+ :value: None
+
.. py:method:: __post_init__()
@@ -9864,26 +11133,38 @@ Package Contents
.. py:attribute:: database_connector_id
:type: str
+ :value: None
+
.. py:attribute:: mode
:type: str
+ :value: None
+
.. py:attribute:: object_name
:type: str
+ :value: None
+
.. py:attribute:: id_column
:type: str
+ :value: None
+
.. py:attribute:: additional_id_columns
:type: List[str]
+ :value: None
+
.. py:attribute:: data_columns
:type: Dict[str, str]
+ :value: None
+
.. py:method:: __post_init__()
@@ -10172,21 +11453,33 @@ Package Contents
.. py:attribute:: api_endpoint
+ :value: None
+
.. py:attribute:: predict_endpoint
+ :value: None
+
.. py:attribute:: proxy_endpoint
+ :value: None
+
.. py:attribute:: llm_endpoint
+ :value: None
+
.. py:attribute:: external_chat_endpoint
+ :value: None
+
.. py:attribute:: dashboard_endpoint
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -10232,27 +11525,43 @@ Package Contents
.. py:attribute:: api_key_id
+ :value: None
+
.. py:attribute:: api_key
+ :value: None
+
.. py:attribute:: api_key_suffix
+ :value: None
+
.. py:attribute:: tag
+ :value: None
+
.. py:attribute:: type
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: expires_at
+ :value: None
+
.. py:attribute:: is_expired
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -10309,27 +11618,43 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: user_group_id
+ :value: None
+
.. py:attribute:: external_application_ids
+ :value: None
+
.. py:attribute:: invited_user_emails
+ :value: None
+
.. py:attribute:: public_user_group
+ :value: None
+
.. py:attribute:: has_external_application_reporting
+ :value: None
+
.. py:attribute:: is_external_service_group
+ :value: None
+
.. py:attribute:: external_service_group_id
+ :value: None
+
.. py:attribute:: users
@@ -10364,6 +11689,8 @@ Package Contents
.. py:attribute:: token
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -10405,21 +11732,33 @@ Package Contents
.. py:attribute:: application_connector_id
+ :value: None
+
.. py:attribute:: service
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: auth
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -10545,75 +11884,123 @@ Package Contents
.. py:attribute:: batch_prediction_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: file_connector_output_location
+ :value: None
+
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: database_output_configuration
+ :value: None
+
.. py:attribute:: file_output_format
+ :value: None
+
.. py:attribute:: connector_type
+ :value: None
+
.. py:attribute:: legacy_input_location
+ :value: None
+
.. py:attribute:: output_feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_table_name
+ :value: None
+
.. py:attribute:: output_feature_group_table_name
+ :value: None
+
.. py:attribute:: summary_feature_group_table_name
+ :value: None
+
.. py:attribute:: csv_input_prefix
+ :value: None
+
.. py:attribute:: csv_prediction_prefix
+ :value: None
+
.. py:attribute:: csv_explanations_prefix
+ :value: None
+
.. py:attribute:: output_includes_metadata
+ :value: None
+
.. py:attribute:: result_input_columns
+ :value: None
+
.. py:attribute:: model_monitor_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: bp_across_versions_monitor_id
+ :value: None
+
.. py:attribute:: algorithm
+ :value: None
+
.. py:attribute:: batch_prediction_args_type
+ :value: None
+
.. py:attribute:: batch_inputs
@@ -10971,114 +12358,188 @@ Package Contents
.. py:attribute:: batch_prediction_version
+ :value: None
+
.. py:attribute:: batch_prediction_id
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: drift_monitor_status
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: predictions_started_at
+ :value: None
+
.. py:attribute:: predictions_completed_at
+ :value: None
+
.. py:attribute:: database_output_error
+ :value: None
+
.. py:attribute:: total_predictions
+ :value: None
+
.. py:attribute:: failed_predictions
+ :value: None
+
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: database_output_configuration
+ :value: None
+
.. py:attribute:: file_connector_output_location
+ :value: None
+
.. py:attribute:: file_output_format
+ :value: None
+
.. py:attribute:: connector_type
+ :value: None
+
.. py:attribute:: legacy_input_location
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: drift_monitor_error
+ :value: None
+
.. py:attribute:: monitor_warnings
+ :value: None
+
.. py:attribute:: csv_input_prefix
+ :value: None
+
.. py:attribute:: csv_prediction_prefix
+ :value: None
+
.. py:attribute:: csv_explanations_prefix
+ :value: None
+
.. py:attribute:: database_output_total_writes
+ :value: None
+
.. py:attribute:: database_output_failed_writes
+ :value: None
+
.. py:attribute:: output_includes_metadata
+ :value: None
+
.. py:attribute:: result_input_columns
+ :value: None
+
.. py:attribute:: model_monitor_version
+ :value: None
+
.. py:attribute:: algo_name
+ :value: None
+
.. py:attribute:: algorithm
+ :value: None
+
.. py:attribute:: output_feature_group_id
+ :value: None
+
.. py:attribute:: output_feature_group_version
+ :value: None
+
.. py:attribute:: output_feature_group_table_name
+ :value: None
+
.. py:attribute:: batch_prediction_warnings
+ :value: None
+
.. py:attribute:: bp_across_versions_monitor_version
+ :value: None
+
.. py:attribute:: batch_prediction_args_type
+ :value: None
+
.. py:attribute:: batch_inputs
@@ -11222,9 +12683,13 @@ Package Contents
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: warnings
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -11256,6 +12721,8 @@ Package Contents
.. py:attribute:: external_application_id
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -11291,12 +12758,18 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: most_common_values
+ :value: None
+
.. py:attribute:: freq_outside_training_range
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -11344,30 +12817,48 @@ Package Contents
.. py:attribute:: role
+ :value: None
+
.. py:attribute:: text
+ :value: None
+
.. py:attribute:: timestamp
+ :value: None
+
.. py:attribute:: is_useful
+ :value: None
+
.. py:attribute:: feedback
+ :value: None
+
.. py:attribute:: doc_ids
+ :value: None
+
.. py:attribute:: hotkey_title
+ :value: None
+
.. py:attribute:: tasks
+ :value: None
+
.. py:attribute:: keyword_arguments
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -11419,30 +12910,48 @@ Package Contents
.. py:attribute:: answer
+ :value: None
+
.. py:attribute:: chat_session_id
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: ai_building_in_progress
+ :value: None
+
.. py:attribute:: notification
+ :value: None
+
.. py:attribute:: whiteboard
+ :value: None
+
.. py:attribute:: chat_history
@@ -11505,6 +13014,53 @@ Package Contents
+.. py:class:: ChatllmComputer(client, computerId=None, token=None, vncEndpoint=None)
+
+ Bases: :py:obj:`abacusai.return_class.AbstractApiClass`
+
+
+ ChatLLMComputer
+
+ :param client: An authenticated API Client instance
+ :type client: ApiClient
+ :param computerId: The computer id.
+ :type computerId: int
+ :param token: The token.
+ :type token: str
+ :param vncEndpoint: The VNC endpoint.
+ :type vncEndpoint: str
+
+
+ .. py:attribute:: computer_id
+ :value: None
+
+
+
+ .. py:attribute:: token
+ :value: None
+
+
+
+ .. py:attribute:: vnc_endpoint
+ :value: None
+
+
+
+ .. py:attribute:: deprecated_keys
+
+
+ .. py:method:: __repr__()
+
+
+ .. py:method:: to_dict()
+
+ Get a dict representation of the parameters in this class
+
+ :returns: The dict value representation of the class parameters
+ :rtype: dict
+
+
+
.. py:class:: ChatllmReferralInvite(client, userAlreadyExists=None, successfulInvites=None)
Bases: :py:obj:`abacusai.return_class.AbstractApiClass`
@@ -11521,9 +13077,13 @@ Package Contents
.. py:attribute:: user_already_exists
+ :value: None
+
.. py:attribute:: successful_invites
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -11562,9 +13122,6 @@ Package Contents
- .. py:method:: __getattr__(item)
-
-
.. py:class:: ApiClient(api_key = None, server = None, client_options = None, skip_version_check = False, include_tb = False)
Bases: :py:obj:`ReadOnlyClient`
@@ -17081,7 +18638,7 @@ Package Contents
- .. py:method:: start_autonomous_agent(deployment_token, deployment_id, deployment_conversation_id = None, arguments = None, keyword_arguments = None, save_conversations = True)
+ .. py:method:: start_autonomous_agent(deployment_token, deployment_id, arguments = None, keyword_arguments = None, save_conversations = True)
Starts a deployed Autonomous agent associated with the given deployment_conversation_id using the arguments and keyword arguments as inputs for execute function of trigger node.
@@ -17089,8 +18646,6 @@ Package Contents
:type deployment_token: str
:param deployment_id: A unique string identifier for the deployment created under the project.
:type deployment_id: str
- :param deployment_conversation_id: A unique string identifier for the deployment conversation used for the conversation.
- :type deployment_conversation_id: str
:param arguments: Positional arguments to the agent execute function.
:type arguments: list
:param keyword_arguments: A dictionary where each 'key' represents the parameter name and its corresponding 'value' represents the value of that parameter for the agent execute function.
@@ -18832,9 +20387,13 @@ Package Contents
.. py:attribute:: exception
+ :value: 'ApiException'
+
.. py:attribute:: request_id
+ :value: None
+
.. py:method:: __str__()
@@ -18854,9 +20413,13 @@ Package Contents
.. py:attribute:: exception_on_404
+ :value: True
+
.. py:attribute:: server
+ :value: 'https://api.abacus.ai'
+
.. py:class:: ReadOnlyClient(api_key = None, server = None, client_options = None, skip_version_check = False, include_tb = False)
@@ -21252,6 +22815,8 @@ Package Contents
.. py:attribute:: autocomplete_response
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21283,6 +22848,8 @@ Package Contents
.. py:attribute:: code_changes
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21330,30 +22897,48 @@ Package Contents
.. py:attribute:: source_type
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: application_connector_id
+ :value: None
+
.. py:attribute:: application_connector_info
+ :value: None
+
.. py:attribute:: package_requirements
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: publishing_msg
+ :value: None
+
.. py:attribute:: module_dependencies
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21401,21 +22986,33 @@ Package Contents
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: last_24_hours_usage
+ :value: None
+
.. py:attribute:: last_7_days_usage
+ :value: None
+
.. py:attribute:: curr_month_avail_points
+ :value: None
+
.. py:attribute:: curr_month_usage
+ :value: None
+
.. py:attribute:: last_throttle_pop_up
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21453,15 +23050,23 @@ Package Contents
.. py:attribute:: concatenated_table
+ :value: None
+
.. py:attribute:: merge_type
+ :value: None
+
.. py:attribute:: replace_until_timestamp
+ :value: None
+
.. py:attribute:: skip_materialize
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21495,9 +23100,13 @@ Package Contents
.. py:attribute:: default
+ :value: None
+
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21539,21 +23148,33 @@ Package Contents
.. py:attribute:: user_information_instructions
+ :value: None
+
.. py:attribute:: response_instructions
+ :value: None
+
.. py:attribute:: enable_code_execution
+ :value: None
+
.. py:attribute:: enable_image_generation
+ :value: None
+
.. py:attribute:: enable_web_search
+ :value: None
+
.. py:attribute:: enable_playground
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21595,18 +23216,28 @@ Package Contents
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: loss_function_name
+ :value: None
+
.. py:attribute:: loss_function_type
+ :value: None
+
.. py:attribute:: code_source
@@ -21651,18 +23282,28 @@ Package Contents
.. py:attribute:: custom_metric_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: problem_type
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: latest_custom_metric_version
@@ -21705,15 +23346,23 @@ Package Contents
.. py:attribute:: custom_metric_version
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: custom_metric_function_name
+ :value: None
+
.. py:attribute:: code_source
@@ -21775,15 +23424,23 @@ Package Contents
.. py:attribute:: training_data_parameter_name_mapping
+ :value: None
+
.. py:attribute:: schema_mappings
+ :value: None
+
.. py:attribute:: train_data_parameter_to_feature_group_ids
+ :value: None
+
.. py:attribute:: training_config
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21819,9 +23476,13 @@ Package Contents
.. py:attribute:: total_count
+ :value: None
+
.. py:attribute:: num_duplicates
+ :value: None
+
.. py:attribute:: sample
@@ -21864,18 +23525,28 @@ Package Contents
.. py:attribute:: metrics
+ :value: None
+
.. py:attribute:: schema
+ :value: None
+
.. py:attribute:: num_rows
+ :value: None
+
.. py:attribute:: num_cols
+ :value: None
+
.. py:attribute:: num_duplicate_rows
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21907,6 +23578,8 @@ Package Contents
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21938,6 +23611,8 @@ Package Contents
.. py:attribute:: results
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -21971,9 +23646,13 @@ Package Contents
.. py:attribute:: doc_infos
+ :value: None
+
.. py:attribute:: max_count
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -22007,9 +23686,13 @@ Package Contents
.. py:attribute:: database_column
+ :value: None
+
.. py:attribute:: feature
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -22051,21 +23734,33 @@ Package Contents
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: service
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: auth
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -22158,9 +23853,13 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: external_data_type
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -22194,6 +23893,8 @@ Package Contents
.. py:attribute:: table_name
+ :value: None
+
.. py:attribute:: columns
@@ -22276,60 +23977,98 @@ Package Contents
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: source_type
+ :value: None
+
.. py:attribute:: data_source
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: ignore_before
+ :value: None
+
.. py:attribute:: ephemeral
+ :value: None
+
.. py:attribute:: lookback_days
+ :value: None
+
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: database_connector_config
+ :value: None
+
.. py:attribute:: connector_type
+ :value: None
+
.. py:attribute:: feature_group_table_name
+ :value: None
+
.. py:attribute:: application_connector_id
+ :value: None
+
.. py:attribute:: application_connector_config
+ :value: None
+
.. py:attribute:: incremental
+ :value: None
+
.. py:attribute:: is_documentset
+ :value: None
+
.. py:attribute:: extract_bounding_boxes
+ :value: None
+
.. py:attribute:: merge_file_schemas
+ :value: None
+
.. py:attribute:: reference_only_documentset
+ :value: None
+
.. py:attribute:: version_limit
+ :value: None
+
.. py:attribute:: schema
@@ -22652,30 +24391,48 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: detected_data_type
+ :value: None
+
.. py:attribute:: feature_type
+ :value: None
+
.. py:attribute:: detected_feature_type
+ :value: None
+
.. py:attribute:: original_name
+ :value: None
+
.. py:attribute:: valid_data_types
+ :value: None
+
.. py:attribute:: time_format
+ :value: None
+
.. py:attribute:: timestamp_frequency
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -22733,45 +24490,73 @@ Package Contents
.. py:attribute:: dataset_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: size
+ :value: None
+
.. py:attribute:: row_count
+ :value: None
+
.. py:attribute:: file_inspect_metadata
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: incremental_queried_at
+ :value: None
+
.. py:attribute:: upload_id
+ :value: None
+
.. py:attribute:: merge_file_schemas
+ :value: None
+
.. py:attribute:: database_connector_config
+ :value: None
+
.. py:attribute:: application_connector_config
+ :value: None
+
.. py:attribute:: invalid_records
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -22888,6 +24673,8 @@ Package Contents
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -22977,84 +24764,138 @@ Package Contents
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: deployed_at
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: calls_per_second
+ :value: None
+
.. py:attribute:: auto_deploy
+ :value: None
+
.. py:attribute:: skip_metrics_check
+ :value: None
+
.. py:attribute:: algo_name
+ :value: None
+
.. py:attribute:: regions
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: batch_streaming_updates
+ :value: None
+
.. py:attribute:: algorithm
+ :value: None
+
.. py:attribute:: pending_model_version
+ :value: None
+
.. py:attribute:: model_deployment_config
+ :value: None
+
.. py:attribute:: prediction_operator_id
+ :value: None
+
.. py:attribute:: prediction_operator_version
+ :value: None
+
.. py:attribute:: pending_prediction_operator_version
+ :value: None
+
.. py:attribute:: online_feature_group_id
+ :value: None
+
.. py:attribute:: output_online_feature_group_id
+ :value: None
+
.. py:attribute:: realtime_monitor_id
+ :value: None
+
.. py:attribute:: refresh_schedules
@@ -23638,12 +25479,18 @@ Package Contents
.. py:attribute:: deployment_token
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -23707,51 +25554,83 @@ Package Contents
.. py:attribute:: deployment_conversation_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: last_event_created_at
+ :value: None
+
.. py:attribute:: external_session_id
+ :value: None
+
.. py:attribute:: regenerate_attempt
+ :value: None
+
.. py:attribute:: external_application_id
+ :value: None
+
.. py:attribute:: unused_document_upload_ids
+ :value: None
+
.. py:attribute:: humanize_instructions
+ :value: None
+
.. py:attribute:: conversation_warning
+ :value: None
+
.. py:attribute:: conversation_type
+ :value: None
+
.. py:attribute:: metadata
+ :value: None
+
.. py:attribute:: llm_display_name
+ :value: None
+
.. py:attribute:: llm_bot_icon
+ :value: None
+
.. py:attribute:: search_suggestions
+ :value: None
+
.. py:attribute:: history
@@ -23936,87 +25815,143 @@ Package Contents
.. py:attribute:: role
+ :value: None
+
.. py:attribute:: text
+ :value: None
+
.. py:attribute:: timestamp
+ :value: None
+
.. py:attribute:: message_index
+ :value: None
+
.. py:attribute:: regenerate_attempt
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: search_results
+ :value: None
+
.. py:attribute:: is_useful
+ :value: None
+
.. py:attribute:: feedback
+ :value: None
+
.. py:attribute:: feedback_type
+ :value: None
+
.. py:attribute:: doc_infos
+ :value: None
+
.. py:attribute:: keyword_arguments
+ :value: None
+
.. py:attribute:: input_params
+ :value: None
+
.. py:attribute:: attachments
+ :value: None
+
.. py:attribute:: response_version
+ :value: None
+
.. py:attribute:: agent_workflow_node_id
+ :value: None
+
.. py:attribute:: next_agent_workflow_node_id
+ :value: None
+
.. py:attribute:: chat_type
+ :value: None
+
.. py:attribute:: agent_response
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: segments
+ :value: None
+
.. py:attribute:: streamed_data
+ :value: None
+
.. py:attribute:: streamed_section_data
+ :value: None
+
.. py:attribute:: highlights
+ :value: None
+
.. py:attribute:: llm_display_name
+ :value: None
+
.. py:attribute:: llm_bot_icon
+ :value: None
+
.. py:attribute:: form_response
+ :value: None
+
.. py:attribute:: routed_llm
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -24050,9 +25985,13 @@ Package Contents
.. py:attribute:: deployment_conversation_id
+ :value: None
+
.. py:attribute:: conversation_export_html
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -24090,15 +26029,23 @@ Package Contents
.. py:attribute:: request_series
+ :value: None
+
.. py:attribute:: latency_series
+ :value: None
+
.. py:attribute:: date_labels
+ :value: None
+
.. py:attribute:: http_status_series
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -24152,39 +26099,63 @@ Package Contents
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: mime_type
+ :value: None
+
.. py:attribute:: page_count
+ :value: None
+
.. py:attribute:: total_page_count
+ :value: None
+
.. py:attribute:: extracted_text
+ :value: None
+
.. py:attribute:: embedded_text
+ :value: None
+
.. py:attribute:: pages
+ :value: None
+
.. py:attribute:: tokens
+ :value: None
+
.. py:attribute:: metadata
+ :value: None
+
.. py:attribute:: page_markdown
+ :value: None
+
.. py:attribute:: extracted_page_text
+ :value: None
+
.. py:attribute:: augmented_page_text
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -24230,21 +26201,33 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: document_retriever_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_name
+ :value: None
+
.. py:attribute:: indexing_required
+ :value: None
+
.. py:attribute:: latest_document_retriever_version
@@ -24462,27 +26445,43 @@ Package Contents
.. py:attribute:: chunk_size
+ :value: None
+
.. py:attribute:: chunk_overlap_fraction
+ :value: None
+
.. py:attribute:: text_encoder
+ :value: None
+
.. py:attribute:: score_multiplier_column
+ :value: None
+
.. py:attribute:: prune_vectors
+ :value: None
+
.. py:attribute:: index_metadata_columns
+ :value: None
+
.. py:attribute:: use_document_summary
+ :value: None
+
.. py:attribute:: summary_instructions
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -24526,24 +26525,38 @@ Package Contents
.. py:attribute:: document
+ :value: None
+
.. py:attribute:: score
+ :value: None
+
.. py:attribute:: properties
+ :value: None
+
.. py:attribute:: pages
+ :value: None
+
.. py:attribute:: bounding_boxes
+ :value: None
+
.. py:attribute:: document_source
+ :value: None
+
.. py:attribute:: image_ids
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -24597,36 +26610,58 @@ Package Contents
.. py:attribute:: document_retriever_id
+ :value: None
+
.. py:attribute:: document_retriever_version
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: deployment_status
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: number_of_chunks
+ :value: None
+
.. py:attribute:: embedding_file_size
+ :value: None
+
.. py:attribute:: warnings
+ :value: None
+
.. py:attribute:: resolved_config
@@ -24733,12 +26768,18 @@ Package Contents
.. py:attribute:: train_column
+ :value: None
+
.. py:attribute:: predicted_column
+ :value: None
+
.. py:attribute:: metrics
+ :value: None
+
.. py:attribute:: distribution
@@ -24832,27 +26873,43 @@ Package Contents
.. py:attribute:: eda_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: reference_feature_group_version
+ :value: None
+
.. py:attribute:: test_feature_group_version
+ :value: None
+
.. py:attribute:: eda_configs
+ :value: None
+
.. py:attribute:: latest_eda_version
@@ -24957,9 +27014,13 @@ Package Contents
.. py:attribute:: chart_type
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -24999,18 +27060,28 @@ Package Contents
.. py:attribute:: column_names
+ :value: None
+
.. py:attribute:: collinearity_matrix
+ :value: None
+
.. py:attribute:: group_feature_dict
+ :value: None
+
.. py:attribute:: collinearity_groups
+ :value: None
+
.. py:attribute:: column_names_x
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -25054,12 +27125,18 @@ Package Contents
.. py:attribute:: column_names
+ :value: None
+
.. py:attribute:: primary_keys
+ :value: None
+
.. py:attribute:: transformation_column_names
+ :value: None
+
.. py:attribute:: base_duplicates
@@ -25117,27 +27194,43 @@ Package Contents
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: is_scatter
+ :value: None
+
.. py:attribute:: is_box_whisker
+ :value: None
+
.. py:attribute:: x_axis
+ :value: None
+
.. py:attribute:: y_axis
+ :value: None
+
.. py:attribute:: x_axis_column_values
+ :value: None
+
.. py:attribute:: y_axis_column_values
+ :value: None
+
.. py:attribute:: data_columns
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -25173,12 +27266,18 @@ Package Contents
.. py:attribute:: selected_feature
+ :value: None
+
.. py:attribute:: sorted_column_names
+ :value: None
+
.. py:attribute:: feature_collinearity
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -25252,15 +27351,23 @@ Package Contents
.. py:attribute:: primary_keys
+ :value: None
+
.. py:attribute:: forecasting_target_feature
+ :value: None
+
.. py:attribute:: timestamp_feature
+ :value: None
+
.. py:attribute:: forecast_frequency
+ :value: None
+
.. py:attribute:: sales_across_time
@@ -25360,27 +27467,43 @@ Package Contents
.. py:attribute:: eda_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: eda_id
+ :value: None
+
.. py:attribute:: eda_started_at
+ :value: None
+
.. py:attribute:: eda_completed_at
+ :value: None
+
.. py:attribute:: reference_feature_group_version
+ :value: None
+
.. py:attribute:: test_feature_group_version
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -25536,24 +27659,38 @@ Package Contents
.. py:attribute:: distance
+ :value: None
+
.. py:attribute:: js_distance
+ :value: None
+
.. py:attribute:: ws_distance
+ :value: None
+
.. py:attribute:: ks_statistic
+ :value: None
+
.. py:attribute:: psi
+ :value: None
+
.. py:attribute:: csi
+ :value: None
+
.. py:attribute:: chi_square
+ :value: None
+
.. py:attribute:: average_drift
@@ -25594,15 +27731,23 @@ Package Contents
.. py:attribute:: feature_group_operation_run_id
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: query
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -25684,7 +27829,7 @@ Package Contents
-.. py:class:: ExternalApplication(client, name=None, externalApplicationId=None, deploymentId=None, description=None, logo=None, theme=None, userGroupIds=None, useCase=None, isAgent=None, status=None, deploymentConversationRetentionHours=None, managedUserService=None, predictionOverrides=None, isSystemCreated=None, isCustomizable=None, isDeprecated=None)
+.. py:class:: ExternalApplication(client, name=None, externalApplicationId=None, deploymentId=None, description=None, logo=None, theme=None, userGroupIds=None, useCase=None, isAgent=None, status=None, deploymentConversationRetentionHours=None, managedUserService=None, predictionOverrides=None, isSystemCreated=None, isCustomizable=None, isDeprecated=None, isVisible=None)
Bases: :py:obj:`abacusai.return_class.AbstractApiClass`
@@ -25725,54 +27870,93 @@ Package Contents
:type isCustomizable: bool
:param isDeprecated: Whether the external application is deprecated. Only applicable for system created bots. Deprecated external applications will not show in the UI.
:type isDeprecated: bool
+ :param isVisible: Whether the external application should be shown in the dropdown.
+ :type isVisible: bool
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: external_application_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: logo
+ :value: None
+
.. py:attribute:: theme
+ :value: None
+
.. py:attribute:: user_group_ids
+ :value: None
+
.. py:attribute:: use_case
+ :value: None
+
.. py:attribute:: is_agent
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: deployment_conversation_retention_hours
+ :value: None
+
.. py:attribute:: managed_user_service
+ :value: None
+
.. py:attribute:: prediction_overrides
+ :value: None
+
.. py:attribute:: is_system_created
+ :value: None
+
.. py:attribute:: is_customizable
+ :value: None
+
.. py:attribute:: is_deprecated
+ :value: None
+
+
+
+ .. py:attribute:: is_visible
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -25862,15 +28046,23 @@ Package Contents
.. py:attribute:: user_already_in_org
+ :value: None
+
.. py:attribute:: user_already_in_app_group
+ :value: None
+
.. py:attribute:: user_exists_as_internal
+ :value: None
+
.. py:attribute:: successful_invites
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -25904,9 +28096,13 @@ Package Contents
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: raw_llm_response
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -25964,39 +28160,63 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: select_clause
+ :value: None
+
.. py:attribute:: feature_mapping
+ :value: None
+
.. py:attribute:: source_table
+ :value: None
+
.. py:attribute:: original_name
+ :value: None
+
.. py:attribute:: using_clause
+ :value: None
+
.. py:attribute:: order_clause
+ :value: None
+
.. py:attribute:: where_clause
+ :value: None
+
.. py:attribute:: feature_type
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: detected_feature_type
+ :value: None
+
.. py:attribute:: detected_data_type
+ :value: None
+
.. py:attribute:: columns
@@ -26046,24 +28266,38 @@ Package Contents
.. py:attribute:: type
+ :value: None
+
.. py:attribute:: training_distribution
+ :value: None
+
.. py:attribute:: prediction_distribution
+ :value: None
+
.. py:attribute:: numerical_training_distribution
+ :value: None
+
.. py:attribute:: numerical_prediction_distribution
+ :value: None
+
.. py:attribute:: training_statistics
+ :value: None
+
.. py:attribute:: prediction_statistics
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -26109,27 +28343,43 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: distance
+ :value: None
+
.. py:attribute:: js_distance
+ :value: None
+
.. py:attribute:: ws_distance
+ :value: None
+
.. py:attribute:: ks_statistic
+ :value: None
+
.. py:attribute:: psi
+ :value: None
+
.. py:attribute:: csi
+ :value: None
+
.. py:attribute:: chi_square
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -26191,42 +28441,68 @@ Package Contents
.. py:attribute:: feature_index
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: distance
+ :value: None
+
.. py:attribute:: js_distance
+ :value: None
+
.. py:attribute:: ws_distance
+ :value: None
+
.. py:attribute:: ks_statistic
+ :value: None
+
.. py:attribute:: prediction_drift
+ :value: None
+
.. py:attribute:: target_column
+ :value: None
+
.. py:attribute:: data_integrity_timeseries
+ :value: None
+
.. py:attribute:: nested_summary
+ :value: None
+
.. py:attribute:: psi
+ :value: None
+
.. py:attribute:: csi
+ :value: None
+
.. py:attribute:: chi_square
+ :value: None
+
.. py:attribute:: null_violations
@@ -26363,111 +28639,183 @@ Package Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: modification_lock
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: feature_group_source_type
+ :value: None
+
.. py:attribute:: table_name
+ :value: None
+
.. py:attribute:: sql
+ :value: None
+
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: function_source_code
+ :value: None
+
.. py:attribute:: function_name
+ :value: None
+
.. py:attribute:: source_tables
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: sql_error
+ :value: None
+
.. py:attribute:: latest_version_outdated
+ :value: None
+
.. py:attribute:: referenced_feature_groups
+ :value: None
+
.. py:attribute:: tags
+ :value: None
+
.. py:attribute:: primary_key
+ :value: None
+
.. py:attribute:: update_timestamp_key
+ :value: None
+
.. py:attribute:: lookup_keys
+ :value: None
+
.. py:attribute:: streaming_enabled
+ :value: None
+
.. py:attribute:: incremental
+ :value: None
+
.. py:attribute:: merge_config
+ :value: None
+
.. py:attribute:: sampling_config
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: streaming_ready
+ :value: None
+
.. py:attribute:: feature_tags
+ :value: None
+
.. py:attribute:: module_name
+ :value: None
+
.. py:attribute:: template_bindings
+ :value: None
+
.. py:attribute:: feature_expression
+ :value: None
+
.. py:attribute:: use_original_csv_names
+ :value: None
+
.. py:attribute:: python_function_bindings
+ :value: None
+
.. py:attribute:: python_function_name
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: version_limit
+ :value: None
+
.. py:attribute:: export_on_materialization
+ :value: None
+
.. py:attribute:: features
@@ -27701,12 +30049,18 @@ Package Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -27774,57 +30128,93 @@ Package Contents
.. py:attribute:: feature_group_export_id
+ :value: None
+
.. py:attribute:: failed_writes
+ :value: None
+
.. py:attribute:: total_writes
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: connector_type
+ :value: None
+
.. py:attribute:: output_location
+ :value: None
+
.. py:attribute:: file_format
+ :value: None
+
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: object_name
+ :value: None
+
.. py:attribute:: write_mode
+ :value: None
+
.. py:attribute:: database_feature_mapping
+ :value: None
+
.. py:attribute:: id_column
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: export_completed_at
+ :value: None
+
.. py:attribute:: additional_id_columns
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: database_output_error
+ :value: None
+
.. py:attribute:: project_config
@@ -27942,27 +30332,43 @@ Package Contents
.. py:attribute:: output_location
+ :value: None
+
.. py:attribute:: file_format
+ :value: None
+
.. py:attribute:: database_connector_id
+ :value: None
+
.. py:attribute:: object_name
+ :value: None
+
.. py:attribute:: write_mode
+ :value: None
+
.. py:attribute:: database_feature_mapping
+ :value: None
+
.. py:attribute:: id_column
+ :value: None
+
.. py:attribute:: additional_id_columns
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -27996,9 +30402,13 @@ Package Contents
.. py:attribute:: download_url
+ :value: None
+
.. py:attribute:: expires_at
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28032,9 +30442,13 @@ Package Contents
.. py:attribute:: nodes
+ :value: None
+
.. py:attribute:: connections
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28082,30 +30496,48 @@ Package Contents
.. py:attribute:: connector_type
+ :value: None
+
.. py:attribute:: location
+ :value: None
+
.. py:attribute:: export_file_format
+ :value: None
+
.. py:attribute:: additional_id_columns
+ :value: None
+
.. py:attribute:: database_feature_mapping
+ :value: None
+
.. py:attribute:: external_connection_id
+ :value: None
+
.. py:attribute:: id_column
+ :value: None
+
.. py:attribute:: object_name
+ :value: None
+
.. py:attribute:: write_mode
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28145,18 +30577,28 @@ Package Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: primary_key
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: contents
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28212,42 +30654,68 @@ Package Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: primary_key_value
+ :value: None
+
.. py:attribute:: feature_group_row_process_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: started_at
+ :value: None
+
.. py:attribute:: completed_at
+ :value: None
+
.. py:attribute:: timeout_at
+ :value: None
+
.. py:attribute:: retries_remaining
+ :value: None
+
.. py:attribute:: total_attempts_allowed
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28305,18 +30773,28 @@ Package Contents
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: primary_key_value
+ :value: None
+
.. py:attribute:: feature_group_row_process_id
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28356,18 +30834,28 @@ Package Contents
.. py:attribute:: total_processes
+ :value: None
+
.. py:attribute:: pending_processes
+ :value: None
+
.. py:attribute:: processing_processes
+ :value: None
+
.. py:attribute:: complete_processes
+ :value: None
+
.. py:attribute:: failed_processes
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28415,30 +30903,48 @@ Package Contents
.. py:attribute:: feature_group_template_id
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: is_system_template
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: template_sql
+ :value: None
+
.. py:attribute:: template_variables
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28538,9 +31044,13 @@ Package Contents
.. py:attribute:: template_variable_options
+ :value: None
+
.. py:attribute:: user_feedback
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28616,57 +31126,93 @@ Package Contents
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: sql
+ :value: None
+
.. py:attribute:: source_tables
+ :value: None
+
.. py:attribute:: source_dataset_versions
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deployable
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: use_original_csv_names
+ :value: None
+
.. py:attribute:: python_function_bindings
+ :value: None
+
.. py:attribute:: indexing_config_warning_msg
+ :value: None
+
.. py:attribute:: materialization_started_at
+ :value: None
+
.. py:attribute:: materialization_completed_at
+ :value: None
+
.. py:attribute:: columns
+ :value: None
+
.. py:attribute:: template_bindings
+ :value: None
+
.. py:attribute:: features
@@ -28905,6 +31451,8 @@ Package Contents
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28946,21 +31494,33 @@ Package Contents
.. py:attribute:: shap_feature_importance
+ :value: None
+
.. py:attribute:: lime_feature_importance
+ :value: None
+
.. py:attribute:: permutation_feature_importance
+ :value: None
+
.. py:attribute:: null_feature_importance
+ :value: None
+
.. py:attribute:: lofo_feature_importance
+ :value: None
+
.. py:attribute:: ebm_feature_importance
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -28994,9 +31554,13 @@ Package Contents
.. py:attribute:: feature_mapping
+ :value: None
+
.. py:attribute:: feature_name
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29032,12 +31596,18 @@ Package Contents
.. py:attribute:: features
+ :value: None
+
.. py:attribute:: feature_metrics
+ :value: None
+
.. py:attribute:: metrics_keys
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29069,6 +31639,8 @@ Package Contents
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29106,15 +31678,23 @@ Package Contents
.. py:attribute:: bucket
+ :value: None
+
.. py:attribute:: verified
+ :value: None
+
.. py:attribute:: write_permission
+ :value: None
+
.. py:attribute:: auth_expires_at
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29150,12 +31730,18 @@ Package Contents
.. py:attribute:: verified
+ :value: None
+
.. py:attribute:: write_permission
+ :value: None
+
.. py:attribute:: auth_options
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29189,9 +31775,13 @@ Package Contents
.. py:attribute:: verified
+ :value: None
+
.. py:attribute:: write_permission
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29241,33 +31831,53 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: finetuned_pretrained_model_id
+ :value: None
+
.. py:attribute:: finetuned_pretrained_model_version
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: config
+ :value: None
+
.. py:attribute:: base_model
+ :value: None
+
.. py:attribute:: finetuning_dataset_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29313,21 +31923,33 @@ Package Contents
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: x_axis
+ :value: None
+
.. py:attribute:: y_axis
+ :value: None
+
.. py:attribute:: data_columns
+ :value: None
+
.. py:attribute:: chart_name
+ :value: None
+
.. py:attribute:: chart_types
+ :value: None
+
.. py:attribute:: item_statistics
@@ -29429,24 +32051,38 @@ Package Contents
.. py:attribute:: prediction_timestamp_col
+ :value: None
+
.. py:attribute:: prediction_target_col
+ :value: None
+
.. py:attribute:: training_timestamp_col
+ :value: None
+
.. py:attribute:: training_target_col
+ :value: None
+
.. py:attribute:: prediction_item_id
+ :value: None
+
.. py:attribute:: training_item_id
+ :value: None
+
.. py:attribute:: forecast_frequency
+ :value: None
+
.. py:attribute:: training_target_across_time
@@ -29512,18 +32148,28 @@ Package Contents
.. py:attribute:: function
+ :value: None
+
.. py:attribute:: stats
+ :value: None
+
.. py:attribute:: stdout
+ :value: None
+
.. py:attribute:: stderr
+ :value: None
+
.. py:attribute:: algorithm
+ :value: None
+
.. py:attribute:: exception
@@ -29564,15 +32210,23 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: display_name
+ :value: None
+
.. py:attribute:: default
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29620,30 +32274,48 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: graph_dashboard_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: python_function_ids
+ :value: None
+
.. py:attribute:: plot_reference_ids
+ :value: None
+
.. py:attribute:: python_function_names
+ :value: None
+
.. py:attribute:: project_name
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29727,18 +32399,28 @@ Package Contents
.. py:attribute:: holdout_analysis_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: feature_group_ids
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_name
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29837,36 +32519,58 @@ Package Contents
.. py:attribute:: holdout_analysis_version
+ :value: None
+
.. py:attribute:: holdout_analysis_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: algorithm
+ :value: None
+
.. py:attribute:: algo_name
+ :value: None
+
.. py:attribute:: metrics
+ :value: None
+
.. py:attribute:: metric_infos
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29943,15 +32647,23 @@ Package Contents
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: tag
+ :value: None
+
.. py:attribute:: trailing_auth_token
+ :value: None
+
.. py:attribute:: hosted_model_token_id
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -29985,9 +32697,13 @@ Package Contents
.. py:attribute:: model
+ :value: None
+
.. py:attribute:: settings
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -30023,12 +32739,18 @@ Package Contents
.. py:attribute:: primary_key
+ :value: None
+
.. py:attribute:: update_timestamp_key
+ :value: None
+
.. py:attribute:: lookup_keys
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -30093,6 +32815,8 @@ Package Contents
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: feature_mappings
@@ -30147,36 +32871,58 @@ Package Contents
.. py:attribute:: missing_percent
+ :value: None
+
.. py:attribute:: count
+ :value: None
+
.. py:attribute:: median
+ :value: None
+
.. py:attribute:: mean
+ :value: None
+
.. py:attribute:: p10
+ :value: None
+
.. py:attribute:: p90
+ :value: None
+
.. py:attribute:: stddev
+ :value: None
+
.. py:attribute:: min
+ :value: None
+
.. py:attribute:: max
+ :value: None
+
.. py:attribute:: lower_bound
+ :value: None
+
.. py:attribute:: upper_bound
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -30222,27 +32968,43 @@ Package Contents
.. py:attribute:: llm_app_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -30282,18 +33044,28 @@ Package Contents
.. py:attribute:: language
+ :value: None
+
.. py:attribute:: code
+ :value: None
+
.. py:attribute:: start
+ :value: None
+
.. py:attribute:: end
+ :value: None
+
.. py:attribute:: valid
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -30327,9 +33099,13 @@ Package Contents
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: sql
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -30367,9 +33143,13 @@ Package Contents
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: execution
@@ -30407,6 +33187,8 @@ Package Contents
.. py:attribute:: sql
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -30438,6 +33220,8 @@ Package Contents
.. py:attribute:: content
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -30469,6 +33253,8 @@ Package Contents
.. py:attribute:: parameters
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -30514,24 +33300,38 @@ Package Contents
.. py:attribute:: content
+ :value: None
+
.. py:attribute:: tokens
+ :value: None
+
.. py:attribute:: stop_reason
+ :value: None
+
.. py:attribute:: llm_name
+ :value: None
+
.. py:attribute:: input_tokens
+ :value: None
+
.. py:attribute:: output_tokens
+ :value: None
+
.. py:attribute:: total_tokens
+ :value: None
+
.. py:attribute:: code_blocks
@@ -30616,27 +33416,43 @@ Package Contents
.. py:attribute:: welcome_message
+ :value: None
+
.. py:attribute:: default_message
+ :value: None
+
.. py:attribute:: disclaimer
+ :value: None
+
.. py:attribute:: messaging_bot_name
+ :value: None
+
.. py:attribute:: use_default_label
+ :value: None
+
.. py:attribute:: init_ack_req
+ :value: None
+
.. py:attribute:: default_labels
+ :value: None
+
.. py:attribute:: enabled_external_links
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -30736,87 +33552,143 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_config_type
+ :value: None
+
.. py:attribute:: model_prediction_config
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: shared
+ :value: None
+
.. py:attribute:: shared_at
+ :value: None
+
.. py:attribute:: train_function_name
+ :value: None
+
.. py:attribute:: predict_function_name
+ :value: None
+
.. py:attribute:: predict_many_function_name
+ :value: None
+
.. py:attribute:: initialize_function_name
+ :value: None
+
.. py:attribute:: training_input_tables
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: training_feature_group_ids
+ :value: None
+
.. py:attribute:: algorithm_model_configs
+ :value: None
+
.. py:attribute:: training_vector_store_versions
+ :value: None
+
.. py:attribute:: document_retrievers
+ :value: None
+
.. py:attribute:: document_retriever_ids
+ :value: None
+
.. py:attribute:: is_python_model
+ :value: None
+
.. py:attribute:: default_algorithm
+ :value: None
+
.. py:attribute:: custom_algorithm_configs
+ :value: None
+
.. py:attribute:: restricted_algorithms
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: training_required
+ :value: None
+
.. py:attribute:: location
@@ -31268,24 +34140,38 @@ Package Contents
.. py:attribute:: model_artifacts_export_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: output_location
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: export_completed_at
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -31360,9 +34246,13 @@ Package Contents
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: current_training_config
+ :value: None
+
.. py:attribute:: model_blueprint_stages
@@ -31405,18 +34295,28 @@ Package Contents
.. py:attribute:: stage_name
+ :value: None
+
.. py:attribute:: display_name
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: params
+ :value: None
+
.. py:attribute:: predecessors
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -31450,9 +34350,13 @@ Package Contents
.. py:attribute:: location
+ :value: None
+
.. py:attribute:: artifact_names
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -31500,30 +34404,48 @@ Package Contents
.. py:attribute:: algo_metrics
+ :value: None
+
.. py:attribute:: selected_algorithm
+ :value: None
+
.. py:attribute:: selected_algorithm_name
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: metric_names
+ :value: None
+
.. py:attribute:: target_column
+ :value: None
+
.. py:attribute:: train_val_test_split
+ :value: None
+
.. py:attribute:: training_completed_at
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -31609,81 +34531,133 @@ Package Contents
.. py:attribute:: model_monitor_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: training_feature_group_id
+ :value: None
+
.. py:attribute:: prediction_feature_group_id
+ :value: None
+
.. py:attribute:: prediction_feature_group_version
+ :value: None
+
.. py:attribute:: training_feature_group_version
+ :value: None
+
.. py:attribute:: alert_config
+ :value: None
+
.. py:attribute:: bias_metric_id
+ :value: None
+
.. py:attribute:: metric_configs
+ :value: None
+
.. py:attribute:: feature_group_monitor_configs
+ :value: None
+
.. py:attribute:: metric_types
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: starred
+ :value: None
+
.. py:attribute:: batch_prediction_id
+ :value: None
+
.. py:attribute:: monitor_type
+ :value: None
+
.. py:attribute:: eda_configs
+ :value: None
+
.. py:attribute:: training_forecast_config
+ :value: None
+
.. py:attribute:: prediction_forecast_config
+ :value: None
+
.. py:attribute:: forecast_frequency
+ :value: None
+
.. py:attribute:: training_feature_group_sampling
+ :value: None
+
.. py:attribute:: prediction_feature_group_sampling
+ :value: None
+
.. py:attribute:: monitor_drift_config
+ :value: None
+
.. py:attribute:: prediction_data_use_mappings
+ :value: None
+
.. py:attribute:: training_data_use_mappings
+ :value: None
+
.. py:attribute:: refresh_schedules
@@ -31824,27 +34798,43 @@ Package Contents
.. py:attribute:: summary
+ :value: None
+
.. py:attribute:: feature_drift
+ :value: None
+
.. py:attribute:: label_drift
+ :value: None
+
.. py:attribute:: data_integrity
+ :value: None
+
.. py:attribute:: performance
+ :value: None
+
.. py:attribute:: alerts
+ :value: None
+
.. py:attribute:: monitor_data
+ :value: None
+
.. py:attribute:: total_starred_monitors
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -31884,18 +34874,28 @@ Package Contents
.. py:attribute:: model_accuracy
+ :value: None
+
.. py:attribute:: model_drift
+ :value: None
+
.. py:attribute:: data_integrity
+ :value: None
+
.. py:attribute:: bias_violations
+ :value: None
+
.. py:attribute:: alerts
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -31929,9 +34929,13 @@ Package Contents
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: infos
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -32005,69 +35009,113 @@ Package Contents
.. py:attribute:: model_monitor_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: model_monitor_id
+ :value: None
+
.. py:attribute:: monitoring_started_at
+ :value: None
+
.. py:attribute:: monitoring_completed_at
+ :value: None
+
.. py:attribute:: training_feature_group_version
+ :value: None
+
.. py:attribute:: prediction_feature_group_version
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: pending_deployment_ids
+ :value: None
+
.. py:attribute:: failed_deployment_ids
+ :value: None
+
.. py:attribute:: metric_configs
+ :value: None
+
.. py:attribute:: feature_group_monitor_configs
+ :value: None
+
.. py:attribute:: metric_types
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: batch_prediction_version
+ :value: None
+
.. py:attribute:: eda_configs
+ :value: None
+
.. py:attribute:: training_forecast_config
+ :value: None
+
.. py:attribute:: prediction_forecast_config
+ :value: None
+
.. py:attribute:: forecast_frequency
+ :value: None
+
.. py:attribute:: monitor_drift_config
+ :value: None
+
.. py:attribute:: prediction_data_use_mappings
+ :value: None
+
.. py:attribute:: training_data_use_mappings
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -32230,36 +35278,58 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: algo_name
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: model_monitor
+ :value: None
+
.. py:attribute:: model_monitor_version
+ :value: None
+
.. py:attribute:: metric_infos
+ :value: None
+
.. py:attribute:: metric_names
+ :value: None
+
.. py:attribute:: metrics
+ :value: None
+
.. py:attribute:: metric_charts
+ :value: None
+
.. py:attribute:: other_metrics
+ :value: None
+
.. py:attribute:: actual_values_supported_for_drilldown
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -32293,9 +35363,13 @@ Package Contents
.. py:attribute:: label
+ :value: None
+
.. py:attribute:: value
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -32355,48 +35429,78 @@ Package Contents
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: model_upload_id
+ :value: None
+
.. py:attribute:: embeddings_upload_id
+ :value: None
+
.. py:attribute:: artifacts_upload_id
+ :value: None
+
.. py:attribute:: verifications_upload_id
+ :value: None
+
.. py:attribute:: default_items_upload_id
+ :value: None
+
.. py:attribute:: model_file_upload_id
+ :value: None
+
.. py:attribute:: model_state_upload_id
+ :value: None
+
.. py:attribute:: input_preprocessor_upload_id
+ :value: None
+
.. py:attribute:: requirements_upload_id
+ :value: None
+
.. py:attribute:: resources_upload_id
+ :value: None
+
.. py:attribute:: multi_catalog_embeddings_upload_id
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -32490,90 +35594,148 @@ Package Contents
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: model_config_type
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_prediction_config
+ :value: None
+
.. py:attribute:: training_started_at
+ :value: None
+
.. py:attribute:: training_completed_at
+ :value: None
+
.. py:attribute:: feature_group_versions
+ :value: None
+
.. py:attribute:: custom_algorithms
+ :value: None
+
.. py:attribute:: builtin_algorithms
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: pending_deployment_ids
+ :value: None
+
.. py:attribute:: failed_deployment_ids
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: automl_complete
+ :value: None
+
.. py:attribute:: training_feature_group_ids
+ :value: None
+
.. py:attribute:: training_document_retriever_versions
+ :value: None
+
.. py:attribute:: document_retriever_mappings
+ :value: None
+
.. py:attribute:: best_algorithm
+ :value: None
+
.. py:attribute:: default_algorithm
+ :value: None
+
.. py:attribute:: feature_analysis_status
+ :value: None
+
.. py:attribute:: data_cluster_info
+ :value: None
+
.. py:attribute:: custom_algorithm_configs
+ :value: None
+
.. py:attribute:: trained_model_types
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: partial_complete
+ :value: None
+
.. py:attribute:: model_feature_group_schema_mappings
+ :value: None
+
.. py:attribute:: training_config_updated
+ :value: None
+
.. py:attribute:: code_source
@@ -32786,9 +35948,13 @@ Package Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_name
+ :value: None
+
.. py:attribute:: schema
@@ -32827,12 +35993,18 @@ Package Contents
.. py:attribute:: modification_lock
+ :value: None
+
.. py:attribute:: user_emails
+ :value: None
+
.. py:attribute:: organization_groups
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -32872,15 +36044,23 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: hide_module_code
+ :value: None
+
.. py:attribute:: code_source
@@ -32939,39 +36119,63 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: monitor_alert_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: model_monitor_id
+ :value: None
+
.. py:attribute:: realtime_monitor_id
+ :value: None
+
.. py:attribute:: condition_config
+ :value: None
+
.. py:attribute:: action_config
+ :value: None
+
.. py:attribute:: condition_description
+ :value: None
+
.. py:attribute:: action_description
+ :value: None
+
.. py:attribute:: alert_type
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: latest_monitor_alert_version
@@ -33100,60 +36304,98 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: monitor_alert_version
+ :value: None
+
.. py:attribute:: monitor_alert_id
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: alerting_started_at
+ :value: None
+
.. py:attribute:: alerting_completed_at
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: model_monitor_version
+ :value: None
+
.. py:attribute:: condition_config
+ :value: None
+
.. py:attribute:: action_config
+ :value: None
+
.. py:attribute:: alert_result
+ :value: None
+
.. py:attribute:: action_status
+ :value: None
+
.. py:attribute:: action_error
+ :value: None
+
.. py:attribute:: action_started_at
+ :value: None
+
.. py:attribute:: action_completed_at
+ :value: None
+
.. py:attribute:: condition_description
+ :value: None
+
.. py:attribute:: action_description
+ :value: None
+
.. py:attribute:: alert_type
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -33232,12 +36474,18 @@ Package Contents
.. py:attribute:: feature_drifts
+ :value: None
+
.. py:attribute:: feature_distributions
+ :value: None
+
.. py:attribute:: nested_drifts
+ :value: None
+
.. py:attribute:: forecasting_monitor_summary
@@ -33281,15 +36529,23 @@ Package Contents
.. py:attribute:: short_explanation
+ :value: None
+
.. py:attribute:: long_explanation
+ :value: None
+
.. py:attribute:: is_outdated
+ :value: None
+
.. py:attribute:: html_explanation
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -33333,24 +36589,38 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: select_clause
+ :value: None
+
.. py:attribute:: feature_type
+ :value: None
+
.. py:attribute:: feature_mapping
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: source_table
+ :value: None
+
.. py:attribute:: original_name
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -33394,21 +36664,33 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: feature_type
+ :value: None
+
.. py:attribute:: feature_mapping
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: detected_feature_type
+ :value: None
+
.. py:attribute:: source_table
+ :value: None
+
.. py:attribute:: point_in_time_info
@@ -33457,27 +36739,43 @@ Package Contents
.. py:attribute:: title
+ :value: None
+
.. py:attribute:: url
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: thumbnail_url
+ :value: None
+
.. py:attribute:: thumbnail_width
+ :value: None
+
.. py:attribute:: thumbnail_height
+ :value: None
+
.. py:attribute:: favicon_url
+ :value: None
+
.. py:attribute:: date_published
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -33511,9 +36809,13 @@ Package Contents
.. py:attribute:: deployment_conversation_id
+ :value: None
+
.. py:attribute:: messages
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -33551,15 +36853,23 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: violation
+ :value: None
+
.. py:attribute:: training_null_freq
+ :value: None
+
.. py:attribute:: prediction_null_freq
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -33597,15 +36907,23 @@ Package Contents
.. py:attribute:: logo
+ :value: None
+
.. py:attribute:: theme
+ :value: None
+
.. py:attribute:: managed_user_service
+ :value: None
+
.. py:attribute:: passwords_disabled
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -33647,21 +36965,33 @@ Package Contents
.. py:attribute:: organization_group_id
+ :value: None
+
.. py:attribute:: permissions
+ :value: None
+
.. py:attribute:: group_name
+ :value: None
+
.. py:attribute:: default_group
+ :value: None
+
.. py:attribute:: admin
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -33774,9 +37104,13 @@ Package Contents
.. py:attribute:: score
+ :value: None
+
.. py:attribute:: feature_group_context
+ :value: None
+
.. py:attribute:: feature_group
@@ -33818,12 +37152,18 @@ Package Contents
.. py:attribute:: secret_key
+ :value: None
+
.. py:attribute:: value
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -33879,42 +37219,68 @@ Package Contents
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: page
+ :value: None
+
.. py:attribute:: height
+ :value: None
+
.. py:attribute:: width
+ :value: None
+
.. py:attribute:: page_count
+ :value: None
+
.. py:attribute:: page_text
+ :value: None
+
.. py:attribute:: page_token_start_offset
+ :value: None
+
.. py:attribute:: token_count
+ :value: None
+
.. py:attribute:: tokens
+ :value: None
+
.. py:attribute:: extracted_text
+ :value: None
+
.. py:attribute:: rotation_angle
+ :value: None
+
.. py:attribute:: page_markdown
+ :value: None
+
.. py:attribute:: embedded_text
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -33972,30 +37338,48 @@ Package Contents
.. py:attribute:: pipeline_name
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: cron
+ :value: None
+
.. py:attribute:: next_run_time
+ :value: None
+
.. py:attribute:: is_prod
+ :value: None
+
.. py:attribute:: warning
+ :value: None
+
.. py:attribute:: created_by
+ :value: None
+
.. py:attribute:: steps
@@ -34263,33 +37647,53 @@ Package Contents
.. py:attribute:: pipeline_reference_id
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: object_type
+ :value: None
+
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: batch_prediction_description_id
+ :value: None
+
.. py:attribute:: model_monitor_id
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -34345,36 +37749,58 @@ Package Contents
.. py:attribute:: pipeline_step_id
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: step_name
+ :value: None
+
.. py:attribute:: pipeline_name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: python_function_id
+ :value: None
+
.. py:attribute:: step_dependencies
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: timeout
+ :value: None
+
.. py:attribute:: python_function
@@ -34518,54 +37944,88 @@ Package Contents
.. py:attribute:: step_name
+ :value: None
+
.. py:attribute:: pipeline_step_version
+ :value: None
+
.. py:attribute:: pipeline_step_id
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: pipeline_version
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: output_errors
+ :value: None
+
.. py:attribute:: python_function_id
+ :value: None
+
.. py:attribute:: function_variable_mappings
+ :value: None
+
.. py:attribute:: step_dependencies
+ :value: None
+
.. py:attribute:: output_variable_mappings
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: timeout
+ :value: None
+
.. py:attribute:: pipeline_step_version_references
@@ -34642,15 +38102,23 @@ Package Contents
.. py:attribute:: step_name
+ :value: None
+
.. py:attribute:: pipeline_step_id
+ :value: None
+
.. py:attribute:: pipeline_step_version
+ :value: None
+
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -34704,39 +38172,63 @@ Package Contents
.. py:attribute:: pipeline_step_version_reference_id
+ :value: None
+
.. py:attribute:: pipeline_step_version
+ :value: None
+
.. py:attribute:: object_type
+ :value: None
+
.. py:attribute:: dataset_version
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: deployment_version
+ :value: None
+
.. py:attribute:: batch_prediction_id
+ :value: None
+
.. py:attribute:: model_monitor_version
+ :value: None
+
.. py:attribute:: notebook_version
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -34788,27 +38280,43 @@ Package Contents
.. py:attribute:: pipeline_name
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: pipeline_version
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: completed_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: step_versions
@@ -34959,9 +38467,13 @@ Package Contents
.. py:attribute:: playground_text
+ :value: None
+
.. py:attribute:: rendering_code
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -35011,33 +38523,53 @@ Package Contents
.. py:attribute:: history_table_name
+ :value: None
+
.. py:attribute:: aggregation_keys
+ :value: None
+
.. py:attribute:: timestamp_key
+ :value: None
+
.. py:attribute:: historical_timestamp_key
+ :value: None
+
.. py:attribute:: lookback_window_seconds
+ :value: None
+
.. py:attribute:: lookback_window_lag_seconds
+ :value: None
+
.. py:attribute:: lookback_count
+ :value: None
+
.. py:attribute:: lookback_until_position
+ :value: None
+
.. py:attribute:: expression
+ :value: None
+
.. py:attribute:: group_name
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -35071,9 +38603,13 @@ Package Contents
.. py:attribute:: expression
+ :value: None
+
.. py:attribute:: group_name
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -35125,33 +38661,53 @@ Package Contents
.. py:attribute:: group_name
+ :value: None
+
.. py:attribute:: window_key
+ :value: None
+
.. py:attribute:: aggregation_keys
+ :value: None
+
.. py:attribute:: lookback_window
+ :value: None
+
.. py:attribute:: lookback_window_lag
+ :value: None
+
.. py:attribute:: lookback_count
+ :value: None
+
.. py:attribute:: lookback_until_position
+ :value: None
+
.. py:attribute:: history_table_name
+ :value: None
+
.. py:attribute:: history_window_key
+ :value: None
+
.. py:attribute:: history_aggregation_keys
+ :value: None
+
.. py:attribute:: features
@@ -35192,15 +38748,23 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: expression
+ :value: None
+
.. py:attribute:: pit_operation_type
+ :value: None
+
.. py:attribute:: pit_operation_config
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -36212,7 +39776,7 @@ Package Contents
- .. py:method:: start_autonomous_agent(deployment_token, deployment_id, deployment_conversation_id = None, arguments = None, keyword_arguments = None, save_conversations = True)
+ .. py:method:: start_autonomous_agent(deployment_token, deployment_id, arguments = None, keyword_arguments = None, save_conversations = True)
Starts a deployed Autonomous agent associated with the given deployment_conversation_id using the arguments and keyword arguments as inputs for execute function of trigger node.
@@ -36220,8 +39784,6 @@ Package Contents
:type deployment_token: str
:param deployment_id: A unique string identifier for the deployment created under the project.
:type deployment_id: str
- :param deployment_conversation_id: A unique string identifier for the deployment conversation used for the conversation.
- :type deployment_conversation_id: str
:param arguments: Positional arguments to the agent execute function.
:type arguments: list
:param keyword_arguments: A dictionary where each 'key' represents the parameter name and its corresponding 'value' represents the value of that parameter for the agent execute function.
@@ -36266,18 +39828,28 @@ Package Contents
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: dataset_type
+ :value: None
+
.. py:attribute:: dataset_version
+ :value: None
+
.. py:attribute:: default
+ :value: None
+
.. py:attribute:: required
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -36317,18 +39889,28 @@ Package Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: dataset_type
+ :value: None
+
.. py:attribute:: default
+ :value: None
+
.. py:attribute:: required
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -36366,9 +39948,13 @@ Package Contents
.. py:attribute:: feature_group_dataset_ids
+ :value: None
+
.. py:attribute:: dataset_id_remap
+ :value: None
+
.. py:attribute:: feature_groups
@@ -36414,18 +40000,28 @@ Package Contents
.. py:attribute:: request_id
+ :value: None
+
.. py:attribute:: query
+ :value: None
+
.. py:attribute:: query_time_ms
+ :value: None
+
.. py:attribute:: timestamp_ms
+ :value: None
+
.. py:attribute:: response
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -36487,42 +40083,68 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: prediction_operator_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: predict_function_name
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: initialize_function_name
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: feature_group_ids
+ :value: None
+
.. py:attribute:: feature_group_table_names
+ :value: None
+
.. py:attribute:: code_source
@@ -36679,36 +40301,58 @@ Package Contents
.. py:attribute:: prediction_operator_id
+ :value: None
+
.. py:attribute:: prediction_operator_version
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: feature_group_ids
+ :value: None
+
.. py:attribute:: feature_group_versions
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: code_source
@@ -36758,15 +40402,23 @@ Package Contents
.. py:attribute:: problem_type
+ :value: None
+
.. py:attribute:: required_feature_group_type
+ :value: None
+
.. py:attribute:: optional_feature_group_types
+ :value: None
+
.. py:attribute:: use_cases_support_custom_algorithm
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -36808,21 +40460,33 @@ Package Contents
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: use_case
+ :value: None
+
.. py:attribute:: problem_type
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: tags
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -37618,6 +41282,8 @@ Package Contents
.. py:attribute:: type
+ :value: None
+
.. py:attribute:: config
@@ -37754,114 +41420,188 @@ Package Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: modification_lock
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: feature_group_source_type
+ :value: None
+
.. py:attribute:: table_name
+ :value: None
+
.. py:attribute:: sql
+ :value: None
+
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: function_source_code
+ :value: None
+
.. py:attribute:: function_name
+ :value: None
+
.. py:attribute:: source_tables
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: sql_error
+ :value: None
+
.. py:attribute:: latest_version_outdated
+ :value: None
+
.. py:attribute:: referenced_feature_groups
+ :value: None
+
.. py:attribute:: tags
+ :value: None
+
.. py:attribute:: primary_key
+ :value: None
+
.. py:attribute:: update_timestamp_key
+ :value: None
+
.. py:attribute:: lookup_keys
+ :value: None
+
.. py:attribute:: streaming_enabled
+ :value: None
+
.. py:attribute:: incremental
+ :value: None
+
.. py:attribute:: merge_config
+ :value: None
+
.. py:attribute:: sampling_config
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: streaming_ready
+ :value: None
+
.. py:attribute:: feature_tags
+ :value: None
+
.. py:attribute:: module_name
+ :value: None
+
.. py:attribute:: template_bindings
+ :value: None
+
.. py:attribute:: feature_expression
+ :value: None
+
.. py:attribute:: use_original_csv_names
+ :value: None
+
.. py:attribute:: python_function_bindings
+ :value: None
+
.. py:attribute:: python_function_name
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: version_limit
+ :value: None
+
.. py:attribute:: export_on_materialization
+ :value: None
+
.. py:attribute:: feature_group_type
+ :value: None
+
.. py:attribute:: features
@@ -37944,6 +41684,8 @@ Package Contents
.. py:attribute:: nested_schema
+ :value: None
+
.. py:attribute:: schema
@@ -37984,6 +41726,8 @@ Package Contents
.. py:attribute:: schema_version
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -38019,12 +41763,18 @@ Package Contents
.. py:attribute:: valid
+ :value: None
+
.. py:attribute:: dataset_errors
+ :value: None
+
.. py:attribute:: column_hints
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -38074,30 +41824,48 @@ Package Contents
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: function_variable_mappings
+ :value: None
+
.. py:attribute:: output_variable_mappings
+ :value: None
+
.. py:attribute:: function_name
+ :value: None
+
.. py:attribute:: python_function_id
+ :value: None
+
.. py:attribute:: function_type
+ :value: None
+
.. py:attribute:: package_requirements
+ :value: None
+
.. py:attribute:: code_source
@@ -38181,30 +41949,48 @@ Package Contents
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: function_variable_mappings
+ :value: None
+
.. py:attribute:: function_name
+ :value: None
+
.. py:attribute:: python_function_id
+ :value: None
+
.. py:attribute:: function_type
+ :value: None
+
.. py:attribute:: plot_name
+ :value: None
+
.. py:attribute:: graph_reference_id
+ :value: None
+
.. py:attribute:: code_source
@@ -38251,24 +42037,38 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: training_min
+ :value: None
+
.. py:attribute:: training_max
+ :value: None
+
.. py:attribute:: prediction_min
+ :value: None
+
.. py:attribute:: prediction_max
+ :value: None
+
.. py:attribute:: freq_above_training_range
+ :value: None
+
.. py:attribute:: freq_below_training_range
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -38310,21 +42110,33 @@ Package Contents
.. py:attribute:: realtime_monitor_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: lookback_time
+ :value: None
+
.. py:attribute:: realtime_monitor_schedule
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -38424,39 +42236,63 @@ Package Contents
.. py:attribute:: refresh_pipeline_run_id
+ :value: None
+
.. py:attribute:: refresh_policy_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: started_at
+ :value: None
+
.. py:attribute:: completed_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: refresh_type
+ :value: None
+
.. py:attribute:: dataset_versions
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: model_versions
+ :value: None
+
.. py:attribute:: deployment_versions
+ :value: None
+
.. py:attribute:: batch_predictions
+ :value: None
+
.. py:attribute:: refresh_policy
@@ -38564,54 +42400,88 @@ Package Contents
.. py:attribute:: refresh_policy_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: cron
+ :value: None
+
.. py:attribute:: next_run_time
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: refresh_type
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: dataset_ids
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: model_ids
+ :value: None
+
.. py:attribute:: deployment_ids
+ :value: None
+
.. py:attribute:: batch_prediction_ids
+ :value: None
+
.. py:attribute:: model_monitor_ids
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: paused
+ :value: None
+
.. py:attribute:: prediction_operator_id
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: feature_group_export_config
@@ -38739,18 +42609,28 @@ Package Contents
.. py:attribute:: refresh_policy_id
+ :value: None
+
.. py:attribute:: next_run_time
+ :value: None
+
.. py:attribute:: cron
+ :value: None
+
.. py:attribute:: refresh_type
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -38784,9 +42664,13 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: external_application_id
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -38826,18 +42710,28 @@ Package Contents
.. py:attribute:: feature_group_template_id
+ :value: None
+
.. py:attribute:: resolved_variables
+ :value: None
+
.. py:attribute:: resolved_sql
+ :value: None
+
.. py:attribute:: template_sql
+ :value: None
+
.. py:attribute:: sql_error
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -38883,27 +42777,43 @@ Package Contents
.. py:attribute:: id
+ :value: None
+
.. py:attribute:: title
+ :value: None
+
.. py:attribute:: prompt
+ :value: None
+
.. py:attribute:: placeholder
+ :value: None
+
.. py:attribute:: value
+ :value: None
+
.. py:attribute:: display_name
+ :value: None
+
.. py:attribute:: is_large
+ :value: None
+
.. py:attribute:: is_medium
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -38951,24 +42861,38 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: feature_mapping
+ :value: None
+
.. py:attribute:: detected_feature_mapping
+ :value: None
+
.. py:attribute:: feature_type
+ :value: None
+
.. py:attribute:: detected_feature_type
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: detected_data_type
+ :value: None
+
.. py:attribute:: nested_features
@@ -39008,9 +42932,13 @@ Package Contents
.. py:attribute:: streaming_token
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39136,21 +43064,33 @@ Package Contents
.. py:attribute:: streaming_connector_id
+ :value: None
+
.. py:attribute:: service
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: auth
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39211,9 +43151,13 @@ Package Contents
.. py:attribute:: count
+ :value: None
+
.. py:attribute:: start_ts_ms
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39249,12 +43193,18 @@ Package Contents
.. py:attribute:: python
+ :value: None
+
.. py:attribute:: curl
+ :value: None
+
.. py:attribute:: console
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39288,6 +43238,8 @@ Package Contents
.. py:attribute:: notebook_code
+ :value: None
+
.. py:attribute:: workflow_graph_node
@@ -39332,21 +43284,33 @@ Package Contents
.. py:attribute:: count
+ :value: None
+
.. py:attribute:: columns
+ :value: None
+
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: metrics_columns
+ :value: None
+
.. py:attribute:: summarized_metrics
+ :value: None
+
.. py:attribute:: error_description
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39392,27 +43356,43 @@ Package Contents
.. py:attribute:: voice_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: gender
+ :value: None
+
.. py:attribute:: language
+ :value: None
+
.. py:attribute:: age
+ :value: None
+
.. py:attribute:: accent
+ :value: None
+
.. py:attribute:: use_case
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39464,36 +43444,58 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: value_type
+ :value: None
+
.. py:attribute:: value_options
+ :value: None
+
.. py:attribute:: value
+ :value: None
+
.. py:attribute:: default
+ :value: None
+
.. py:attribute:: options
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: required
+ :value: None
+
.. py:attribute:: last_model_value
+ :value: None
+
.. py:attribute:: needs_refresh
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39537,24 +43539,38 @@ Package Contents
.. py:attribute:: title
+ :value: None
+
.. py:attribute:: url
+ :value: None
+
.. py:attribute:: twitter_name
+ :value: None
+
.. py:attribute:: twitter_handle
+ :value: None
+
.. py:attribute:: thumbnail_url
+ :value: None
+
.. py:attribute:: thumbnail_width
+ :value: None
+
.. py:attribute:: thumbnail_height
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39604,33 +43620,53 @@ Package Contents
.. py:attribute:: upload_id
+ :value: None
+
.. py:attribute:: dataset_upload_id
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: dataset_version
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: batch_prediction_id
+ :value: None
+
.. py:attribute:: parts
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39768,9 +43804,13 @@ Package Contents
.. py:attribute:: etag
+ :value: None
+
.. py:attribute:: md5
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39808,15 +43848,23 @@ Package Contents
.. py:attribute:: use_case
+ :value: None
+
.. py:attribute:: pretty_name
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: problem_type
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39860,24 +43908,38 @@ Package Contents
.. py:attribute:: dataset_type
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: required
+ :value: None
+
.. py:attribute:: multi
+ :value: None
+
.. py:attribute:: allowed_feature_mappings
+ :value: None
+
.. py:attribute:: allowed_nested_feature_mappings
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -39917,15 +43979,23 @@ Package Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: email
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: organization_groups
@@ -39964,12 +44034,18 @@ Package Contents
.. py:attribute:: type
+ :value: None
+
.. py:attribute:: value
+ :value: None
+
.. py:attribute:: traceback
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -40003,9 +44079,13 @@ Package Contents
.. py:attribute:: model
+ :value: None
+
.. py:attribute:: settings
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -40045,18 +44125,28 @@ Package Contents
.. py:attribute:: title
+ :value: None
+
.. py:attribute:: url
+ :value: None
+
.. py:attribute:: thumbnail_url
+ :value: None
+
.. py:attribute:: motion_thumbnail_url
+ :value: None
+
.. py:attribute:: embed_url
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -40131,24 +44221,38 @@ Package Contents
.. py:attribute:: title
+ :value: None
+
.. py:attribute:: url
+ :value: None
+
.. py:attribute:: snippet
+ :value: None
+
.. py:attribute:: news
+ :value: None
+
.. py:attribute:: place
+ :value: None
+
.. py:attribute:: entity
+ :value: None
+
.. py:attribute:: content
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -40190,21 +44294,33 @@ Package Contents
.. py:attribute:: webhook_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: endpoint
+ :value: None
+
.. py:attribute:: webhook_event_type
+ :value: None
+
.. py:attribute:: payload_template
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
@@ -40299,27 +44415,43 @@ Package Contents
.. py:attribute:: workflow_node_template_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: function_name
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: package_requirements
+ :value: None
+
.. py:attribute:: tags
+ :value: None
+
.. py:attribute:: additional_configs
+ :value: None
+
.. py:attribute:: inputs
@@ -40347,6 +44479,6 @@ Package Contents
.. py:data:: __version__
- :value: '1.4.21'
+ :value: '1.4.22'
diff --git a/docs/_sources/autoapi/abacusai/indexing_config/index.rst.txt b/docs/_sources/autoapi/abacusai/indexing_config/index.rst.txt
index eba537bd..159684a5 100644
--- a/docs/_sources/autoapi/abacusai/indexing_config/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/indexing_config/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: primary_key
+ :value: None
+
.. py:attribute:: update_timestamp_key
+ :value: None
+
.. py:attribute:: lookup_keys
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/inferred_feature_mappings/index.rst.txt b/docs/_sources/autoapi/abacusai/inferred_feature_mappings/index.rst.txt
index 595dff97..627f0bdf 100644
--- a/docs/_sources/autoapi/abacusai/inferred_feature_mappings/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/inferred_feature_mappings/index.rst.txt
@@ -31,6 +31,8 @@ Module Contents
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: feature_mappings
diff --git a/docs/_sources/autoapi/abacusai/item_statistics/index.rst.txt b/docs/_sources/autoapi/abacusai/item_statistics/index.rst.txt
index 3c2b3fb1..3783e7cf 100644
--- a/docs/_sources/autoapi/abacusai/item_statistics/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/item_statistics/index.rst.txt
@@ -49,36 +49,58 @@ Module Contents
.. py:attribute:: missing_percent
+ :value: None
+
.. py:attribute:: count
+ :value: None
+
.. py:attribute:: median
+ :value: None
+
.. py:attribute:: mean
+ :value: None
+
.. py:attribute:: p10
+ :value: None
+
.. py:attribute:: p90
+ :value: None
+
.. py:attribute:: stddev
+ :value: None
+
.. py:attribute:: min
+ :value: None
+
.. py:attribute:: max
+ :value: None
+
.. py:attribute:: lower_bound
+ :value: None
+
.. py:attribute:: upper_bound
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/llm_app/index.rst.txt b/docs/_sources/autoapi/abacusai/llm_app/index.rst.txt
index 36482ee2..7b6d9030 100644
--- a/docs/_sources/autoapi/abacusai/llm_app/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/llm_app/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: llm_app_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/llm_code_block/index.rst.txt b/docs/_sources/autoapi/abacusai/llm_code_block/index.rst.txt
index 5def405c..cd247c19 100644
--- a/docs/_sources/autoapi/abacusai/llm_code_block/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/llm_code_block/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: language
+ :value: None
+
.. py:attribute:: code
+ :value: None
+
.. py:attribute:: start
+ :value: None
+
.. py:attribute:: end
+ :value: None
+
.. py:attribute:: valid
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/llm_execution_preview/index.rst.txt b/docs/_sources/autoapi/abacusai/llm_execution_preview/index.rst.txt
index cde416d2..3d33691c 100644
--- a/docs/_sources/autoapi/abacusai/llm_execution_preview/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/llm_execution_preview/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: sql
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/llm_execution_result/index.rst.txt b/docs/_sources/autoapi/abacusai/llm_execution_result/index.rst.txt
index 2d026365..3ae6fa99 100644
--- a/docs/_sources/autoapi/abacusai/llm_execution_result/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/llm_execution_result/index.rst.txt
@@ -35,9 +35,13 @@ Module Contents
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: execution
diff --git a/docs/_sources/autoapi/abacusai/llm_generated_code/index.rst.txt b/docs/_sources/autoapi/abacusai/llm_generated_code/index.rst.txt
index f86b4a73..d0056fd4 100644
--- a/docs/_sources/autoapi/abacusai/llm_generated_code/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/llm_generated_code/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: sql
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/llm_input/index.rst.txt b/docs/_sources/autoapi/abacusai/llm_input/index.rst.txt
index a7527a6e..1048f5b5 100644
--- a/docs/_sources/autoapi/abacusai/llm_input/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/llm_input/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: content
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/llm_parameters/index.rst.txt b/docs/_sources/autoapi/abacusai/llm_parameters/index.rst.txt
index f27918e5..98ee05e9 100644
--- a/docs/_sources/autoapi/abacusai/llm_parameters/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/llm_parameters/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: parameters
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/llm_response/index.rst.txt b/docs/_sources/autoapi/abacusai/llm_response/index.rst.txt
index edd9c7db..ebdab2dc 100644
--- a/docs/_sources/autoapi/abacusai/llm_response/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/llm_response/index.rst.txt
@@ -43,24 +43,38 @@ Module Contents
.. py:attribute:: content
+ :value: None
+
.. py:attribute:: tokens
+ :value: None
+
.. py:attribute:: stop_reason
+ :value: None
+
.. py:attribute:: llm_name
+ :value: None
+
.. py:attribute:: input_tokens
+ :value: None
+
.. py:attribute:: output_tokens
+ :value: None
+
.. py:attribute:: total_tokens
+ :value: None
+
.. py:attribute:: code_blocks
diff --git a/docs/_sources/autoapi/abacusai/messaging_connector_response/index.rst.txt b/docs/_sources/autoapi/abacusai/messaging_connector_response/index.rst.txt
index ac022fb4..72c7971b 100644
--- a/docs/_sources/autoapi/abacusai/messaging_connector_response/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/messaging_connector_response/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: welcome_message
+ :value: None
+
.. py:attribute:: default_message
+ :value: None
+
.. py:attribute:: disclaimer
+ :value: None
+
.. py:attribute:: messaging_bot_name
+ :value: None
+
.. py:attribute:: use_default_label
+ :value: None
+
.. py:attribute:: init_ack_req
+ :value: None
+
.. py:attribute:: default_labels
+ :value: None
+
.. py:attribute:: enabled_external_links
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model/index.rst.txt b/docs/_sources/autoapi/abacusai/model/index.rst.txt
index 20352497..d674094c 100644
--- a/docs/_sources/autoapi/abacusai/model/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model/index.rst.txt
@@ -97,87 +97,143 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_config_type
+ :value: None
+
.. py:attribute:: model_prediction_config
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: shared
+ :value: None
+
.. py:attribute:: shared_at
+ :value: None
+
.. py:attribute:: train_function_name
+ :value: None
+
.. py:attribute:: predict_function_name
+ :value: None
+
.. py:attribute:: predict_many_function_name
+ :value: None
+
.. py:attribute:: initialize_function_name
+ :value: None
+
.. py:attribute:: training_input_tables
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: training_feature_group_ids
+ :value: None
+
.. py:attribute:: algorithm_model_configs
+ :value: None
+
.. py:attribute:: training_vector_store_versions
+ :value: None
+
.. py:attribute:: document_retrievers
+ :value: None
+
.. py:attribute:: document_retriever_ids
+ :value: None
+
.. py:attribute:: is_python_model
+ :value: None
+
.. py:attribute:: default_algorithm
+ :value: None
+
.. py:attribute:: custom_algorithm_configs
+ :value: None
+
.. py:attribute:: restricted_algorithms
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: training_required
+ :value: None
+
.. py:attribute:: location
diff --git a/docs/_sources/autoapi/abacusai/model_artifacts_export/index.rst.txt b/docs/_sources/autoapi/abacusai/model_artifacts_export/index.rst.txt
index d5e9326f..7d2a38b5 100644
--- a/docs/_sources/autoapi/abacusai/model_artifacts_export/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_artifacts_export/index.rst.txt
@@ -41,24 +41,38 @@ Module Contents
.. py:attribute:: model_artifacts_export_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: output_location
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: export_completed_at
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_blueprint_export/index.rst.txt b/docs/_sources/autoapi/abacusai/model_blueprint_export/index.rst.txt
index 7b6bcd41..e71d6b14 100644
--- a/docs/_sources/autoapi/abacusai/model_blueprint_export/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_blueprint_export/index.rst.txt
@@ -33,9 +33,13 @@ Module Contents
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: current_training_config
+ :value: None
+
.. py:attribute:: model_blueprint_stages
diff --git a/docs/_sources/autoapi/abacusai/model_blueprint_stage/index.rst.txt b/docs/_sources/autoapi/abacusai/model_blueprint_stage/index.rst.txt
index 9281eee9..cc5759f2 100644
--- a/docs/_sources/autoapi/abacusai/model_blueprint_stage/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_blueprint_stage/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: stage_name
+ :value: None
+
.. py:attribute:: display_name
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: params
+ :value: None
+
.. py:attribute:: predecessors
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_location/index.rst.txt b/docs/_sources/autoapi/abacusai/model_location/index.rst.txt
index 4c2a96cd..4590392b 100644
--- a/docs/_sources/autoapi/abacusai/model_location/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_location/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: location
+ :value: None
+
.. py:attribute:: artifact_names
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_metrics/index.rst.txt b/docs/_sources/autoapi/abacusai/model_metrics/index.rst.txt
index d4abe723..7d85a404 100644
--- a/docs/_sources/autoapi/abacusai/model_metrics/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_metrics/index.rst.txt
@@ -45,30 +45,48 @@ Module Contents
.. py:attribute:: algo_metrics
+ :value: None
+
.. py:attribute:: selected_algorithm
+ :value: None
+
.. py:attribute:: selected_algorithm_name
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: metric_names
+ :value: None
+
.. py:attribute:: target_column
+ :value: None
+
.. py:attribute:: train_val_test_split
+ :value: None
+
.. py:attribute:: training_completed_at
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_monitor/index.rst.txt b/docs/_sources/autoapi/abacusai/model_monitor/index.rst.txt
index 94531ff2..b26f2eb8 100644
--- a/docs/_sources/autoapi/abacusai/model_monitor/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_monitor/index.rst.txt
@@ -83,81 +83,133 @@ Module Contents
.. py:attribute:: model_monitor_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: training_feature_group_id
+ :value: None
+
.. py:attribute:: prediction_feature_group_id
+ :value: None
+
.. py:attribute:: prediction_feature_group_version
+ :value: None
+
.. py:attribute:: training_feature_group_version
+ :value: None
+
.. py:attribute:: alert_config
+ :value: None
+
.. py:attribute:: bias_metric_id
+ :value: None
+
.. py:attribute:: metric_configs
+ :value: None
+
.. py:attribute:: feature_group_monitor_configs
+ :value: None
+
.. py:attribute:: metric_types
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: starred
+ :value: None
+
.. py:attribute:: batch_prediction_id
+ :value: None
+
.. py:attribute:: monitor_type
+ :value: None
+
.. py:attribute:: eda_configs
+ :value: None
+
.. py:attribute:: training_forecast_config
+ :value: None
+
.. py:attribute:: prediction_forecast_config
+ :value: None
+
.. py:attribute:: forecast_frequency
+ :value: None
+
.. py:attribute:: training_feature_group_sampling
+ :value: None
+
.. py:attribute:: prediction_feature_group_sampling
+ :value: None
+
.. py:attribute:: monitor_drift_config
+ :value: None
+
.. py:attribute:: prediction_data_use_mappings
+ :value: None
+
.. py:attribute:: training_data_use_mappings
+ :value: None
+
.. py:attribute:: refresh_schedules
diff --git a/docs/_sources/autoapi/abacusai/model_monitor_org_summary/index.rst.txt b/docs/_sources/autoapi/abacusai/model_monitor_org_summary/index.rst.txt
index 242cb9f7..e7306294 100644
--- a/docs/_sources/autoapi/abacusai/model_monitor_org_summary/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_monitor_org_summary/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: summary
+ :value: None
+
.. py:attribute:: feature_drift
+ :value: None
+
.. py:attribute:: label_drift
+ :value: None
+
.. py:attribute:: data_integrity
+ :value: None
+
.. py:attribute:: performance
+ :value: None
+
.. py:attribute:: alerts
+ :value: None
+
.. py:attribute:: monitor_data
+ :value: None
+
.. py:attribute:: total_starred_monitors
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_monitor_summary/index.rst.txt b/docs/_sources/autoapi/abacusai/model_monitor_summary/index.rst.txt
index 7c65f655..427ac14f 100644
--- a/docs/_sources/autoapi/abacusai/model_monitor_summary/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_monitor_summary/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: model_accuracy
+ :value: None
+
.. py:attribute:: model_drift
+ :value: None
+
.. py:attribute:: data_integrity
+ :value: None
+
.. py:attribute:: bias_violations
+ :value: None
+
.. py:attribute:: alerts
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_monitor_summary_from_org/index.rst.txt b/docs/_sources/autoapi/abacusai/model_monitor_summary_from_org/index.rst.txt
index 73adcdd7..5032faf1 100644
--- a/docs/_sources/autoapi/abacusai/model_monitor_summary_from_org/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_monitor_summary_from_org/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: infos
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_monitor_version/index.rst.txt b/docs/_sources/autoapi/abacusai/model_monitor_version/index.rst.txt
index 36955c07..72fe606c 100644
--- a/docs/_sources/autoapi/abacusai/model_monitor_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_monitor_version/index.rst.txt
@@ -71,69 +71,113 @@ Module Contents
.. py:attribute:: model_monitor_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: model_monitor_id
+ :value: None
+
.. py:attribute:: monitoring_started_at
+ :value: None
+
.. py:attribute:: monitoring_completed_at
+ :value: None
+
.. py:attribute:: training_feature_group_version
+ :value: None
+
.. py:attribute:: prediction_feature_group_version
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: pending_deployment_ids
+ :value: None
+
.. py:attribute:: failed_deployment_ids
+ :value: None
+
.. py:attribute:: metric_configs
+ :value: None
+
.. py:attribute:: feature_group_monitor_configs
+ :value: None
+
.. py:attribute:: metric_types
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: batch_prediction_version
+ :value: None
+
.. py:attribute:: eda_configs
+ :value: None
+
.. py:attribute:: training_forecast_config
+ :value: None
+
.. py:attribute:: prediction_forecast_config
+ :value: None
+
.. py:attribute:: forecast_frequency
+ :value: None
+
.. py:attribute:: monitor_drift_config
+ :value: None
+
.. py:attribute:: prediction_data_use_mappings
+ :value: None
+
.. py:attribute:: training_data_use_mappings
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_monitor_version_metric_data/index.rst.txt b/docs/_sources/autoapi/abacusai/model_monitor_version_metric_data/index.rst.txt
index d4b4b798..7cd9eec7 100644
--- a/docs/_sources/autoapi/abacusai/model_monitor_version_metric_data/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_monitor_version_metric_data/index.rst.txt
@@ -49,36 +49,58 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: algo_name
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: model_monitor
+ :value: None
+
.. py:attribute:: model_monitor_version
+ :value: None
+
.. py:attribute:: metric_infos
+ :value: None
+
.. py:attribute:: metric_names
+ :value: None
+
.. py:attribute:: metrics
+ :value: None
+
.. py:attribute:: metric_charts
+ :value: None
+
.. py:attribute:: other_metrics
+ :value: None
+
.. py:attribute:: actual_values_supported_for_drilldown
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_training_type_for_deployment/index.rst.txt b/docs/_sources/autoapi/abacusai/model_training_type_for_deployment/index.rst.txt
index ff84e12e..3494a5f3 100644
--- a/docs/_sources/autoapi/abacusai/model_training_type_for_deployment/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_training_type_for_deployment/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: label
+ :value: None
+
.. py:attribute:: value
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_upload/index.rst.txt b/docs/_sources/autoapi/abacusai/model_upload/index.rst.txt
index cbb151ee..770e366c 100644
--- a/docs/_sources/autoapi/abacusai/model_upload/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_upload/index.rst.txt
@@ -57,48 +57,78 @@ Module Contents
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: model_upload_id
+ :value: None
+
.. py:attribute:: embeddings_upload_id
+ :value: None
+
.. py:attribute:: artifacts_upload_id
+ :value: None
+
.. py:attribute:: verifications_upload_id
+ :value: None
+
.. py:attribute:: default_items_upload_id
+ :value: None
+
.. py:attribute:: model_file_upload_id
+ :value: None
+
.. py:attribute:: model_state_upload_id
+ :value: None
+
.. py:attribute:: input_preprocessor_upload_id
+ :value: None
+
.. py:attribute:: requirements_upload_id
+ :value: None
+
.. py:attribute:: resources_upload_id
+ :value: None
+
.. py:attribute:: multi_catalog_embeddings_upload_id
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/model_version/index.rst.txt b/docs/_sources/autoapi/abacusai/model_version/index.rst.txt
index 9ca27a89..97a68ec2 100644
--- a/docs/_sources/autoapi/abacusai/model_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_version/index.rst.txt
@@ -91,90 +91,148 @@ Module Contents
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: model_config_type
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_prediction_config
+ :value: None
+
.. py:attribute:: training_started_at
+ :value: None
+
.. py:attribute:: training_completed_at
+ :value: None
+
.. py:attribute:: feature_group_versions
+ :value: None
+
.. py:attribute:: custom_algorithms
+ :value: None
+
.. py:attribute:: builtin_algorithms
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: pending_deployment_ids
+ :value: None
+
.. py:attribute:: failed_deployment_ids
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: automl_complete
+ :value: None
+
.. py:attribute:: training_feature_group_ids
+ :value: None
+
.. py:attribute:: training_document_retriever_versions
+ :value: None
+
.. py:attribute:: document_retriever_mappings
+ :value: None
+
.. py:attribute:: best_algorithm
+ :value: None
+
.. py:attribute:: default_algorithm
+ :value: None
+
.. py:attribute:: feature_analysis_status
+ :value: None
+
.. py:attribute:: data_cluster_info
+ :value: None
+
.. py:attribute:: custom_algorithm_configs
+ :value: None
+
.. py:attribute:: trained_model_types
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: partial_complete
+ :value: None
+
.. py:attribute:: model_feature_group_schema_mappings
+ :value: None
+
.. py:attribute:: training_config_updated
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/model_version_feature_group_schema/index.rst.txt b/docs/_sources/autoapi/abacusai/model_version_feature_group_schema/index.rst.txt
index 4d504e73..009c109d 100644
--- a/docs/_sources/autoapi/abacusai/model_version_feature_group_schema/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/model_version_feature_group_schema/index.rst.txt
@@ -33,9 +33,13 @@ Module Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_name
+ :value: None
+
.. py:attribute:: schema
diff --git a/docs/_sources/autoapi/abacusai/modification_lock_info/index.rst.txt b/docs/_sources/autoapi/abacusai/modification_lock_info/index.rst.txt
index 9b9e5e04..5e8a814b 100644
--- a/docs/_sources/autoapi/abacusai/modification_lock_info/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/modification_lock_info/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: modification_lock
+ :value: None
+
.. py:attribute:: user_emails
+ :value: None
+
.. py:attribute:: organization_groups
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/module/index.rst.txt b/docs/_sources/autoapi/abacusai/module/index.rst.txt
index df7ff371..6b5d654b 100644
--- a/docs/_sources/autoapi/abacusai/module/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/module/index.rst.txt
@@ -37,15 +37,23 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: hide_module_code
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/monitor_alert/index.rst.txt b/docs/_sources/autoapi/abacusai/monitor_alert/index.rst.txt
index 40224f53..a4604733 100644
--- a/docs/_sources/autoapi/abacusai/monitor_alert/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/monitor_alert/index.rst.txt
@@ -53,39 +53,63 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: monitor_alert_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: model_monitor_id
+ :value: None
+
.. py:attribute:: realtime_monitor_id
+ :value: None
+
.. py:attribute:: condition_config
+ :value: None
+
.. py:attribute:: action_config
+ :value: None
+
.. py:attribute:: condition_description
+ :value: None
+
.. py:attribute:: action_description
+ :value: None
+
.. py:attribute:: alert_type
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: latest_monitor_alert_version
diff --git a/docs/_sources/autoapi/abacusai/monitor_alert_version/index.rst.txt b/docs/_sources/autoapi/abacusai/monitor_alert_version/index.rst.txt
index ed7a8fcf..7c06961e 100644
--- a/docs/_sources/autoapi/abacusai/monitor_alert_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/monitor_alert_version/index.rst.txt
@@ -65,60 +65,98 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: monitor_alert_version
+ :value: None
+
.. py:attribute:: monitor_alert_id
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: alerting_started_at
+ :value: None
+
.. py:attribute:: alerting_completed_at
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: model_monitor_version
+ :value: None
+
.. py:attribute:: condition_config
+ :value: None
+
.. py:attribute:: action_config
+ :value: None
+
.. py:attribute:: alert_result
+ :value: None
+
.. py:attribute:: action_status
+ :value: None
+
.. py:attribute:: action_error
+ :value: None
+
.. py:attribute:: action_started_at
+ :value: None
+
.. py:attribute:: action_completed_at
+ :value: None
+
.. py:attribute:: condition_description
+ :value: None
+
.. py:attribute:: action_description
+ :value: None
+
.. py:attribute:: alert_type
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/monitor_drift_and_distributions/index.rst.txt b/docs/_sources/autoapi/abacusai/monitor_drift_and_distributions/index.rst.txt
index 07e3826a..6cc1da77 100644
--- a/docs/_sources/autoapi/abacusai/monitor_drift_and_distributions/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/monitor_drift_and_distributions/index.rst.txt
@@ -37,12 +37,18 @@ Module Contents
.. py:attribute:: feature_drifts
+ :value: None
+
.. py:attribute:: feature_distributions
+ :value: None
+
.. py:attribute:: nested_drifts
+ :value: None
+
.. py:attribute:: forecasting_monitor_summary
diff --git a/docs/_sources/autoapi/abacusai/natural_language_explanation/index.rst.txt b/docs/_sources/autoapi/abacusai/natural_language_explanation/index.rst.txt
index adf610cc..db32cb33 100644
--- a/docs/_sources/autoapi/abacusai/natural_language_explanation/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/natural_language_explanation/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: short_explanation
+ :value: None
+
.. py:attribute:: long_explanation
+ :value: None
+
.. py:attribute:: is_outdated
+ :value: None
+
.. py:attribute:: html_explanation
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/nested_feature/index.rst.txt b/docs/_sources/autoapi/abacusai/nested_feature/index.rst.txt
index 6f36d5c4..bca11222 100644
--- a/docs/_sources/autoapi/abacusai/nested_feature/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/nested_feature/index.rst.txt
@@ -41,24 +41,38 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: select_clause
+ :value: None
+
.. py:attribute:: feature_type
+ :value: None
+
.. py:attribute:: feature_mapping
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: source_table
+ :value: None
+
.. py:attribute:: original_name
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/nested_feature_schema/index.rst.txt b/docs/_sources/autoapi/abacusai/nested_feature_schema/index.rst.txt
index 6ac78368..9c8bbea8 100644
--- a/docs/_sources/autoapi/abacusai/nested_feature_schema/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/nested_feature_schema/index.rst.txt
@@ -41,21 +41,33 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: feature_type
+ :value: None
+
.. py:attribute:: feature_mapping
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: detected_feature_type
+ :value: None
+
.. py:attribute:: source_table
+ :value: None
+
.. py:attribute:: point_in_time_info
diff --git a/docs/_sources/autoapi/abacusai/news_search_result/index.rst.txt b/docs/_sources/autoapi/abacusai/news_search_result/index.rst.txt
index 3365b2fb..c16e1c8d 100644
--- a/docs/_sources/autoapi/abacusai/news_search_result/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/news_search_result/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: title
+ :value: None
+
.. py:attribute:: url
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: thumbnail_url
+ :value: None
+
.. py:attribute:: thumbnail_width
+ :value: None
+
.. py:attribute:: thumbnail_height
+ :value: None
+
.. py:attribute:: favicon_url
+ :value: None
+
.. py:attribute:: date_published
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/nlp_chat_response/index.rst.txt b/docs/_sources/autoapi/abacusai/nlp_chat_response/index.rst.txt
index 99e9902f..82613445 100644
--- a/docs/_sources/autoapi/abacusai/nlp_chat_response/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/nlp_chat_response/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: deployment_conversation_id
+ :value: None
+
.. py:attribute:: messages
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/null_violation/index.rst.txt b/docs/_sources/autoapi/abacusai/null_violation/index.rst.txt
index 1a4e34c9..b3148d5a 100644
--- a/docs/_sources/autoapi/abacusai/null_violation/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/null_violation/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: violation
+ :value: None
+
.. py:attribute:: training_null_freq
+ :value: None
+
.. py:attribute:: prediction_null_freq
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/organization_external_application_settings/index.rst.txt b/docs/_sources/autoapi/abacusai/organization_external_application_settings/index.rst.txt
index d376f220..a6048c00 100644
--- a/docs/_sources/autoapi/abacusai/organization_external_application_settings/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/organization_external_application_settings/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: logo
+ :value: None
+
.. py:attribute:: theme
+ :value: None
+
.. py:attribute:: managed_user_service
+ :value: None
+
.. py:attribute:: passwords_disabled
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/organization_group/index.rst.txt b/docs/_sources/autoapi/abacusai/organization_group/index.rst.txt
index 61c6a13a..48509bb3 100644
--- a/docs/_sources/autoapi/abacusai/organization_group/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/organization_group/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: organization_group_id
+ :value: None
+
.. py:attribute:: permissions
+ :value: None
+
.. py:attribute:: group_name
+ :value: None
+
.. py:attribute:: default_group
+ :value: None
+
.. py:attribute:: admin
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/organization_search_result/index.rst.txt b/docs/_sources/autoapi/abacusai/organization_search_result/index.rst.txt
index b89c6677..6b3df02c 100644
--- a/docs/_sources/autoapi/abacusai/organization_search_result/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/organization_search_result/index.rst.txt
@@ -35,9 +35,13 @@ Module Contents
.. py:attribute:: score
+ :value: None
+
.. py:attribute:: feature_group_context
+ :value: None
+
.. py:attribute:: feature_group
diff --git a/docs/_sources/autoapi/abacusai/organization_secret/index.rst.txt b/docs/_sources/autoapi/abacusai/organization_secret/index.rst.txt
index 0f5167df..1e1ee376 100644
--- a/docs/_sources/autoapi/abacusai/organization_secret/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/organization_secret/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: secret_key
+ :value: None
+
.. py:attribute:: value
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/page_data/index.rst.txt b/docs/_sources/autoapi/abacusai/page_data/index.rst.txt
index 41603a0c..da6af7ec 100644
--- a/docs/_sources/autoapi/abacusai/page_data/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/page_data/index.rst.txt
@@ -53,42 +53,68 @@ Module Contents
.. py:attribute:: doc_id
+ :value: None
+
.. py:attribute:: page
+ :value: None
+
.. py:attribute:: height
+ :value: None
+
.. py:attribute:: width
+ :value: None
+
.. py:attribute:: page_count
+ :value: None
+
.. py:attribute:: page_text
+ :value: None
+
.. py:attribute:: page_token_start_offset
+ :value: None
+
.. py:attribute:: token_count
+ :value: None
+
.. py:attribute:: tokens
+ :value: None
+
.. py:attribute:: extracted_text
+ :value: None
+
.. py:attribute:: rotation_angle
+ :value: None
+
.. py:attribute:: page_markdown
+ :value: None
+
.. py:attribute:: embedded_text
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/pipeline/index.rst.txt b/docs/_sources/autoapi/abacusai/pipeline/index.rst.txt
index 5ecd840d..9f17bf52 100644
--- a/docs/_sources/autoapi/abacusai/pipeline/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/pipeline/index.rst.txt
@@ -55,30 +55,48 @@ Module Contents
.. py:attribute:: pipeline_name
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: cron
+ :value: None
+
.. py:attribute:: next_run_time
+ :value: None
+
.. py:attribute:: is_prod
+ :value: None
+
.. py:attribute:: warning
+ :value: None
+
.. py:attribute:: created_by
+ :value: None
+
.. py:attribute:: steps
diff --git a/docs/_sources/autoapi/abacusai/pipeline_reference/index.rst.txt b/docs/_sources/autoapi/abacusai/pipeline_reference/index.rst.txt
index e9989403..f43da9e8 100644
--- a/docs/_sources/autoapi/abacusai/pipeline_reference/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/pipeline_reference/index.rst.txt
@@ -47,33 +47,53 @@ Module Contents
.. py:attribute:: pipeline_reference_id
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: object_type
+ :value: None
+
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: batch_prediction_description_id
+ :value: None
+
.. py:attribute:: model_monitor_id
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/pipeline_step/index.rst.txt b/docs/_sources/autoapi/abacusai/pipeline_step/index.rst.txt
index 88de35a6..fbd6de3a 100644
--- a/docs/_sources/autoapi/abacusai/pipeline_step/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/pipeline_step/index.rst.txt
@@ -53,36 +53,58 @@ Module Contents
.. py:attribute:: pipeline_step_id
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: step_name
+ :value: None
+
.. py:attribute:: pipeline_name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: python_function_id
+ :value: None
+
.. py:attribute:: step_dependencies
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: timeout
+ :value: None
+
.. py:attribute:: python_function
diff --git a/docs/_sources/autoapi/abacusai/pipeline_step_version/index.rst.txt b/docs/_sources/autoapi/abacusai/pipeline_step_version/index.rst.txt
index 02c017fc..76e577db 100644
--- a/docs/_sources/autoapi/abacusai/pipeline_step_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/pipeline_step_version/index.rst.txt
@@ -65,54 +65,88 @@ Module Contents
.. py:attribute:: step_name
+ :value: None
+
.. py:attribute:: pipeline_step_version
+ :value: None
+
.. py:attribute:: pipeline_step_id
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: pipeline_version
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: output_errors
+ :value: None
+
.. py:attribute:: python_function_id
+ :value: None
+
.. py:attribute:: function_variable_mappings
+ :value: None
+
.. py:attribute:: step_dependencies
+ :value: None
+
.. py:attribute:: output_variable_mappings
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: timeout
+ :value: None
+
.. py:attribute:: pipeline_step_version_references
diff --git a/docs/_sources/autoapi/abacusai/pipeline_step_version_logs/index.rst.txt b/docs/_sources/autoapi/abacusai/pipeline_step_version_logs/index.rst.txt
index f23235d9..8e3dc8ee 100644
--- a/docs/_sources/autoapi/abacusai/pipeline_step_version_logs/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/pipeline_step_version_logs/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: step_name
+ :value: None
+
.. py:attribute:: pipeline_step_id
+ :value: None
+
.. py:attribute:: pipeline_step_version
+ :value: None
+
.. py:attribute:: logs
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/pipeline_step_version_reference/index.rst.txt b/docs/_sources/autoapi/abacusai/pipeline_step_version_reference/index.rst.txt
index 61f4fba2..18d70274 100644
--- a/docs/_sources/autoapi/abacusai/pipeline_step_version_reference/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/pipeline_step_version_reference/index.rst.txt
@@ -51,39 +51,63 @@ Module Contents
.. py:attribute:: pipeline_step_version_reference_id
+ :value: None
+
.. py:attribute:: pipeline_step_version
+ :value: None
+
.. py:attribute:: object_type
+ :value: None
+
.. py:attribute:: dataset_version
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: deployment_version
+ :value: None
+
.. py:attribute:: batch_prediction_id
+ :value: None
+
.. py:attribute:: model_monitor_version
+ :value: None
+
.. py:attribute:: notebook_version
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/pipeline_version/index.rst.txt b/docs/_sources/autoapi/abacusai/pipeline_version/index.rst.txt
index 146f15c6..f1cf4967 100644
--- a/docs/_sources/autoapi/abacusai/pipeline_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/pipeline_version/index.rst.txt
@@ -49,27 +49,43 @@ Module Contents
.. py:attribute:: pipeline_name
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: pipeline_version
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: completed_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: step_versions
diff --git a/docs/_sources/autoapi/abacusai/playground_text/index.rst.txt b/docs/_sources/autoapi/abacusai/playground_text/index.rst.txt
index 6c2273e4..8feb0f6c 100644
--- a/docs/_sources/autoapi/abacusai/playground_text/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/playground_text/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: playground_text
+ :value: None
+
.. py:attribute:: rendering_code
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/point_in_time_feature/index.rst.txt b/docs/_sources/autoapi/abacusai/point_in_time_feature/index.rst.txt
index 1f84564f..28caf20b 100644
--- a/docs/_sources/autoapi/abacusai/point_in_time_feature/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/point_in_time_feature/index.rst.txt
@@ -47,33 +47,53 @@ Module Contents
.. py:attribute:: history_table_name
+ :value: None
+
.. py:attribute:: aggregation_keys
+ :value: None
+
.. py:attribute:: timestamp_key
+ :value: None
+
.. py:attribute:: historical_timestamp_key
+ :value: None
+
.. py:attribute:: lookback_window_seconds
+ :value: None
+
.. py:attribute:: lookback_window_lag_seconds
+ :value: None
+
.. py:attribute:: lookback_count
+ :value: None
+
.. py:attribute:: lookback_until_position
+ :value: None
+
.. py:attribute:: expression
+ :value: None
+
.. py:attribute:: group_name
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/point_in_time_feature_info/index.rst.txt b/docs/_sources/autoapi/abacusai/point_in_time_feature_info/index.rst.txt
index a78e3d97..75286e2a 100644
--- a/docs/_sources/autoapi/abacusai/point_in_time_feature_info/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/point_in_time_feature_info/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: expression
+ :value: None
+
.. py:attribute:: group_name
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/point_in_time_group/index.rst.txt b/docs/_sources/autoapi/abacusai/point_in_time_group/index.rst.txt
index 4240eef0..041ed3cb 100644
--- a/docs/_sources/autoapi/abacusai/point_in_time_group/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/point_in_time_group/index.rst.txt
@@ -49,33 +49,53 @@ Module Contents
.. py:attribute:: group_name
+ :value: None
+
.. py:attribute:: window_key
+ :value: None
+
.. py:attribute:: aggregation_keys
+ :value: None
+
.. py:attribute:: lookback_window
+ :value: None
+
.. py:attribute:: lookback_window_lag
+ :value: None
+
.. py:attribute:: lookback_count
+ :value: None
+
.. py:attribute:: lookback_until_position
+ :value: None
+
.. py:attribute:: history_table_name
+ :value: None
+
.. py:attribute:: history_window_key
+ :value: None
+
.. py:attribute:: history_aggregation_keys
+ :value: None
+
.. py:attribute:: features
diff --git a/docs/_sources/autoapi/abacusai/point_in_time_group_feature/index.rst.txt b/docs/_sources/autoapi/abacusai/point_in_time_group_feature/index.rst.txt
index 2b100757..e700fd1c 100644
--- a/docs/_sources/autoapi/abacusai/point_in_time_group_feature/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/point_in_time_group_feature/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: expression
+ :value: None
+
.. py:attribute:: pit_operation_type
+ :value: None
+
.. py:attribute:: pit_operation_config
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/prediction_client/index.rst.txt b/docs/_sources/autoapi/abacusai/prediction_client/index.rst.txt
index 11074187..1b8408fb 100644
--- a/docs/_sources/autoapi/abacusai/prediction_client/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/prediction_client/index.rst.txt
@@ -1009,7 +1009,7 @@ Module Contents
- .. py:method:: start_autonomous_agent(deployment_token, deployment_id, deployment_conversation_id = None, arguments = None, keyword_arguments = None, save_conversations = True)
+ .. py:method:: start_autonomous_agent(deployment_token, deployment_id, arguments = None, keyword_arguments = None, save_conversations = True)
Starts a deployed Autonomous agent associated with the given deployment_conversation_id using the arguments and keyword arguments as inputs for execute function of trigger node.
@@ -1017,8 +1017,6 @@ Module Contents
:type deployment_token: str
:param deployment_id: A unique string identifier for the deployment created under the project.
:type deployment_id: str
- :param deployment_conversation_id: A unique string identifier for the deployment conversation used for the conversation.
- :type deployment_conversation_id: str
:param arguments: Positional arguments to the agent execute function.
:type arguments: list
:param keyword_arguments: A dictionary where each 'key' represents the parameter name and its corresponding 'value' represents the value of that parameter for the agent execute function.
diff --git a/docs/_sources/autoapi/abacusai/prediction_dataset/index.rst.txt b/docs/_sources/autoapi/abacusai/prediction_dataset/index.rst.txt
index ffe77c26..84d370da 100644
--- a/docs/_sources/autoapi/abacusai/prediction_dataset/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/prediction_dataset/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: dataset_type
+ :value: None
+
.. py:attribute:: dataset_version
+ :value: None
+
.. py:attribute:: default
+ :value: None
+
.. py:attribute:: required
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/prediction_feature_group/index.rst.txt b/docs/_sources/autoapi/abacusai/prediction_feature_group/index.rst.txt
index 714671de..b05bcfe0 100644
--- a/docs/_sources/autoapi/abacusai/prediction_feature_group/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/prediction_feature_group/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: dataset_type
+ :value: None
+
.. py:attribute:: default
+ :value: None
+
.. py:attribute:: required
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/prediction_input/index.rst.txt b/docs/_sources/autoapi/abacusai/prediction_input/index.rst.txt
index 71e81fd6..d4e31ca4 100644
--- a/docs/_sources/autoapi/abacusai/prediction_input/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/prediction_input/index.rst.txt
@@ -35,9 +35,13 @@ Module Contents
.. py:attribute:: feature_group_dataset_ids
+ :value: None
+
.. py:attribute:: dataset_id_remap
+ :value: None
+
.. py:attribute:: feature_groups
diff --git a/docs/_sources/autoapi/abacusai/prediction_log_record/index.rst.txt b/docs/_sources/autoapi/abacusai/prediction_log_record/index.rst.txt
index b5a1a33f..86b8e65b 100644
--- a/docs/_sources/autoapi/abacusai/prediction_log_record/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/prediction_log_record/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: request_id
+ :value: None
+
.. py:attribute:: query
+ :value: None
+
.. py:attribute:: query_time_ms
+ :value: None
+
.. py:attribute:: timestamp_ms
+ :value: None
+
.. py:attribute:: response
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/prediction_operator/index.rst.txt b/docs/_sources/autoapi/abacusai/prediction_operator/index.rst.txt
index 0be49a6f..8042af1e 100644
--- a/docs/_sources/autoapi/abacusai/prediction_operator/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/prediction_operator/index.rst.txt
@@ -59,42 +59,68 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: prediction_operator_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: predict_function_name
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: initialize_function_name
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: feature_group_ids
+ :value: None
+
.. py:attribute:: feature_group_table_names
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/prediction_operator_version/index.rst.txt b/docs/_sources/autoapi/abacusai/prediction_operator_version/index.rst.txt
index cf6c3559..88b05bb5 100644
--- a/docs/_sources/autoapi/abacusai/prediction_operator_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/prediction_operator_version/index.rst.txt
@@ -51,36 +51,58 @@ Module Contents
.. py:attribute:: prediction_operator_id
+ :value: None
+
.. py:attribute:: prediction_operator_version
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: updated_at
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: feature_group_ids
+ :value: None
+
.. py:attribute:: feature_group_versions
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/problem_type/index.rst.txt b/docs/_sources/autoapi/abacusai/problem_type/index.rst.txt
index b81f2577..0c0a323d 100644
--- a/docs/_sources/autoapi/abacusai/problem_type/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/problem_type/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: problem_type
+ :value: None
+
.. py:attribute:: required_feature_group_type
+ :value: None
+
.. py:attribute:: optional_feature_group_types
+ :value: None
+
.. py:attribute:: use_cases_support_custom_algorithm
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/project/index.rst.txt b/docs/_sources/autoapi/abacusai/project/index.rst.txt
index 88e6eaad..c6df81a9 100644
--- a/docs/_sources/autoapi/abacusai/project/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/project/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: use_case
+ :value: None
+
.. py:attribute:: problem_type
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: tags
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/project_config/index.rst.txt b/docs/_sources/autoapi/abacusai/project_config/index.rst.txt
index 5ee73e45..67c0ce33 100644
--- a/docs/_sources/autoapi/abacusai/project_config/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/project_config/index.rst.txt
@@ -31,6 +31,8 @@ Module Contents
.. py:attribute:: type
+ :value: None
+
.. py:attribute:: config
diff --git a/docs/_sources/autoapi/abacusai/project_feature_group/index.rst.txt b/docs/_sources/autoapi/abacusai/project_feature_group/index.rst.txt
index e45ee59c..c01ae194 100644
--- a/docs/_sources/autoapi/abacusai/project_feature_group/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/project_feature_group/index.rst.txt
@@ -131,114 +131,188 @@ Module Contents
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: modification_lock
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: feature_group_source_type
+ :value: None
+
.. py:attribute:: table_name
+ :value: None
+
.. py:attribute:: sql
+ :value: None
+
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: function_source_code
+ :value: None
+
.. py:attribute:: function_name
+ :value: None
+
.. py:attribute:: source_tables
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: sql_error
+ :value: None
+
.. py:attribute:: latest_version_outdated
+ :value: None
+
.. py:attribute:: referenced_feature_groups
+ :value: None
+
.. py:attribute:: tags
+ :value: None
+
.. py:attribute:: primary_key
+ :value: None
+
.. py:attribute:: update_timestamp_key
+ :value: None
+
.. py:attribute:: lookup_keys
+ :value: None
+
.. py:attribute:: streaming_enabled
+ :value: None
+
.. py:attribute:: incremental
+ :value: None
+
.. py:attribute:: merge_config
+ :value: None
+
.. py:attribute:: sampling_config
+ :value: None
+
.. py:attribute:: cpu_size
+ :value: None
+
.. py:attribute:: memory
+ :value: None
+
.. py:attribute:: streaming_ready
+ :value: None
+
.. py:attribute:: feature_tags
+ :value: None
+
.. py:attribute:: module_name
+ :value: None
+
.. py:attribute:: template_bindings
+ :value: None
+
.. py:attribute:: feature_expression
+ :value: None
+
.. py:attribute:: use_original_csv_names
+ :value: None
+
.. py:attribute:: python_function_bindings
+ :value: None
+
.. py:attribute:: python_function_name
+ :value: None
+
.. py:attribute:: use_gpu
+ :value: None
+
.. py:attribute:: version_limit
+ :value: None
+
.. py:attribute:: export_on_materialization
+ :value: None
+
.. py:attribute:: feature_group_type
+ :value: None
+
.. py:attribute:: features
diff --git a/docs/_sources/autoapi/abacusai/project_feature_group_schema/index.rst.txt b/docs/_sources/autoapi/abacusai/project_feature_group_schema/index.rst.txt
index ce11a69a..2ea38a33 100644
--- a/docs/_sources/autoapi/abacusai/project_feature_group_schema/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/project_feature_group_schema/index.rst.txt
@@ -35,6 +35,8 @@ Module Contents
.. py:attribute:: nested_schema
+ :value: None
+
.. py:attribute:: schema
diff --git a/docs/_sources/autoapi/abacusai/project_feature_group_schema_version/index.rst.txt b/docs/_sources/autoapi/abacusai/project_feature_group_schema_version/index.rst.txt
index 306b5fb5..154db8fe 100644
--- a/docs/_sources/autoapi/abacusai/project_feature_group_schema_version/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/project_feature_group_schema_version/index.rst.txt
@@ -29,6 +29,8 @@ Module Contents
.. py:attribute:: schema_version
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/project_validation/index.rst.txt b/docs/_sources/autoapi/abacusai/project_validation/index.rst.txt
index 1dd27f9d..aff6adf6 100644
--- a/docs/_sources/autoapi/abacusai/project_validation/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/project_validation/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: valid
+ :value: None
+
.. py:attribute:: dataset_errors
+ :value: None
+
.. py:attribute:: column_hints
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/python_function/index.rst.txt b/docs/_sources/autoapi/abacusai/python_function/index.rst.txt
index ead38375..fc2048c2 100644
--- a/docs/_sources/autoapi/abacusai/python_function/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/python_function/index.rst.txt
@@ -47,30 +47,48 @@ Module Contents
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: function_variable_mappings
+ :value: None
+
.. py:attribute:: output_variable_mappings
+ :value: None
+
.. py:attribute:: function_name
+ :value: None
+
.. py:attribute:: python_function_id
+ :value: None
+
.. py:attribute:: function_type
+ :value: None
+
.. py:attribute:: package_requirements
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/python_plot_function/index.rst.txt b/docs/_sources/autoapi/abacusai/python_plot_function/index.rst.txt
index 09fbe767..0520b9f1 100644
--- a/docs/_sources/autoapi/abacusai/python_plot_function/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/python_plot_function/index.rst.txt
@@ -47,30 +47,48 @@ Module Contents
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: function_variable_mappings
+ :value: None
+
.. py:attribute:: function_name
+ :value: None
+
.. py:attribute:: python_function_id
+ :value: None
+
.. py:attribute:: function_type
+ :value: None
+
.. py:attribute:: plot_name
+ :value: None
+
.. py:attribute:: graph_reference_id
+ :value: None
+
.. py:attribute:: code_source
diff --git a/docs/_sources/autoapi/abacusai/range_violation/index.rst.txt b/docs/_sources/autoapi/abacusai/range_violation/index.rst.txt
index 4c8e63da..019cf7ec 100644
--- a/docs/_sources/autoapi/abacusai/range_violation/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/range_violation/index.rst.txt
@@ -41,24 +41,38 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: training_min
+ :value: None
+
.. py:attribute:: training_max
+ :value: None
+
.. py:attribute:: prediction_min
+ :value: None
+
.. py:attribute:: prediction_max
+ :value: None
+
.. py:attribute:: freq_above_training_range
+ :value: None
+
.. py:attribute:: freq_below_training_range
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/realtime_monitor/index.rst.txt b/docs/_sources/autoapi/abacusai/realtime_monitor/index.rst.txt
index 9cc5423f..39038752 100644
--- a/docs/_sources/autoapi/abacusai/realtime_monitor/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/realtime_monitor/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: realtime_monitor_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: lookback_time
+ :value: None
+
.. py:attribute:: realtime_monitor_schedule
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/refresh_pipeline_run/index.rst.txt b/docs/_sources/autoapi/abacusai/refresh_pipeline_run/index.rst.txt
index 2297ed8f..f7d6ad6f 100644
--- a/docs/_sources/autoapi/abacusai/refresh_pipeline_run/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/refresh_pipeline_run/index.rst.txt
@@ -53,39 +53,63 @@ Module Contents
.. py:attribute:: refresh_pipeline_run_id
+ :value: None
+
.. py:attribute:: refresh_policy_id
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: started_at
+ :value: None
+
.. py:attribute:: completed_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: refresh_type
+ :value: None
+
.. py:attribute:: dataset_versions
+ :value: None
+
.. py:attribute:: feature_group_version
+ :value: None
+
.. py:attribute:: model_versions
+ :value: None
+
.. py:attribute:: deployment_versions
+ :value: None
+
.. py:attribute:: batch_predictions
+ :value: None
+
.. py:attribute:: refresh_policy
diff --git a/docs/_sources/autoapi/abacusai/refresh_policy/index.rst.txt b/docs/_sources/autoapi/abacusai/refresh_policy/index.rst.txt
index 96d8d4c5..0e6f61c0 100644
--- a/docs/_sources/autoapi/abacusai/refresh_policy/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/refresh_policy/index.rst.txt
@@ -63,54 +63,88 @@ Module Contents
.. py:attribute:: refresh_policy_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: cron
+ :value: None
+
.. py:attribute:: next_run_time
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: refresh_type
+ :value: None
+
.. py:attribute:: project_id
+ :value: None
+
.. py:attribute:: dataset_ids
+ :value: None
+
.. py:attribute:: feature_group_id
+ :value: None
+
.. py:attribute:: model_ids
+ :value: None
+
.. py:attribute:: deployment_ids
+ :value: None
+
.. py:attribute:: batch_prediction_ids
+ :value: None
+
.. py:attribute:: model_monitor_ids
+ :value: None
+
.. py:attribute:: notebook_id
+ :value: None
+
.. py:attribute:: paused
+ :value: None
+
.. py:attribute:: prediction_operator_id
+ :value: None
+
.. py:attribute:: pipeline_id
+ :value: None
+
.. py:attribute:: feature_group_export_config
diff --git a/docs/_sources/autoapi/abacusai/refresh_schedule/index.rst.txt b/docs/_sources/autoapi/abacusai/refresh_schedule/index.rst.txt
index ffe02147..acc4ac83 100644
--- a/docs/_sources/autoapi/abacusai/refresh_schedule/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/refresh_schedule/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: refresh_policy_id
+ :value: None
+
.. py:attribute:: next_run_time
+ :value: None
+
.. py:attribute:: cron
+ :value: None
+
.. py:attribute:: refresh_type
+ :value: None
+
.. py:attribute:: error
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/regenerate_llm_external_application/index.rst.txt b/docs/_sources/autoapi/abacusai/regenerate_llm_external_application/index.rst.txt
index 8cee2d85..8b7e47f8 100644
--- a/docs/_sources/autoapi/abacusai/regenerate_llm_external_application/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/regenerate_llm_external_application/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: external_application_id
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/resolved_feature_group_template/index.rst.txt b/docs/_sources/autoapi/abacusai/resolved_feature_group_template/index.rst.txt
index 6026e9f7..a808cb81 100644
--- a/docs/_sources/autoapi/abacusai/resolved_feature_group_template/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/resolved_feature_group_template/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: feature_group_template_id
+ :value: None
+
.. py:attribute:: resolved_variables
+ :value: None
+
.. py:attribute:: resolved_sql
+ :value: None
+
.. py:attribute:: template_sql
+ :value: None
+
.. py:attribute:: sql_error
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/routing_action/index.rst.txt b/docs/_sources/autoapi/abacusai/routing_action/index.rst.txt
index 870ad168..d45421c0 100644
--- a/docs/_sources/autoapi/abacusai/routing_action/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/routing_action/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: id
+ :value: None
+
.. py:attribute:: title
+ :value: None
+
.. py:attribute:: prompt
+ :value: None
+
.. py:attribute:: placeholder
+ :value: None
+
.. py:attribute:: value
+ :value: None
+
.. py:attribute:: display_name
+ :value: None
+
.. py:attribute:: is_large
+ :value: None
+
.. py:attribute:: is_medium
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/schema/index.rst.txt b/docs/_sources/autoapi/abacusai/schema/index.rst.txt
index ca8422fb..d4188258 100644
--- a/docs/_sources/autoapi/abacusai/schema/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/schema/index.rst.txt
@@ -45,24 +45,38 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: feature_mapping
+ :value: None
+
.. py:attribute:: detected_feature_mapping
+ :value: None
+
.. py:attribute:: feature_type
+ :value: None
+
.. py:attribute:: detected_feature_type
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: detected_data_type
+ :value: None
+
.. py:attribute:: nested_features
diff --git a/docs/_sources/autoapi/abacusai/streaming_auth_token/index.rst.txt b/docs/_sources/autoapi/abacusai/streaming_auth_token/index.rst.txt
index 26a716b2..2dbe2ae2 100644
--- a/docs/_sources/autoapi/abacusai/streaming_auth_token/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/streaming_auth_token/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: streaming_token
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/streaming_connector/index.rst.txt b/docs/_sources/autoapi/abacusai/streaming_connector/index.rst.txt
index 11bbad36..62f5aa60 100644
--- a/docs/_sources/autoapi/abacusai/streaming_connector/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/streaming_connector/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: streaming_connector_id
+ :value: None
+
.. py:attribute:: service
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: auth
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/streaming_row_count/index.rst.txt b/docs/_sources/autoapi/abacusai/streaming_row_count/index.rst.txt
index 3d1d511a..7d3160c2 100644
--- a/docs/_sources/autoapi/abacusai/streaming_row_count/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/streaming_row_count/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: count
+ :value: None
+
.. py:attribute:: start_ts_ms
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/streaming_sample_code/index.rst.txt b/docs/_sources/autoapi/abacusai/streaming_sample_code/index.rst.txt
index 59633419..4e562eda 100644
--- a/docs/_sources/autoapi/abacusai/streaming_sample_code/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/streaming_sample_code/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: python
+ :value: None
+
.. py:attribute:: curl
+ :value: None
+
.. py:attribute:: console
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/template_node_details/index.rst.txt b/docs/_sources/autoapi/abacusai/template_node_details/index.rst.txt
index b8fc4918..89610f1a 100644
--- a/docs/_sources/autoapi/abacusai/template_node_details/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/template_node_details/index.rst.txt
@@ -31,6 +31,8 @@ Module Contents
.. py:attribute:: notebook_code
+ :value: None
+
.. py:attribute:: workflow_graph_node
diff --git a/docs/_sources/autoapi/abacusai/test_point_predictions/index.rst.txt b/docs/_sources/autoapi/abacusai/test_point_predictions/index.rst.txt
index 7839b4dc..2aa8ad6e 100644
--- a/docs/_sources/autoapi/abacusai/test_point_predictions/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/test_point_predictions/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: count
+ :value: None
+
.. py:attribute:: columns
+ :value: None
+
.. py:attribute:: data
+ :value: None
+
.. py:attribute:: metrics_columns
+ :value: None
+
.. py:attribute:: summarized_metrics
+ :value: None
+
.. py:attribute:: error_description
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/tone_details/index.rst.txt b/docs/_sources/autoapi/abacusai/tone_details/index.rst.txt
index 5fca4163..c28b9f0e 100644
--- a/docs/_sources/autoapi/abacusai/tone_details/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/tone_details/index.rst.txt
@@ -43,27 +43,43 @@ Module Contents
.. py:attribute:: voice_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: gender
+ :value: None
+
.. py:attribute:: language
+ :value: None
+
.. py:attribute:: age
+ :value: None
+
.. py:attribute:: accent
+ :value: None
+
.. py:attribute:: use_case
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/training_config_options/index.rst.txt b/docs/_sources/autoapi/abacusai/training_config_options/index.rst.txt
index 22f959c1..6f9a6463 100644
--- a/docs/_sources/autoapi/abacusai/training_config_options/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/training_config_options/index.rst.txt
@@ -49,36 +49,58 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: data_type
+ :value: None
+
.. py:attribute:: value_type
+ :value: None
+
.. py:attribute:: value_options
+ :value: None
+
.. py:attribute:: value
+ :value: None
+
.. py:attribute:: default
+ :value: None
+
.. py:attribute:: options
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: required
+ :value: None
+
.. py:attribute:: last_model_value
+ :value: None
+
.. py:attribute:: needs_refresh
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/twitter_search_result/index.rst.txt b/docs/_sources/autoapi/abacusai/twitter_search_result/index.rst.txt
index b455d60b..fed1dbc9 100644
--- a/docs/_sources/autoapi/abacusai/twitter_search_result/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/twitter_search_result/index.rst.txt
@@ -41,24 +41,38 @@ Module Contents
.. py:attribute:: title
+ :value: None
+
.. py:attribute:: url
+ :value: None
+
.. py:attribute:: twitter_name
+ :value: None
+
.. py:attribute:: twitter_handle
+ :value: None
+
.. py:attribute:: thumbnail_url
+ :value: None
+
.. py:attribute:: thumbnail_width
+ :value: None
+
.. py:attribute:: thumbnail_height
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/upload/index.rst.txt b/docs/_sources/autoapi/abacusai/upload/index.rst.txt
index 058c4a28..b635332b 100644
--- a/docs/_sources/autoapi/abacusai/upload/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/upload/index.rst.txt
@@ -47,33 +47,53 @@ Module Contents
.. py:attribute:: upload_id
+ :value: None
+
.. py:attribute:: dataset_upload_id
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: dataset_id
+ :value: None
+
.. py:attribute:: dataset_version
+ :value: None
+
.. py:attribute:: model_id
+ :value: None
+
.. py:attribute:: model_version
+ :value: None
+
.. py:attribute:: batch_prediction_id
+ :value: None
+
.. py:attribute:: parts
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/upload_part/index.rst.txt b/docs/_sources/autoapi/abacusai/upload_part/index.rst.txt
index 9feb57d8..44d8ddd6 100644
--- a/docs/_sources/autoapi/abacusai/upload_part/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/upload_part/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: etag
+ :value: None
+
.. py:attribute:: md5
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/use_case/index.rst.txt b/docs/_sources/autoapi/abacusai/use_case/index.rst.txt
index 2ae35851..761496a4 100644
--- a/docs/_sources/autoapi/abacusai/use_case/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/use_case/index.rst.txt
@@ -35,15 +35,23 @@ Module Contents
.. py:attribute:: use_case
+ :value: None
+
.. py:attribute:: pretty_name
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: problem_type
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/use_case_requirements/index.rst.txt b/docs/_sources/autoapi/abacusai/use_case_requirements/index.rst.txt
index bec79e64..92b6c898 100644
--- a/docs/_sources/autoapi/abacusai/use_case_requirements/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/use_case_requirements/index.rst.txt
@@ -41,24 +41,38 @@ Module Contents
.. py:attribute:: dataset_type
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: required
+ :value: None
+
.. py:attribute:: multi
+ :value: None
+
.. py:attribute:: allowed_feature_mappings
+ :value: None
+
.. py:attribute:: allowed_nested_feature_mappings
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/user/index.rst.txt b/docs/_sources/autoapi/abacusai/user/index.rst.txt
index 326b353e..d07e99ff 100644
--- a/docs/_sources/autoapi/abacusai/user/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/user/index.rst.txt
@@ -37,15 +37,23 @@ Module Contents
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: email
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: status
+ :value: None
+
.. py:attribute:: organization_groups
diff --git a/docs/_sources/autoapi/abacusai/user_exception/index.rst.txt b/docs/_sources/autoapi/abacusai/user_exception/index.rst.txt
index b1c2a7a3..e370ed49 100644
--- a/docs/_sources/autoapi/abacusai/user_exception/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/user_exception/index.rst.txt
@@ -33,12 +33,18 @@ Module Contents
.. py:attribute:: type
+ :value: None
+
.. py:attribute:: value
+ :value: None
+
.. py:attribute:: traceback
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/video_gen_settings/index.rst.txt b/docs/_sources/autoapi/abacusai/video_gen_settings/index.rst.txt
index 97e09c0e..70d3a2d4 100644
--- a/docs/_sources/autoapi/abacusai/video_gen_settings/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/video_gen_settings/index.rst.txt
@@ -31,9 +31,13 @@ Module Contents
.. py:attribute:: model
+ :value: None
+
.. py:attribute:: settings
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/video_search_result/index.rst.txt b/docs/_sources/autoapi/abacusai/video_search_result/index.rst.txt
index a41ef2fe..4b86db41 100644
--- a/docs/_sources/autoapi/abacusai/video_search_result/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/video_search_result/index.rst.txt
@@ -37,18 +37,28 @@ Module Contents
.. py:attribute:: title
+ :value: None
+
.. py:attribute:: url
+ :value: None
+
.. py:attribute:: thumbnail_url
+ :value: None
+
.. py:attribute:: motion_thumbnail_url
+ :value: None
+
.. py:attribute:: embed_url
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/web_search_result/index.rst.txt b/docs/_sources/autoapi/abacusai/web_search_result/index.rst.txt
index b0d41495..ecda45a1 100644
--- a/docs/_sources/autoapi/abacusai/web_search_result/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/web_search_result/index.rst.txt
@@ -41,24 +41,38 @@ Module Contents
.. py:attribute:: title
+ :value: None
+
.. py:attribute:: url
+ :value: None
+
.. py:attribute:: snippet
+ :value: None
+
.. py:attribute:: news
+ :value: None
+
.. py:attribute:: place
+ :value: None
+
.. py:attribute:: entity
+ :value: None
+
.. py:attribute:: content
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/webhook/index.rst.txt b/docs/_sources/autoapi/abacusai/webhook/index.rst.txt
index 4b5e9e5b..0b1a08da 100644
--- a/docs/_sources/autoapi/abacusai/webhook/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/webhook/index.rst.txt
@@ -39,21 +39,33 @@ Module Contents
.. py:attribute:: webhook_id
+ :value: None
+
.. py:attribute:: deployment_id
+ :value: None
+
.. py:attribute:: endpoint
+ :value: None
+
.. py:attribute:: webhook_event_type
+ :value: None
+
.. py:attribute:: payload_template
+ :value: None
+
.. py:attribute:: created_at
+ :value: None
+
.. py:attribute:: deprecated_keys
diff --git a/docs/_sources/autoapi/abacusai/workflow_node_template/index.rst.txt b/docs/_sources/autoapi/abacusai/workflow_node_template/index.rst.txt
index 7bdd5460..175c3cae 100644
--- a/docs/_sources/autoapi/abacusai/workflow_node_template/index.rst.txt
+++ b/docs/_sources/autoapi/abacusai/workflow_node_template/index.rst.txt
@@ -49,27 +49,43 @@ Module Contents
.. py:attribute:: workflow_node_template_id
+ :value: None
+
.. py:attribute:: name
+ :value: None
+
.. py:attribute:: function_name
+ :value: None
+
.. py:attribute:: source_code
+ :value: None
+
.. py:attribute:: description
+ :value: None
+
.. py:attribute:: package_requirements
+ :value: None
+
.. py:attribute:: tags
+ :value: None
+
.. py:attribute:: additional_configs
+ :value: None
+
.. py:attribute:: inputs
diff --git a/docs/autoapi/abacusai/abacus_api/index.html b/docs/autoapi/abacusai/abacus_api/index.html
index c9d810dd..3decfd06 100644
--- a/docs/autoapi/abacusai/abacus_api/index.html
+++ b/docs/autoapi/abacusai/abacus_api/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -345,17 +346,17 @@ Module Contents
-
-docstring
+docstring = None
-
-score
+score = None
diff --git a/docs/autoapi/abacusai/address/index.html b/docs/autoapi/abacusai/address/index.html
index 3146c369..b453f27d 100644
--- a/docs/autoapi/abacusai/address/index.html
+++ b/docs/autoapi/abacusai/address/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -349,37 +350,37 @@ Module Contents
-
-address_line_2
+address_line_2 = None
-
-city
+city = None
-
-state_or_province
+state_or_province = None
-
-postal_code
+postal_code = None
-
-country
+country = None
-
-additional_info
+additional_info = None
diff --git a/docs/autoapi/abacusai/agent/index.html b/docs/autoapi/abacusai/agent/index.html
index 98d0939c..e0454000 100644
--- a/docs/autoapi/abacusai/agent/index.html
+++ b/docs/autoapi/abacusai/agent/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -357,57 +358,57 @@ Module Contents
-
-agent_id
+agent_id = None
-
-created_at
+created_at = None
-
-project_id
+project_id = None
-
-notebook_id
+notebook_id = None
-
-predict_function_name
+predict_function_name = None
-
-source_code
+source_code = None
-
-agent_config
+agent_config = None
-
-memory
+memory = None
-
-training_required
+training_required = None
-
-agent_execution_config
+agent_execution_config = None
diff --git a/docs/autoapi/abacusai/agent_chat_message/index.html b/docs/autoapi/abacusai/agent_chat_message/index.html
index 7f53e832..c64bbf6b 100644
--- a/docs/autoapi/abacusai/agent_chat_message/index.html
+++ b/docs/autoapi/abacusai/agent_chat_message/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -350,42 +351,42 @@ Module Contents
-
-text
+text = None
-
-doc_ids
+doc_ids = None
-
-keyword_arguments
+keyword_arguments = None
-
-segments
+segments = None
-
-streamed_data
+streamed_data = None
-
-streamed_section_data
+streamed_section_data = None
-
-agent_workflow_node_id
+agent_workflow_node_id = None
diff --git a/docs/autoapi/abacusai/agent_conversation/index.html b/docs/autoapi/abacusai/agent_conversation/index.html
index 6ef1e417..5fdd77bc 100644
--- a/docs/autoapi/abacusai/agent_conversation/index.html
+++ b/docs/autoapi/abacusai/agent_conversation/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
diff --git a/docs/autoapi/abacusai/agent_data_document_info/index.html b/docs/autoapi/abacusai/agent_data_document_info/index.html
index 0dcd43fe..25f38adb 100644
--- a/docs/autoapi/abacusai/agent_data_document_info/index.html
+++ b/docs/autoapi/abacusai/agent_data_document_info/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -347,27 +348,27 @@ Module Contents
-
-filename
+filename = None
-
-mime_type
+mime_type = None
-
-size
+size = None
-
-page_count
+page_count = None
diff --git a/docs/autoapi/abacusai/agent_data_execution_result/index.html b/docs/autoapi/abacusai/agent_data_execution_result/index.html
index 505d81fe..f67f56c4 100644
--- a/docs/autoapi/abacusai/agent_data_execution_result/index.html
+++ b/docs/autoapi/abacusai/agent_data_execution_result/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -345,12 +346,12 @@ Module Contents
-
-deployment_conversation_id
+deployment_conversation_id = None
diff --git a/docs/autoapi/abacusai/agent_version/index.html b/docs/autoapi/abacusai/agent_version/index.html
index 5361a7fa..abe1e220 100644
--- a/docs/autoapi/abacusai/agent_version/index.html
+++ b/docs/autoapi/abacusai/agent_version/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -354,52 +355,52 @@ Module Contents
-
-status
+status = None
-
-agent_id
+agent_id = None
-
-agent_config
+agent_config = None
-
-publishing_started_at
+publishing_started_at = None
-
-publishing_completed_at
+publishing_completed_at = None
-
-pending_deployment_ids
+pending_deployment_ids = None
-
-failed_deployment_ids
+failed_deployment_ids = None
-
-error
+error = None
-
-agent_execution_config
+agent_execution_config = None
diff --git a/docs/autoapi/abacusai/ai_building_task/index.html b/docs/autoapi/abacusai/ai_building_task/index.html
index 33076f90..6081591a 100644
--- a/docs/autoapi/abacusai/ai_building_task/index.html
+++ b/docs/autoapi/abacusai/ai_building_task/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -344,12 +345,12 @@ Module Contents
-
-task_type
+task_type = None
diff --git a/docs/autoapi/abacusai/algorithm/index.html b/docs/autoapi/abacusai/algorithm/index.html
index b13534a2..6eaf2c98 100644
--- a/docs/autoapi/abacusai/algorithm/index.html
+++ b/docs/autoapi/abacusai/algorithm/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -358,77 +359,77 @@ Module Contents
-
-problem_type
+problem_type = None
-
-created_at
+created_at = None
-
-updated_at
+updated_at = None
-
-is_default_enabled
+is_default_enabled = None
-
-training_input_mappings
+training_input_mappings = None
-
-train_function_name
+train_function_name = None
-
-predict_function_name
+predict_function_name = None
-
-predict_many_function_name
+predict_many_function_name = None
-
-initialize_function_name
+initialize_function_name = None
-
-config_options
+config_options = None
-
-algorithm_id
+algorithm_id = None
-
-use_gpu
+use_gpu = None
-
-algorithm_training_config
+algorithm_training_config = None
-
-only_offline_deployable
+only_offline_deployable = None
diff --git a/docs/autoapi/abacusai/annotation/index.html b/docs/autoapi/abacusai/annotation/index.html
index f29318c1..3e3252a0 100644
--- a/docs/autoapi/abacusai/annotation/index.html
+++ b/docs/autoapi/abacusai/annotation/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -346,22 +347,22 @@ Module Contents
-
-annotation_value
+annotation_value = None
+comments = None
-
-metadata
+metadata = None
diff --git a/docs/autoapi/abacusai/annotation_config/index.html b/docs/autoapi/abacusai/annotation_config/index.html
index d525ceb4..6970cdda 100644
--- a/docs/autoapi/abacusai/annotation_config/index.html
+++ b/docs/autoapi/abacusai/annotation_config/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -347,27 +348,27 @@ Module Contents
-
-labels
+labels = None
-
-status_feature
+status_feature = None
+comments_features = None
-
-metadata_feature
+metadata_feature = None
diff --git a/docs/autoapi/abacusai/annotation_document/index.html b/docs/autoapi/abacusai/annotation_document/index.html
index a8adb58b..376f9d3e 100644
--- a/docs/autoapi/abacusai/annotation_document/index.html
+++ b/docs/autoapi/abacusai/annotation_document/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -347,27 +348,27 @@ Module Contents
-
-feature_group_row_identifier
+feature_group_row_identifier = None
-
-feature_group_row_index
+feature_group_row_index = None
-
-total_rows
+total_rows = None
-
-is_annotation_present
+is_annotation_present = None
diff --git a/docs/autoapi/abacusai/annotation_entry/index.html b/docs/autoapi/abacusai/annotation_entry/index.html
index 8ad51673..c52b703d 100644
--- a/docs/autoapi/abacusai/annotation_entry/index.html
+++ b/docs/autoapi/abacusai/annotation_entry/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -352,47 +353,47 @@ Module Contents
-
-feature_name
+feature_name = None
-
-doc_id
+doc_id = None
-
-feature_group_row_identifier
+feature_group_row_identifier = None
-
-updated_at
+updated_at = None
-
-annotation_entry_marker
+annotation_entry_marker = None
-
-status
+status = None
-
-locked_until
+locked_until = None
-
-verification_info
+verification_info = None
diff --git a/docs/autoapi/abacusai/annotations_status/index.html b/docs/autoapi/abacusai/annotations_status/index.html
index b3365653..3d20dbcc 100644
--- a/docs/autoapi/abacusai/annotations_status/index.html
+++ b/docs/autoapi/abacusai/annotations_status/index.html
@@ -79,6 +79,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -349,32 +350,32 @@ Module Contents
-
-done
+done = None
-
-in_progress
+in_progress = None
-
-todo
+todo = None
-
-latest_updated_at
+latest_updated_at = None
-
-is_materialization_needed
+is_materialization_needed = None
diff --git a/docs/autoapi/abacusai/api_class/abstract/index.html b/docs/autoapi/abacusai/api_class/abstract/index.html
index 3174c040..ba419521 100644
--- a/docs/autoapi/abacusai/api_class/abstract/index.html
+++ b/docs/autoapi/abacusai/api_class/abstract/index.html
@@ -82,6 +82,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -468,12 +469,12 @@ Module Contents
-
-_support_kwargs: bool
+_support_kwargs: bool = False
diff --git a/docs/autoapi/abacusai/api_class/ai_agents/index.html b/docs/autoapi/abacusai/api_class/ai_agents/index.html
index 3b2e5150..37e56667 100644
--- a/docs/autoapi/abacusai/api_class/ai_agents/index.html
+++ b/docs/autoapi/abacusai/api_class/ai_agents/index.html
@@ -82,6 +82,7 @@
abacusai.categorical_range_violation
abacusai.chat_message
abacusai.chat_session
+abacusai.chatllm_computer
abacusai.chatllm_referral_invite
abacusai.client
abacusai.code_autocomplete_response
@@ -342,25 +343,28 @@ Classes