@@ -41,231 +142,616 @@ Build powerful AI applications with stateful agents, complex workflows, and inte
----
+*****
+
+## 🎉🚀 **Exciting News: Julep 1.0 Alpha Release!** 🚀🎉
+
+We're thrilled to announce the **alpha** release of Julep 1.0! 🥳
+
+🌟 **What's New:**
+- Enhanced workflow capabilities
+- Improved agent persistence
+- Tons of in-built tool integrations (like dalle, google search, sendgrid, etc.)
+- Streamlined API
+
+🧪 Try it out and help shape the future of AI workflows!
+
+> [!NOTE]
+> While we are in beta, you can reach out on [Discord](https://discord.com/invite/JTSBGRZrzj) to get your API key.
+
+> [!TIP]
+> 🐛 Found a bug? Have a suggestion? We'd love to hear from you!
+> Join our [Discord](https://discord.com/invite/JTSBGRZrzj) or open an [issue](https://github.com/julep-ai/julep/issues).
+
+Stay tuned for more updates as we approach our stable release! 📢
-## 🚀 Upcoming Release: v0.4 Alpha
-**Release Date**: October 7 (Hacktoberfest Launch)
+## Introduction
-We are thrilled to announce the upcoming release of **Julep v0.4 Alpha** on **October 7**, just in time for **Hacktoberfest**!
+Julep is an open-source platform for creating persistent AI agents with customizable workflows. It provides tools to develop, manage, and deploy AI-driven applications, focusing on flexibility and ease of use.
-### **Key Highlights**
+With Julep, you can:
+- Quickly develop AI agents that retain context and state across interactions
+- Design and execute sophisticated workflows tailored to your AI agents
+- Seamlessly integrate various tools and APIs into your AI workflows
+- Effortlessly manage persistent sessions and user interactions
-#### **New Feature: Tasks**
+Whether you're developing a chatbot, automating tasks, or building a complex AI assistant, Julep provides the flexibility and features you need to turn your ideas into reality swiftly and efficiently.
-- **Autonomous Workflows**: Unlock the ability for agents to perform long-term, multi-step tasks autonomously. Define complex workflows that enable your agents to operate with minimal intervention.
+
-- **Harness OpenAI's o1 Models**: Leverage the advanced reasoning and planning capabilities of OpenAI's o1 models. Perfect for orchestrating intricate and prolonged tasks that require sophisticated understanding and execution.
+
+Here's a quick python example:
-- **100+ Integrations**: Seamlessly integrate with popular tools and APIs, including **GitHub**, **Salesforce**, **File Manager**, **Code Execution**, and more. Expand your agents' capabilities to perform a wide range of actions.
+
+
+
+from julep import Julep, AsyncJulep
+
+# 🔑 Initialize the Julep client
+# Or alternatively, use AsyncJulep for async operations
+client = Julep(api_key="your_api_key")
+
+##################
+## 🤖 Agent 🤖 ##
+##################
+
+# Create a research agent
+agent = client.agents.create(
+ name="Research Agent",
+ model="claude-3.5-sonnet",
+ about="You are a research agent designed to handle research inquiries.",
+)
+
+# 🔍 Add a web search tool to the agent
+client.agents.tools.create(
+ agent_id=agent.id,
+ name="web_search", # Should be python valid variable name
+ description="Use this tool to research inquiries.",
+ integration={
+ "provider": "brave",
+ "method": "search",
+ "setup": {
+ "api_key": "your_brave_api_key",
+ },
+ },
+)
-#### **Rewritten from Scratch Based on Developer Feedback**
+#################
+## 💬 Chat 💬 ##
+#################
-- **Enhanced Doc Search**: Experience a significant improvement in document retrieval. Agents can now access the most relevant information faster, ensuring more accurate and contextually appropriate interactions.
+# Start an interactive chat session with the agent
+session = client.sessions.create(
+ agent_id=agent.id,
+ context_overflow="adaptive", # 🧠 Julep will dynamically compute the context window if needed
+)
-- **Easier to Use**: We've streamlined the user experience with simplified APIs and more intuitive interfaces. Building powerful AI applications is now more straightforward than ever.
+# 🔄 Chat loop
+while (user_input := input("You: ")) != "exit":
+ response = client.sessions.chat(
+ session_id=session.id,
+ message=user_input,
+ )
-- **Multi-Agent Sessions**: Support for sessions with multiple agents and users. Enable complex interaction patterns, collaborative problem-solving, and more dynamic conversations within your applications.
+ print("Agent: ", response.choices[0].message.content)
-- **Extensive Integrations**: Incorporate a multitude of popular tools and services directly into your AI applications, enhancing functionality and providing richer experiences for your users.
-### **Call to Action**
+#################
+## 📋 Task 📋 ##
+#################
-- **Join Our Discord Community**: Be among the first to access Julep v0.4 Alpha! [Join our Discord](https://discord.com/invite/JTSBGRZrzj) to get early access and API keys. Engage with other developers, share your projects, and provide feedback.
+# Create a recurring research task for the agent
+task = client.tasks.create(
+ agent_id=agent.id,
+ name="Research Task",
+ description="Research the given topic every 24 hours.",
+ #
+ # 🛠️ Task specific tools
+ tools=[
+ {
+ "name": "send_email",
+ "description": "Send an email to the user with the results.",
+ "api_call": {
+ "method": "post",
+ "url": "https://api.sendgrid.com/v3/mail/send",
+ "headers": {"Authorization": "Bearer YOUR_SENDGRID_API_KEY"},
+ },
+ }
+ ],
+ #
+ # 🔢 Task main steps
+ main=[
+ #
+ # Step 1: Research the topic
+ {
+ # `_` (underscore) variable refers to the previous step's output
+ # Here, it points to the topic input from the user
+ "prompt": "Look up topic '{{_.topic}}' and summarize the results.",
+ "tools": [{"ref": {"name": "web_search"}}], # 🔍 Use the web search tool from the agent
+ "unwrap": True,
+ },
+ #
+ # Step 2: Send email with research results
+ {
+ "tool": "send_email",
+ "arguments": {
+ "subject": "Research Results",
+ "body": "'Here are the research results for today: ' + _.content",
+ "to": "inputs[0].email", # Reference the email from the user's input
+ },
+ },
+ #
+ # Step 3: Wait for 24 hours before repeating
+ {"sleep": "24 * 60 * 60"},
+ ],
+)
----
+# 🚀 Start the recurring task
+client.executions.create(task_id=task.id, input={"topic": "Python"})
-## Why Julep?
-We've built a lot of AI apps and understand the challenges in creating complex, stateful applications with multiple agents and workflows.
+# 🔁 This will run the task every 24 hours,
+# research for the topic "Python", and
+# send the results to the user's email
+
+
-**The Problems**
-1. Building AI applications with memory, knowledge, and tools is complex and time-consuming.
-2. Managing long-running tasks and complex workflows in AI applications is challenging.
-3. Integrating multiple tools and services into AI applications requires significant development effort.
----
## Features
-- **Stateful Agents**: Create and manage agents with built-in conversation history and memory.
-- **Complex Workflows**: Define and execute multi-step tasks with branching, parallel execution, and error handling.
-- **Integrated Tools**: Easily incorporate a wide range of tools and external services into your AI applications.
-- **Flexible Session Management**: Support for various interaction patterns like one-to-many and many-to-one between agents and users.
-- **Built-in RAG**: Add, delete & update documents to provide context to your agents.
-- **Asynchronous Task Execution**: Run long-running tasks in the background with state management and resumability.
-- **Multi-Model Support**: Switch between different language models (OpenAI, Anthropic, Ollama) while preserving state.
-- **Task System**: Define and execute complex, multi-step workflows with parallel processing and error handling.
----
-## Quickstart
-### Option 1: Use the Julep Cloud
-Our hosted platform is in Beta!
+Julep simplifies the process of building persistent AI agents with customizable workflows. Key features include:
+
+- **Persistent AI Agents**: Create and manage AI agents that maintain context across interactions.
+- **Customizable Workflows**: Design complex, multi-step AI workflows using Tasks.
+- **Tool Integration**: Seamlessly integrate various tools and APIs into your AI workflows.
+- **Document Management**: Efficiently manage and search through documents for your agents.
+- **Session Management**: Handle persistent sessions for continuous interactions.
+- **Flexible Execution**: Support for parallel processing, conditional logic, and error handling in workflows.
-To get access:
-- Head over to https://platform.julep.ai
-- Generate and add your `JULEP_API_KEY` in `.env`
+## Installation
-### Option 2: Install and run Julep locally
-Head over to docs on [self-hosting](https://docs.julep.ai/guides/self-hosting) to see how to run Julep locally!
+To get started with Julep, install it using [npm](https://www.npmjs.com/package/@julep/sdk) or [pip](https://pypi.org/project/julep/):
+
+```bash
+npm install @julep/sdk
+```
-### Installation
+or
```bash
pip install julep
```
-### Setting up the `client`
+> [!TIP]
+> ~~Get your API key [here](https://app.julep.ai/api-keys).~~
+>
+> While we are in beta, you can reach out on [Discord](https://discord.com/invite/JTSBGRZrzj) to get your API key.
-```python
-from julep import Client
-import os
+## Quick Start Guide
+
+### Step 1: Import Julep
-base_url = os.environ.get("JULEP_API_URL")
-api_key = os.environ.get("JULEP_API_KEY")
+First, import the Julep SDK into your project:
-client = Client(api_key=api_key, base_url=base_url)
+```javascript
+const Julep = require('@julep/sdk');
```
-### Create an agent
-Agent is the object to which LLM settings like model, temperature along with tools are scoped to.
+or
```python
-agent = client.agents.create(
- name="Jessica",
- model="gpt-4",
- tools=[], # Tools defined here
- about="A helpful AI assistant",
- instructions=["Be polite", "Be concise"]
-)
+from julep import AsyncJulep
```
-### Create a user
-User is the object which represents the user of the application.
+### Step 2: Initialize the Agent
-Memories are formed and saved for each user and many users can talk to one agent.
+Create a new agent with basic settings:
-```python
-user = client.users.create(
- name="Anon",
- about="Average nerdy techbro/girl spending 8 hours a day on a laptop",
-)
+```javascript
+const julep = new Julep({ apiKey: 'your-api-key' });
+
+const agent = await julep.agents.create({
+ name: 'ResearchAssistant',
+ model: 'gpt-4-turbo',
+ about: "You are a creative storytelling agent that can craft engaging stories and generate comic panels based on ideas.",
+});
```
-### Create a session
-A "user" and an "agent" communicate in a "session". System prompt goes here.
+or
```python
-situation_prompt = """You are Jessica, a helpful AI assistant.
-You're here to assist the user with any questions or tasks they might have."""
-session = client.sessions.create(
- user_id=user.id,
- agent_id=agent.id,
- situation=situation_prompt
+client = AsyncJulep(api_key="your_api_key")
+
+agent = await client.agents.create(
+ name="Storytelling Agent",
+ model="gpt-4-turbo",
+ about="You are a creative storytelling agent that can craft engaging stories and generate comic panels based on ideas.",
)
```
-### Start a stateful conversation
-`session.chat` controls the communication between the "agent" and the "user".
+### Step 3: Chat with the Agent
+
+Start an interactive chat session with the agent:
+
+```javascript
+const session = await julep.sessions.create({
+ agentId: agent.id,
+});
+
+// Send messages to the agent
+const response = await julep.sessions.chat({
+ sessionId: session.id,
+ message: 'Hello, can you tell me a story?',
+});
-It has two important arguments;
-- `recall`: Retrieves the previous conversations and memories.
-- `remember`: Saves the current conversation turn into the memory store.
+console.log(response);
+```
-To keep the session stateful, both need to be `True`
+or
```python
-user_msg = "Hey Jessica, can you help me with a task?"
-response = client.sessions.chat(
+session = await client.sessions.create(agent_id=agent.id)
+
+# Send messages to the agent
+response = await client.sessions.chat(
session_id=session.id,
- messages=[
+ message="Hello, can you tell me a story?",
+)
+
+print(response)
+```
+
+
+### Step 4: Create a multi-step Task
+
+Let's define a multi-step task to create a story and generate a paneled comic strip based on an input idea:
+
+```python
+# 🛠️ Add an image generation tool (DALL·E) to the agent
+await client.agents.tools.create(
+ agent_id=agent.id,
+ name="image_generator",
+ description="Use this tool to generate images based on descriptions.",
+ integration={
+ "provider": "dalle",
+ "method": "generate_image",
+ "setup": {
+ "api_key": "your_dalle_api_key",
+ },
+ },
+)
+
+# 📋 Task
+# Create a task that takes an idea and creates a story and a 4-panel comic strip
+task = await client.tasks.create(
+ agent_id=agent.id,
+ name="Story and Comic Creator",
+ description="Create a story based on an idea and generate a 4-panel comic strip illustrating the story.",
+ main=[
+ # Step 1: Generate a story and outline into 4 panels
{
- "role": "user",
- "content": user_msg,
- "name": "Anon",
- }
+ "prompt": [
+ {
+ "role": "system",
+ "content": "You are {{agent.name}}. {{agent.about}}"
+ },
+ {
+ "role": "user",
+ "content": (
+ "Based on the idea '{{_.idea}}', write a short story suitable for a 4-panel comic strip. "
+ "Provide the story and a numbered list of 4 brief descriptions for each panel illustrating key moments in the story."
+ ),
+ },
+ ],
+ "unwrap": True,
+ },
+ # Step 2: Extract the panel descriptions and story
+ {
+ "evaluate": {
+ "story": "_.split('1. ')[0].strip()",
+ "panels": "re.findall(r'\\d+\\.\\s*(.*?)(?=\\d+\\.\\s*|$)', _)",
+ }
+ },
+ # Step 3: Generate images for each panel using the image generator tool
+ {
+ "foreach": {
+ "in": "_.panels",
+ "do": {
+ "tool": "image_generator",
+ "arguments": {
+ "description": "_",
+ },
+ },
+ },
+ },
+ # Step 4: Generate a catchy title for the story
+ {
+ "prompt": [
+ {
+ "role": "system",
+ "content": "You are {{agent.name}}. {{agent.about}}"
+ },
+ {
+ "role": "user",
+ "content": "Based on the story below, generate a catchy title.\n\nStory: {{outputs[1].story}}",
+ },
+ ],
+ "unwrap": True,
+ },
+ # Step 5: Return the story, the generated images, and the title
+ {
+ "return": {
+ "title": "outputs[3]",
+ "story": "outputs[1].story",
+ "comic_panels": "[output.image.url for output in outputs[2]]",
+ }
+ },
],
- recall=True,
- remember=True,
+)
+```
+
+> [!TIP]
+> node.js version of this is similar.
+
+### Step 5: Execute the Task
+
+```python
+# 🚀 Execute the task with an input idea
+execution = await client.executions.create(
+ task_id=task.id,
+ input={"idea": "A cat who learns to fly"}
)
-print(response.response[0][0].content)
+# 🎉 Watch as the story and comic panels are generated
+await client.executions.stream(execution_id=execution.id)
```
----
+This example demonstrates how to create an agent with a custom tool, define a complex task with multiple steps, and execute it to generate a creative output.
-## Core Concepts
+
-### Agent
-An Agent in Julep is the main orchestrator of your application. It's backed by foundation models like GPT-4 or Claude and can use tools, documents, and execute complex tasks.
+> [!TIP]
+> You can find another node.js example [here](example.ts) or python example [here](example.py).
-### User
-Users in Julep represent the end-users of your application. They can be associated with sessions and have their own documents and metadata.
+## Concepts
-### Session
-Sessions manage the interaction between users and agents. They maintain conversation history and context.
+Julep is built on several key technical components that work together to create powerful AI workflows:
-### Tool
-Tools are functions that agents can use to perform specific actions or retrieve information.
+### Agents
+AI-powered entities backed by large language models (LLMs) that execute tasks and interact with users. Agents are the core functional units of Julep.
-### Doc
-Docs are collections of text snippets that can be associated with agents or users and are used for context retrieval.
+```mermaid
+graph TD
+ Agent[Agent] --> LLM[Large Language Model]
+ Agent --> Tasks[Tasks]
+ Agent --> Users[Users]
+ Tasks --> Tools[Tools]
+```
-### Task
-Tasks are complex, multi-step workflows that can be defined and executed by agents.
+### Users
+Entities that interact with agents. Users can be associated with sessions and have their own metadata, allowing for personalized interactions.
-### Execution
-An Execution is an instance of a Task that has been started with some input. It goes through various states as it progresses.
+```mermaid
+graph LR
+ User[User] --> Sessions[Sessions]
+ Sessions --> Agents[Agents]
+ Sessions --> Metadata[Metadata]
+```
----
+### Sessions
+Stateful interactions between agents and users. Sessions maintain context across multiple exchanges and can be configured for different behaviors, including context management and overflow handling.
-## API and SDKs
+```mermaid
+graph LR
+ Sessions[Sessions] --> Agents[Agents]
+ Sessions --> Users[Users]
+ Sessions --> ContextManagement[Context Management]
+ Sessions --> OverflowHandling[Overflow Handling]
+```
-To use the API directly or to take a look at request & response formats, authentication, available endpoints and more, please refer to the [API Documentation](https://docs.julep.ai/api-reference/agents-api/agents-api)
+### Tasks
+Multi-step, programmatic workflows that agents can execute. Tasks define complex operations and can include various types of steps, such as prompts, tool calls, and conditional logic.
-### Python SDK
+```mermaid
+graph TD
+ Tasks[Tasks] --> Steps[Workflow Steps]
+ Steps --> Prompt[Prompt]
+ Steps --> ToolCalls[Tool Calls]
+ Steps --> ConditionalLogic[Conditional Logic]
+```
-To install the Python SDK, run:
+### Tools
+Integrations that extend an agent's capabilities. Tools can be user-defined functions, system tools, or third-party API integrations. They allow agents to perform actions beyond text generation.
-```bash
-pip install julep
+```mermaid
+graph LR
+ Tools[Tools] --> UserDefinedFunctions[User-Defined Functions]
+ Tools --> SystemTools[System Tools]
+ Tools --> ThirdPartyAPIs[Third-Party APIs]
```
-For more information on using the Python SDK, please refer to the [Python SDK documentation](https://docs.julep.ai/api-reference/python-sdk-docs).
+### Documents
+Text or data objects that can be associated with agents or users. Documents are vectorized and stored in a vector database, enabling semantic search and retrieval during agent interactions.
-### TypeScript SDK
-To install the TypeScript SDK using `npm`, run:
+```mermaid
+graph LR
+ Documents[Documents] --> VectorDatabase[Vector Database]
+ Documents --> SemanticSearch[Semantic Search]
+ Documents --> AgentsOrUsers[Agents or Users]
+```
-```bash
-npm install @julep/sdk
+### Executions
+Instances of tasks that have been initiated with specific inputs. Executions have their own lifecycle and state machine, allowing for monitoring, management, and resumption of long-running processes.
+
+```mermaid
+graph LR
+ Executions[Executions] --> Tasks[Tasks]
+ Executions --> Lifecycle[Lifecycle]
+ Executions --> Monitoring[Monitoring]
+ Executions --> Management[Management]
+ Executions --> Resumption[Resumption]
```
-For more information on using the TypeScript SDK, please refer to the [TypeScript SDK documentation](https://docs.julep.ai/api-reference/js-sdk-docs).
+For a more detailed explanation of these concepts and their interactions, please refer to our [Concepts Documentation](https://github.com/julep-ai/julep/blob/dev/docs/julep-concepts.md).
+
+## Understanding Tasks
+
+Tasks are the core of Julep's workflow system. They allow you to define complex, multi-step AI workflows that your agents can execute. Here's a brief overview of task components:
----
+- **Name and Description**: Each task has a unique name and description for easy identification.
+- **Main Steps**: The core of a task, defining the sequence of actions to be performed.
+- **Tools**: Optional integrations that extend the capabilities of your agent during task execution.
-## Deployment
-Check out the [self-hosting guide](https://docs.julep.ai/agents/self-hosting) to host the platform yourself.
+### Types of Workflow Steps
+
+Tasks in Julep can include various types of steps:
+
+1. **Prompt**: Send a message to the AI model and receive a response.
+ ```python
+ {"prompt": "Analyze the following data: {{data}}"}
+ ```
+
+2. **Tool Call**: Execute an integrated tool or API.
+ ```python
+ {"tool": "web_search", "arguments": {"query": "Latest AI developments"}}
+ ```
+
+3. **Evaluate**: Perform calculations or manipulate data.
+ ```python
+ {"evaluate": {"average_score": "sum(scores) / len(scores)"}}
+ ```
+
+4. **Conditional Logic**: Execute steps based on conditions.
+ ```python
+ {"if": "score > 0.8", "then": [...], "else": [...]}
+ ```
+
+5. **Loops**: Iterate over data or repeat steps.
+ ```python
+ {"foreach": {"in": "data_list", "do": [...]}}
+ ```
+
+| Step Name | Description | Input |
+|--------------------|--------------------------------------------------------------------------------------------------|------------------------------------------------------|
+| **Prompt** | Send a message to the AI model and receive a response. | Prompt text or template |
+| **Tool Call** | Execute an integrated tool or API. | Tool name and arguments |
+| **Evaluate** | Perform calculations or manipulate data. | Expressions or variables to evaluate |
+| **Wait for Input** | Pause workflow until input is received. | Any required user or system input |
+| **Log** | Log a specified value or message. | Message or value to log |
+| **Embed** | Embed text into a specific format or system. | Text or content to embed |
+| **Search** | Perform a document search based on a query. | Search query |
+| **Get** | Retrieve a value from a key-value store. | Key identifier |
+| **Set** | Assign a value to a key in a key-value store. | Key and value to assign |
+| **Parallel** | Run multiple steps in parallel. | List of steps to execute simultaneously |
+| **Foreach** | Iterate over a collection and perform steps for each item. | Collection or list to iterate over |
+| **MapReduce** | Map over a collection and reduce the results based on an expression. | Collection to map and reduce expressions |
+| **If Else** | Conditional execution of steps based on a condition. | Condition to evaluate |
+| **Switch** | Execute steps based on multiple conditions, similar to a switch-case statement. | Multiple conditions and corresponding steps |
+| **Yield** | Run a subworkflow and await its completion. | Subworkflow identifier and input data |
+| **Error** | Handle errors by specifying an error message. | Error message or handling instructions |
+| **Sleep** | Pause the workflow for a specified duration. | Duration (seconds, minutes, etc.) |
+| **Return** | Return a value from the workflow. | Value to return |
+
+For detailed information on each step type and advanced usage, please refer to our [Task Documentation](https://docs.julep.ai/tasks).
+
+## Advanced Features
+
+Julep offers a range of advanced features to enhance your AI workflows:
+
+### Adding Tools to Agents
+
+Extend your agent's capabilities by integrating external tools and APIs:
+
+```python
+client.agents.tools.create(
+ agent_id=agent.id,
+ name="web_search",
+ description="Search the web for information.",
+ integration={
+ "provider": "google",
+ "method": "search",
+ "setup": {"api_key": "your_google_api_key"},
+ },
+)
+```
-If you want to deploy Julep to production, [let's hop on a call](https://cal.com/ishitaj/15min)!
+### Managing Sessions and Users
-We'll help you customise the platform and help you get set up with:
-- Multi-tenancy
-- Reverse proxy along with authentication and authorisation
-- Self-hosted LLMs
-- & more
+Julep provides robust session management for persistent interactions:
+
+```python
+session = client.sessions.create(
+ agent_id=agent.id,
+ user_id="user123",
+ context_overflow="adaptive"
+)
+
+# Continue conversation in the same session
+response = client.sessions.chat(
+ session_id=session.id,
+ message="Follow up on our previous conversation."
+)
+```
+
+### Document Integration and Search
+
+Easily manage and search through documents for your agents:
+
+```python
+# Upload a document
+document = client.documents.create(
+ file="path/to/document.pdf",
+ metadata={"category": "research_paper"}
+)
+
+# Search documents
+results = client.documents.search(
+ query="AI advancements",
+ filter={"category": "research_paper"}
+)
+```
+
+For more advanced features and detailed usage, please refer to our [Advanced Features Documentation](https://docs.julep.ai/advanced-features).
+
+## SDK Reference
+
+- [Node.js SDK](https://github.com/julep-ai/node-sdk/blob/main/api.md)
+- [Python SDK](https://github.com/julep-ai/python-sdk/blob/main/api.md)
+
+## API Reference
+
+Explore our comprehensive API documentation to learn more about agents, tasks, and executions:
+
+- [Agents API](https://api.julep.ai/api/docs#tag/agents)
+- [Tasks API](https://api.julep.ai/api/docs#tag/tasks)
+- [Executions API](https://api.julep.ai/api/docs#tag/executions)
+
+## Examples and Tutorials
+
+Discover example projects and tutorials to help you get started and build upon provided examples:
+
+- [Example Projects](https://github.com/julep-ai/julep/tree/main/examples)
+- [Tutorials](https://docs.julep.ai/tutorials)
----
## Contributing
-We welcome contributions from the community to help improve and expand the Julep AI platform. Please see our [Contributing Guidelines](CONTRIBUTING.md) for more information on how to get started.
----
+We welcome contributions to the project! Learn how to contribute and our code of conduct:
+
+- [Contributing Guidelines](https://github.com/julep-ai/julep/blob/main/CONTRIBUTING.md)
+- [Code of Conduct](https://github.com/julep-ai/julep/blob/main/CODE_OF_CONDUCT.md)
+
+## Support and Community
+
+Join our community to get help, ask questions, and share your ideas:
+
+- [Discord](https://discord.com/invite/JTSBGRZrzj)
+- [GitHub Discussions](https://github.com/julep-ai/julep/discussions)
+- [Twitter](https://twitter.com/julep_ai)
+
## License
-Julep AI is released under the Apache 2.0 License. See the [LICENSE](LICENSE) file for more details.
----
-## Contact and Support
-If you have any questions, need assistance, or want to get in touch with the Julep AI team, please use the following channels:
+This project is licensed under the [Apache License 2.0](https://github.com/julep-ai/julep/blob/main/LICENSE).
+
+## Acknowledgements
-- [Discord](https://discord.com/invite/JTSBGRZrzj): Join our community forum to discuss ideas, ask questions, and get help from other Julep AI users and the development team.
-- GitHub Issues: For technical issues, bug reports, and feature requests, please open an issue on the Julep AI GitHub repository.
-- Email Support: If you need direct assistance from our support team, send an email to hey@julep.ai, and we'll get back to you as soon as possible.
-- Follow for updates on [X](https://twitter.com/julep_ai) & [LinkedIn](https://www.linkedin.com/company/julep-ai/)
-- [Hop on a call](https://cal.com/ishitaj/15min): We wanna know what you're building and how we can tweak and tune Julep to help you build your next AI app.
+We would like to express our gratitude to all contributors and the open-source community for their valuable resources and contributions.
\ No newline at end of file
diff --git a/docs/SUMMARY.md b/docs/SUMMARY.md
index 62282dcfb..85a3f43b3 100644
--- a/docs/SUMMARY.md
+++ b/docs/SUMMARY.md
@@ -2,53 +2,49 @@
## ✨ Concepts
-* [Introduction](README.md)
+* [Introduction](introduction/overview.md)
+ * [Getting Started](introduction/getting_started.md)
* [🤖 Agents](concepts/agents.md)
* [🙎 Users](concepts/users.md)
* [🔁 Sessions](concepts/sessions/README.md)
- * [Adaptive Context ᴺᴱᵂ](concepts/sessions/adaptive-context.md)
+ * [Adaptive Context](concepts/sessions/adaptive-context.md)
* [📖 Documents](concepts/documents.md)
## 📖 Guides
-* [(Quickstart) Build a Basic Agent](guides/quickstart.md)
-* [Self-hosting Julep](guides/self-hosting.md)
-* [Build a Retrieval Augmented Generation (RAG) Agent](guides/build-a-retrieval-augmented-generation-rag-agent.md)
-* [Use Julep with Composio](guides/use-julep-with-composio.md)
-* [Image + Text with GPT-4o](guides/image-+-text-with-gpt-4o.md)
+* [How-to Guides](how-to-guides/README.md)
+ * [Customizing Tasks](how-to-guides/customizing_tasks.md)
+ * [Handling Executions](how-to-guides/handling_executions.md)
+ * [Managing Users](how-to-guides/managing_users.md)
+ * [Using Chat Features](how-to-guides/using_chat_features.md)
+* [Tutorials](tutorials/README.md)
+ * [Creating Your First Agent](tutorials/creating_your_first_agent.md)
+ * [Integrating Tools](tutorials/integrating_tools.md)
+ * [Managing Sessions](tutorials/managing_sessions.md)
+
+## 🧠 Explanation
+
+* [Core Concepts](explanation/core_concepts.md)
+* [Task Workflows](explanation/task_workflows.md)
+* [Chat Features](explanation/chat_features.md)
+* [Context Overflow](explanation/context_overflow.md)
+* [Default System Template](explanation/default_system_template.md)
+* [Execution State Machine](explanation/execution_state_machine.md)
+* [Metadata Precedence](explanation/metadata_precedence.md)
+* [Multi-Agent Sessions](explanation/multi_agent_sessions.md)
+* [Tool Integration](explanation/tool_integration.md)
## 🧑🍳 Cookbooks
* [Example Apps](cookbooks/example-apps.md)
-## 📖 API REFERENCE
-
-* [Python SDK](python-sdk-docs/README.md)
- * [Client](python-sdk-docs/julep/client.md)
- * [Agents](python-sdk-docs/julep/managers/agent.md)
- * [Users](python-sdk-docs/julep/managers/user.md)
- * [Sessions](python-sdk-docs/julep/managers/session.md)
- * [Memories](python-sdk-docs/julep/managers/memory.md)
- * [Docs](python-sdk-docs/julep/managers/doc.md)
- * [Tools](python-sdk-docs/julep/managers/tool.md)
- * [API](python-sdk-docs/julep/api/client.md)
-* [JS SDK](js-sdk-docs/README.md)
- * [API](js-sdk-docs/modules/api.md)
- * [Client](js-sdk-docs/classes/api\_JulepApiClient.JulepApiClient.md)
- * [Agent](js-sdk-docs/classes/managers\_agent.AgentsManager.md)
- * [Doc](js-sdk-docs/classes/managers\_doc.DocsManager.md)
- * [Memory](js-sdk-docs/classes/managers\_memory.MemoriesManager.md)
- * [Session](js-sdk-docs/classes/managers\_session.SessionsManager.md)
- * [Tool](js-sdk-docs/classes/managers\_tool.ToolsManager.md)
- * [User](js-sdk-docs/classes/managers\_user.UsersManager.md)
-* [Agents API](api-reference/agents-api/README.md)
- * [Agents](api-reference/agents-api/agents-api.md)
- * [Users](api-reference/agents-api/agents-api-1.md)
- * [Sessions](api-reference/agents-api/agents-api-2.md)
- * [Memories](api-reference/agents-api/agents-api-3.md)
- * [Docs](api-reference/agents-api/agents-api-4.md)
- * [Tasks](api-reference/agents-api/agents-api-5.md)
- * [Task Runs](api-reference/agents-api/agents-api-6.md)
+## 📖 API Reference
+
+* [Agent Endpoints](reference/api_endpoints/agent_endpoints.md)
+* [User Endpoints](reference/api_endpoints/user_endpoints.md)
+* [Session Endpoints](reference/api_endpoints/session_endpoints.md)
+* [Document Endpoints](reference/api_endpoints/doc_endpoints.md)
+* [Tool Endpoints](reference/api_endpoints/tool_endpoints.md)
***
@@ -56,4 +52,4 @@
* [⭐ Github](https://github.com/julep-ai/julep)
* [🐍 PyPI package](https://pypi.org/project/julep/)
* [📦 npm package](https://www.npmjs.com/package/@julep/sdk)
-* [📫 Postman Collection](https://god.gw.postman.com/run-collection/33213061-a0a1e3a9-9681-44ae-a5c2-703912b32336?action=collection%2Ffork\&source=rip\_markdown\&collection-url=entityId%3D33213061-a0a1e3a9-9681-44ae-a5c2-703912b32336%26entityType%3Dcollection%26workspaceId%3D183380b4-f2ac-44ef-b018-1f65dfc8256b)
+* [📫 Postman Collection](https://god.gw.postman.com/run-collection/33213061-a0a1e3a9-9681-44ae-a5c2-703912b32336?action=collection%2Ffork\&source=rip_markdown\&collection-url=entityId%3D33213061-a0a1e3a9-9681-44ae-a5c2-703912b32336%26entityType%3Dcollection%26workspaceId%3D183380b4-f2ac-44ef-b018-1f65dfc8256b)
diff --git a/docs/agent-studio/agents-playground.md b/docs/agent-studio/agents-playground.md
deleted file mode 100644
index 86807ea8c..000000000
--- a/docs/agent-studio/agents-playground.md
+++ /dev/null
@@ -1,5 +0,0 @@
-# Agents Playground
-
-{% hint style="info" %}
-**Coming soon.**
-{% endhint %}
diff --git a/docs/agent-studio/playground.md b/docs/agent-studio/playground.md
deleted file mode 100644
index aefdc59ed..000000000
--- a/docs/agent-studio/playground.md
+++ /dev/null
@@ -1,65 +0,0 @@
----
-description: Model Playground for testing the API
----
-
-# Model Playground
-
-## Introduction
-
-This guide will walk you through the process of utilizing the Model Playground for the Samantha model. This tool allows you to interact with a powerful language model, generating text based on your inputs.
-
-***
-
-## Signing up
-
-To begin using the Model Playground, you must first sign up for an account. Follow these steps:
-
-1. Visit the [Model Playground platform](http://platform.julep.ai).
-2. Click on the "Sign in With google" button.
-
-## Navigating the Dashboard
-
-
-
-After logging in, you will be directed to the dashboard. Here, you can find various options and features available to you. Take some time to familiarize yourself with the layout and navigation.
-
-## Using Model Playground
-
-The Model Playground allows you to interact with Samantha. Follow these steps to effectively utilize it:
-
-
-
-
-
-1. Select parameters such as temperature, max tokens and top p.
-2. Inputting text prompts
- 1. In the provided text boxes, you can modify the user name, assistant name and situation.
- 2. Click on "Add Message", select the message role, and input the prompt message
-3. Interpreting output
- 1. Once you've inputted your prompt, click on the "Submit" button.
- 2. The model will then generate text based on your prompt and parameters.
-
-## Using the "continue" feature
-
-
-
-
-
-1. To use the "continue" feature, select either the assistant or thought roles.
-2. Enter a prompt that you want to the model to fill.
-3. Click on the "Submit" button and the model will fill out the rest.
-
-## Copying and Sharing Results
-
-
-
-
-
-If you're satisfied with the generated text, you can copy the code for use in your codebases or share it with others.+
-
-1. Click on the "Get code" button or the "Share" button on the top left side.
-2. Click on "Copy"
-
-## Conclusion
-
-Congratulations! You've successfully learned how to use the Model Playground for an Samantha. Continue exploring and experimenting with different prompts and parameters to unlock the full potential of this powerful tool.
diff --git a/docs/api-reference/agents-api/README.md b/docs/api-reference/README.md
similarity index 100%
rename from docs/api-reference/agents-api/README.md
rename to docs/api-reference/README.md
diff --git a/docs/api-reference/agents-api/agents-api-1.md b/docs/api-reference/agents-api-1.md
similarity index 100%
rename from docs/api-reference/agents-api/agents-api-1.md
rename to docs/api-reference/agents-api-1.md
diff --git a/docs/api-reference/agents-api/agents-api-2.md b/docs/api-reference/agents-api-2.md
similarity index 100%
rename from docs/api-reference/agents-api/agents-api-2.md
rename to docs/api-reference/agents-api-2.md
diff --git a/docs/api-reference/agents-api/agents-api-3.md b/docs/api-reference/agents-api-3.md
similarity index 100%
rename from docs/api-reference/agents-api/agents-api-3.md
rename to docs/api-reference/agents-api-3.md
diff --git a/docs/api-reference/agents-api/agents-api-4.md b/docs/api-reference/agents-api-4.md
similarity index 100%
rename from docs/api-reference/agents-api/agents-api-4.md
rename to docs/api-reference/agents-api-4.md
diff --git a/docs/api-reference/agents-api/agents-api-5.md b/docs/api-reference/agents-api-5.md
similarity index 100%
rename from docs/api-reference/agents-api/agents-api-5.md
rename to docs/api-reference/agents-api-5.md
diff --git a/docs/api-reference/agents-api/agents-api-6.md b/docs/api-reference/agents-api-6.md
similarity index 100%
rename from docs/api-reference/agents-api/agents-api-6.md
rename to docs/api-reference/agents-api-6.md
diff --git a/docs/api-reference/agents-api/agents-api.md b/docs/api-reference/agents-api.md
similarity index 100%
rename from docs/api-reference/agents-api/agents-api.md
rename to docs/api-reference/agents-api.md
diff --git a/docs/api-reference/model-api.md b/docs/api-reference/model-api.md
deleted file mode 100644
index 473e32eac..000000000
--- a/docs/api-reference/model-api.md
+++ /dev/null
@@ -1,8 +0,0 @@
-# Model API
-
-* [Chat Completions](model-api/model-api.md): Chat completion generates responses from conversations (JSON lists).
-* [Completions](model-api/model-api-1.md) (Advanced): Access to the underlying model in raw chatml format. Meant only for advanced users.
-
-{% hint style="success" %}
-The API is compatible with the [OpenAI API](https://beta.openai.com/docs/api-reference/introduction) and can be used as a drop-in replacement with its clients.
-{% endhint %}
diff --git a/docs/api-reference/model-api/generation-parameters.md b/docs/api-reference/model-api/generation-parameters.md
deleted file mode 100644
index a597ead58..000000000
--- a/docs/api-reference/model-api/generation-parameters.md
+++ /dev/null
@@ -1,69 +0,0 @@
-# Generation Parameters
-
-Below is a detailed explanation of the request parameters you can use when making API calls to the Model API. For each parameter, we'll provide a recommendation for both high and low values.
-
-### Request Body Parameters Guide
-
-1. **model** (string, Required):
- * Represents the model to be used for the chat conversation.
- * `"julep-ai/samantha-1-turbo"`
-2. **messages** (array, Required):
- * Contains the conversation messages exchanged between user, assistant, and system.
- * Each message has a role, content, and optional name and function\_call.
- * Recommendation: Include conversation messages in an array following the provided structure.
-3. **functions** (array, Optional):
- * Specifies functions the model can generate JSON inputs for.
- * Each function has a name, description, and parameters.
- * Recommendation: Provide function details if applicable to your conversation.
-4. **function\_call** (string or object, Optional):
- * Determines the model's response to function calls.
- * Options: "none" (user response), "auto" (user or function response), or `{"name": "my_function"}` (specific function).
- * Recommendation: Use "none" if no functions are present, "auto" if functions exist, or specify a function.
-5. **temperature** (number, Optional):
- * Controls randomness in output. Higher values (e.g., 1.0) make output more random, lower values (e.g., 0.2) make it more focused and deterministic.
- * Range: 0 to 2.
- * Default: 1.
- * Recommendation: High value for creative responses, low value for controlled responses.
-6. **top\_p** (number, Optional):
- * Implements nucleus sampling by considering tokens with top\_p probability mass.
- * Higher values (e.g., 0.8) allow more diverse responses, lower values (e.g., 0.2) make responses more focused.
- * Range: 0 to 1.
- * Default: 1.
- * Recommendation: Values around 0.8 maintain coherence with some randomness.
-7. **n** (integer, Optional):
- * Specifies the number of response options generated for each input message.
- * Range: Any positive integer.
- * Default: 1.
- * Recommendation: Typically use 1 for most cases.
-8. **stream** (boolean, Optional):
- * If true, sends partial message deltas as server-sent events like ChatGPT.
- * Default: false.
-9. **stop** (string or array, Optional):
- * Indicates sequences where the API should stop generating tokens.
- * Default: null.
- * Recommendation: Use custom strings to guide response length and depth of content.
-10. **max\_tokens** (integer, Optional):
- * Sets the maximum number of tokens generated in a response.
- * Range: Any positive integer.
- * Default: Infinity.
- * Recommendation: Set a specific value to control response length.
-11. **presence\_penalty** (number, Optional):
- * Adjusts likelihood of tokens based on their appearance in the conversation.
- * Higher values (e.g., 1.5) encourage introducing new topics, lower values (e.g., -0.5) maintain current context.
- * Range: -2.0 to 2.0.
- * Default: 0.
- * Recommendation: Positive values encourage introducing new topics.
-12. **frequency\_penalty** (number, Optional):
- * Adjusts likelihood of tokens based on their frequency in the conversation.
- * Higher values (e.g., 1.5) discourage repetition, lower values (e.g., -0.5) promote more repetition.
- * Range: -2.0 to 2.0.
- * Default: 0.
- * Recommendation: Positive values discourage repetition.
-13. **logit\_bias** (map, Optional):
- * Modifies likelihood of specific tokens appearing in the response.
- * Default: null.
- * Recommendation: Use for customizing language or emphasizing certain phrases.
-14. **user** (string, Optional):
- * Represents an end-user identifier for monitoring and abuse detection.
- * Default: null.
- * Recommendation: Include a unique user identifier for better context.
diff --git a/docs/api-reference/model-api/model-api-1.md b/docs/api-reference/model-api/model-api-1.md
deleted file mode 100644
index 17b562aed..000000000
--- a/docs/api-reference/model-api/model-api-1.md
+++ /dev/null
@@ -1,13 +0,0 @@
-# Completions (Advanced)
-
-Our models are available behind a REST API. You can use this API to generate completions for your own applications.
-
-The API is compatible with the [OpenAI API](https://beta.openai.com/docs/api-reference/introduction) and can be used as a drop-in replacement with its clients.
-
-## Completions API
-
-Creates a completion for the provided prompt and parameters.
-
-{% swagger src="../../.gitbook/assets/model-openapi.yaml" path="/completions" method="post" expanded="true" %}
-[model-openapi.yaml](../../.gitbook/assets/model-openapi.yaml)
-{% endswagger %}
diff --git a/docs/api-reference/model-api/model-api.md b/docs/api-reference/model-api/model-api.md
deleted file mode 100644
index 4ab85bafc..000000000
--- a/docs/api-reference/model-api/model-api.md
+++ /dev/null
@@ -1,13 +0,0 @@
-# Chat Completions
-
-Our models are available behind a REST API. You can use this API to generate completions for your own applications.
-
-The API is compatible with the [OpenAI API](https://beta.openai.com/docs/api-reference/introduction) and can be used as a drop-in replacement with its clients.
-
-## Chat Completions API
-
-Given a list of messages comprising a conversation, the model will return a response.
-
-{% swagger src="../../.gitbook/assets/model-openapi.yaml" path="/chat/completions" method="post" expanded="true" %}
-[model-openapi.yaml](../../.gitbook/assets/model-openapi.yaml)
-{% endswagger %}
diff --git a/docs/explanation/chat_features.md b/docs/explanation/chat_features.md
new file mode 100644
index 000000000..a3e4bf0eb
--- /dev/null
+++ b/docs/explanation/chat_features.md
@@ -0,0 +1,68 @@
+# Chat Features in Julep
+
+Julep provides a robust chat system with various features for dynamic interaction with agents. Here's an overview of the key components and functionalities:
+
+## Chat Input
+
+When sending a request to the chat endpoint, you can include:
+
+1. **Messages**: An array of input messages representing the conversation so far.
+2. **Tools**: (Advanced) Additional tools provided for this specific interaction.
+3. **Tool Choice**: Specifies which tool the agent should use.
+4. **Memory Access Options**: Controls how the session accesses history and memories.
+5. **Chat Settings**: Various settings to control the behavior of the chat.
+
+## Chat Settings
+
+Chat settings allow fine-grained control over the generation process:
+
+- `model`: Identifier of the model to be used.
+- `stream`: Indicates if the server should stream the response as it's generated.
+- `stop`: Up to 4 sequences where the API will stop generating further tokens.
+- `seed`: For deterministic sampling.
+- `max_tokens`: The maximum number of tokens to generate.
+- `logit_bias`: Modify the likelihood of specified tokens appearing in the completion.
+- `response_format`: Control the format of the response (e.g., JSON object).
+- `agent`: Agent ID to use (for multi-agent sessions).
+
+Additional settings include `temperature`, `top_p`, `frequency_penalty`, and `presence_penalty`.
+
+## Chat Response
+
+The chat response can be either streamed or returned as a complete message:
+
+1. **Streamed Response**:
+ - Content-Type: `text/event-stream`
+ - Body: A stream of `ChatOutputChunk` objects.
+
+2. **Complete Response**:
+ - Content-Type: `application/json`
+ - Body: A `MessageChatResponse` object containing the full generated message(s).
+
+Both response types include:
+- `usage`: Token usage statistics.
+- `jobs`: Background job IDs spawned from this interaction.
+- `docs`: Documents referenced for this request (for citation purposes).
+
+## Finish Reasons
+
+The API provides information about why the model stopped generating tokens:
+
+- `stop`: Natural stop point or provided stop sequence reached.
+- `length`: Maximum number of tokens specified in the request was reached.
+- `content_filter`: Content was omitted due to a flag from content filters.
+- `tool_calls`: The model called a tool.
+
+## Advanced Features
+
+1. **Tool Integration**: The chat API allows for the use of tools, enabling the agent to perform actions or retrieve information during the conversation.
+
+2. **Multi-agent Sessions**: You can specify different agents within the same session using the `agent` parameter in the chat settings.
+
+3. **Response Formatting**: Control the output format, including options for JSON responses with specific schemas.
+
+4. **Memory and Recall**: Configure how the session accesses and stores conversation history and memories.
+
+5. **Document References**: The API returns information about documents referenced during the interaction, useful for providing citations or sources.
+
+These features provide developers with a powerful and flexible system for creating sophisticated, context-aware chat interactions that integrate seamlessly with other Julep components.
\ No newline at end of file
diff --git a/docs/explanation/context_overflow.md b/docs/explanation/context_overflow.md
new file mode 100644
index 000000000..5176db2dc
--- /dev/null
+++ b/docs/explanation/context_overflow.md
@@ -0,0 +1,20 @@
+# Context Overflow Handling in Julep
+
+Julep provides mechanisms to handle scenarios where the context size grows beyond the `token_budget` or the model's input limit. The behavior is determined by the `context_overflow` setting:
+
+1. `null` (default):
+ - Raises an exception
+ - The client is responsible for creating a new session or clearing the history for the current one
+
+2. `"truncate"`:
+ - Truncates the context from the top, except for the system prompt
+ - Continues truncating until the size falls below the budget
+ - Raises an error if the system prompt and last message combined exceed the budget
+
+3. `"adaptive"`:
+ - When the context size reaches 75% of the `token_budget`, a background task is created
+ - This task compresses the information by summarizing, merging, and clipping messages in the context
+ - Operates on a best-effort basis
+ - Requests might fail if the context wasn't compressed enough or on time
+
+By offering these options, Julep allows developers to choose the most appropriate strategy for handling context overflow in their applications, balancing between maintaining conversation history and staying within model limits.
\ No newline at end of file
diff --git a/docs/explanation/core_concepts.md b/docs/explanation/core_concepts.md
new file mode 100644
index 000000000..a291aeedf
--- /dev/null
+++ b/docs/explanation/core_concepts.md
@@ -0,0 +1,46 @@
+# Core Concepts in Julep
+
+Julep is a powerful backend system for managing agent execution. It provides several key components that work together to create flexible and intelligent applications. Here are the core concepts:
+
+## Agent
+
+An Agent in Julep is the main orchestrator of your application. Agents are backed by foundation models like GPT4 or Claude and use interaction history to determine their next actions. Key features include:
+
+- Long-lived interactions in sessions
+- Integration with system or user-defined tools
+- Access to agent-level documents for auto-retrieval
+- Ability to define and execute multi-step workflows (tasks)
+
+## User
+
+Users in Julep can be associated with sessions. They are used to scope memories formed by agents and can hold metadata for reference in sessions or task executions.
+
+## Session
+
+Sessions are the main workhorse for Julep apps:
+- They facilitate interactions with agents
+- Each session maintains its own context
+- Can have one or more agents and zero or more users
+- Allows control over context overflow handling
+
+## Tool
+
+Tools in Julep are programmatic interfaces that foundation models can "call" with inputs to achieve a goal. They can be:
+1. User-defined functions
+2. System tools (upcoming)
+3. Built-in integrations (upcoming)
+4. Webhooks & API calls (upcoming)
+
+## Doc
+
+Docs are collections of text snippets (with planned image support) indexed into a built-in vector database. They can be scoped to an agent or a user and are automatically recalled in sessions when relevant.
+
+## Task
+
+Tasks in Julep are Github Actions-style workflows that define long-running, multi-step actions. They allow for complex operations by defining steps and have access to all Julep integrations.
+
+## Execution
+
+An Execution is an instance of a Task that has been started with some input. It can be in various states (e.g., queued, running, awaiting input, succeeded, failed) and follows a specific state transition model.
+
+These core concepts form the foundation of Julep's functionality, allowing for the creation of sophisticated, context-aware applications with powerful agent capabilities.
\ No newline at end of file
diff --git a/docs/explanation/default_system_template.md b/docs/explanation/default_system_template.md
new file mode 100644
index 000000000..3d0f5d272
--- /dev/null
+++ b/docs/explanation/default_system_template.md
@@ -0,0 +1,71 @@
+# Default System Template in Julep
+
+Julep uses a default system template for sessions when a custom one is not provided. This template is written in Jinja2 and incorporates various elements from the agent, user, and session context. Here's a breakdown of the template:
+
+```jinja
+{%- if agent.name -%}
+You are {{agent.name}}.{{" "}}
+{%- endif -%}
+
+{%- if agent.about -%}
+About you: {{agent.name}}.{{" "}}
+{%- endif -%}
+
+{%- if user -%}
+You are talking to a user
+ {%- if user.name -%}{{" "}} and their name is {{user.name}}
+ {%- if user.about -%}. About the user: {{user.about}}.{%- else -%}.{%- endif -%}
+ {%- endif -%}
+{%- endif -%}
+
+{{"\n\n"}}
+
+{%- if agent.instructions -%}
+Instructions:{{"\n"}}
+ {%- if agent.instructions is string -%}
+ {{agent.instructions}}{{"\n"}}
+ {%- else -%}
+ {%- for instruction in agent.instructions -%}
+ - {{instruction}}{{"\n"}}
+ {%- endfor -%}
+ {%- endif -%}
+ {{"\n"}}
+{%- endif -%}
+
+{%- if tools -%}
+Tools:{{"\n"}}
+ {%- for tool in tools -%}
+ {%- if tool.type == "function" -%}
+ - {{tool.function.name}}
+ {%- if tool.function.description -%}: {{tool.function.description}}{%- endif -%}{{"\n"}}
+ {%- else -%}
+ - {{ 0/0 }} {# Error: Other tool types aren't supported yet. #}
+ {%- endif -%}
+ {%- endfor -%}
+{{"\n\n"}}
+{%- endif -%}
+
+{%- if docs -%}
+Relevant documents:{{"\n"}}
+ {%- for doc in docs -%}
+ {{doc.title}}{{"\n"}}
+ {%- if doc.content is string -%}
+ {{doc.content}}{{"\n"}}
+ {%- else -%}
+ {%- for snippet in doc.content -%}
+ {{snippet}}{{"\n"}}
+ {%- endfor -%}
+ {%- endif -%}
+ {{"---"}}
+ {%- endfor -%}
+{%- endif -%}
+```
+
+This template dynamically includes:
+1. Agent information (name and description)
+2. User information (if present)
+3. Agent instructions
+4. Available tools
+5. Relevant documents
+
+By using this template, Julep ensures that each session starts with a comprehensive context, allowing the agent to understand its role, the user it's interacting with, and the resources at its disposal.
\ No newline at end of file
diff --git a/docs/explanation/execution_state_machine.md b/docs/explanation/execution_state_machine.md
new file mode 100644
index 000000000..9acd2ccaf
--- /dev/null
+++ b/docs/explanation/execution_state_machine.md
@@ -0,0 +1,73 @@
+# Execution State Machine in Julep
+
+In Julep, an Execution represents an instance of a Task that has been started with some input. The Execution follows a specific state machine model, ensuring consistent and predictable behavior throughout its lifecycle.
+
+## Execution States
+
+An Execution can be in one of the following states:
+
+1. **queued**: The execution is waiting to start
+2. **starting**: The execution is in the process of starting
+3. **running**: The execution is actively running
+4. **awaiting_input**: The execution is suspended and waiting for input to resume
+5. **succeeded**: The execution has completed successfully
+6. **failed**: The execution has failed
+7. **cancelled**: The execution has been cancelled by the user
+
+## State Transitions
+
+The valid transitions between execution states are as follows:
+
+- `queued` → `starting`
+- `starting` → `running`, `awaiting_input`, `cancelled`, `succeeded`, `failed`
+- `running` → `running`, `awaiting_input`, `cancelled`, `succeeded`, `failed`
+- `awaiting_input` → `running`, `cancelled`
+- `cancelled`, `succeeded`, `failed` → (terminal states, no further transitions)
+
+## Transition Types
+
+Executions can go through various transition types:
+
+- `init`: Initializes the execution
+- `init_branch`: Starts a new branch in the execution
+- `finish`: Completes the execution successfully
+- `finish_branch`: Completes a branch in the execution
+- `wait`: Pauses the execution, waiting for input
+- `resume`: Resumes a paused execution
+- `error`: Indicates an error occurred
+- `step`: Represents a step in the execution process
+- `cancelled`: Indicates the execution was cancelled
+
+## State Machine Diagram
+
+```mermaid
+stateDiagram-v2
+ [*] --> queued
+ queued --> starting
+ queued --> cancelled
+ starting --> cancelled
+ starting --> failed
+ starting --> running
+ running --> running
+ running --> awaiting_input
+ running --> cancelled
+ running --> failed
+ running --> succeeded
+ awaiting_input --> running
+ awaiting_input --> cancelled
+
+ %% Added transitions for branching
+ running --> init_branch : init_branch
+ init_branch --> waiting : wait
+ init_branch --> cancelled : cancelled
+ init_branch --> finish_branch : finish_branch
+ finish_branch --> running : resume
+
+ %% Updated terminal states
+ cancelled --> [*]
+ succeeded --> [*]
+ failed --> [*]
+ finish_branch --> [*]
+```
+
+This state machine ensures that executions in Julep follow a consistent and predictable flow, allowing for complex workflows while maintaining clear status tracking. It provides a robust framework for managing long-running tasks, handling interruptions, and recovering from failures.
\ No newline at end of file
diff --git a/docs/explanation/metadata_precedence.md b/docs/explanation/metadata_precedence.md
new file mode 100644
index 000000000..f704b1373
--- /dev/null
+++ b/docs/explanation/metadata_precedence.md
@@ -0,0 +1,23 @@
+# Metadata Precedence in Julep
+
+In Julep, several objects can have `metadata` added to them:
+- Agent
+- User
+- Session
+- Doc
+- Task
+- Execution
+
+When multiple objects with the same `metadata` field are present in a scope, the value takes the following precedence (from highest to lowest):
+
+## In a session:
+1. Session
+2. User
+3. Agent
+
+## During a task execution:
+1. Execution
+2. Task
+3. Agent
+
+This precedence order ensures that more specific contexts (like a particular session or execution) can override more general settings, while still allowing for default values to be set at higher levels.
\ No newline at end of file
diff --git a/docs/explanation/multi_agent_sessions.md b/docs/explanation/multi_agent_sessions.md
new file mode 100644
index 000000000..b497c0fd2
--- /dev/null
+++ b/docs/explanation/multi_agent_sessions.md
@@ -0,0 +1,44 @@
+# Multi-Agent Sessions in Julep
+
+Julep supports different types of sessions based on the number of agents and users involved. This flexibility allows for complex interactions and use cases.
+
+## Types of Sessions
+
+1. Single agent:
+ - No user
+ - Single user
+ - Multiple users
+
+2. Multiple agents:
+ - No user
+ - Single user
+ - Multiple users
+
+## Behavior in Multi-Agent/User Sessions
+
+### User Behavior
+
+- **No user**:
+ - No user data is retrieved
+ - (Upcoming) Memories are not mined from the session
+
+- **One or more users**:
+ - Docs, metadata, memories, etc. are retrieved for all users in the session
+ - Messages can be added for each user by referencing them by name in the `ChatML` messages
+ - (Upcoming) Memories mined in the background are added to the corresponding user's scope
+
+### Agent Behavior
+
+- **One agent**:
+ - Works as expected
+
+- **Multiple agents**:
+ - When a message is received by the session, each agent is called one after another in the order they were defined in the session
+ - You can specify which `agent` to use in a request, in which case, only that agent will be used
+
+This multi-agent/user capability allows for sophisticated scenarios such as:
+- Collaborative problem-solving with multiple AI agents
+- Group conversations with multiple users and agents
+- Specialized agents working together on complex tasks
+
+By supporting these various configurations, Julep provides a flexible framework for building diverse and powerful AI applications.
\ No newline at end of file
diff --git a/docs/explanation/task_workflows.md b/docs/explanation/task_workflows.md
new file mode 100644
index 000000000..7c77ff686
--- /dev/null
+++ b/docs/explanation/task_workflows.md
@@ -0,0 +1,95 @@
+# Task Workflows in Julep
+
+Tasks in Julep are powerful, Github Actions-style workflows that define long-running, multi-step actions. They allow for complex operations by defining steps and have access to all Julep integrations.
+
+## Task Structure
+
+A Task consists of:
+
+- `name`: The name of the task (required for creation)
+- `description`: A description of the task
+- `main`: The main workflow steps (required, minimum 1 item)
+- `input_schema`: JSON schema to validate input when executing the task
+- `tools`: Additional tools specific to this task
+- `inherit_tools`: Whether to inherit tools from the parent agent
+
+## Workflow Steps
+
+Tasks can include various types of workflow steps:
+
+1. **Tool Call**: Runs a specified tool with given arguments
+2. **Prompt**: Runs a prompt using a model
+3. **Evaluate**: Runs Python expressions and uses the result as output
+4. **Wait for Input**: Suspends execution and waits for user input
+5. **Log**: Logs information during workflow execution
+6. **Embed**: Embeds text for semantic operations
+7. **Search**: Searches for documents in the agent's doc store
+8. **Set**: Sets a value in the workflow's key-value store
+9. **Get**: Retrieves a value from the workflow's key-value store
+10. **Foreach**: Runs a step for every value from a list in serial order
+11. **Map-reduce**: Runs a step for every value of the input list in parallel
+12. **Parallel**: Executes multiple steps in parallel
+13. **Switch**: Executes different steps based on a condition
+14. **If-else**: Conditional step with then and else branches
+15. **Sleep**: Pauses the workflow execution for a specified time
+16. **Return**: Ends the current workflow and optionally returns a value
+17. **Yield**: Switches to another named workflow
+18. **Error**: Throws an error and exits the workflow
+
+## Example Task
+
+Here's an example of a daily motivation task:
+
+```yaml
+name: Daily Motivation
+description: Provides daily motivation based on user preferences
+input_schema:
+ type: object
+ properties:
+ about_user:
+ type: string
+ topics:
+ type: array
+ items:
+ type: string
+ user_email:
+ type: string
+ format: email
+ required: ["about_user", "topics", "user_email"]
+
+tools:
+- function:
+ name: send_email
+ description: Sends an email to the user
+ parameters:
+ type: object
+ properties:
+ subject:
+ type: string
+ content:
+ type: string
+ recipient:
+ type: string
+ required: ["subject", "content", "recipient"]
+
+main:
+- evaluate:
+ chosen_topic: _["topics"][randint(len(_["topics"]))]
+
+- prompt: You are a motivational coach and you are coaching someone who is {{inputs[0]["about_user"]}}. Think of the challenges they might be facing on the {{_["chosen_topic"]}} topic and what to do about them. Write down your answer as a bulleted list.
+
+- prompt: Write a short motivational poem about {{_["choices"][0].content}}
+
+- tool:
+ name: send_email
+ arguments:
+ subject: '"Daily Motivation"'
+ content: _["choices"][0].content
+
+- sleep: 24*3600
+
+- workflow: main
+ arguments: inputs[0]
+```
+
+This task demonstrates the power and flexibility of Julep's workflow system, allowing for complex, multi-step processes that can interact with various tools and models to achieve sophisticated outcomes.
\ No newline at end of file
diff --git a/docs/explanation/tool_integration.md b/docs/explanation/tool_integration.md
new file mode 100644
index 000000000..a0cfd4ae9
--- /dev/null
+++ b/docs/explanation/tool_integration.md
@@ -0,0 +1,67 @@
+# Tool Integration in Julep
+
+Julep provides a flexible system for integrating various types of tools that agents can use during interactions. These tools enable agents to perform actions, retrieve information, or interact with external systems.
+
+## Types of Tools
+
+1. **User-defined Functions**
+ - Function signatures that you provide to the model
+ - Similar to OpenAI's function-calling feature
+ - Example:
+ ```yaml
+ name: send_text_message
+ description: Send a text message to a recipient.
+ parameters:
+ type: object
+ properties:
+ to:
+ type: string
+ description: Phone number of recipient.
+ text:
+ type: string
+ description: Content of the message.
+ ```
+
+2. **System Tools** (upcoming)
+ - Built-in tools for calling Julep APIs
+ - Can trigger task executions, append to metadata fields, etc.
+ - Executed automatically when needed, no client-side action required
+
+3. **Built-in Integrations** (upcoming)
+ - Integrated third-party tools from providers like composio and anon
+ - Support planned for various langchain toolkits (Github, Gitlab, Gmail, Jira, MultiOn, Slack)
+ - Executed directly on the Julep backend
+ - Additional runtime parameters can be set in agent/session/user metadata
+
+4. **Webhooks & API Calls** (upcoming)
+ - Julep can build natural-language tools from OpenAPI specs
+ - Uses langchain's NLA toolkit under the hood
+ - Additional runtime parameters loaded from metadata fields
+
+## Partial Application of Arguments
+
+Julep allows for partial application of arguments to tools using the `x-tool-parameters` field in metadata. This is useful for fixing certain parameters for a tool. Example:
+
+```json
+{
+ "metadata": {
+ "x-tool-parameters": {
+ "function:check_account_status": {
+ "customer_id": 42
+ }
+ }
+ }
+}
+```
+
+## Resolving Parameters with the Same Name
+
+When multiple scopes (user, agent, session) define the same parameter, Julep follows a precedence order:
+
+1. Session
+2. User
+3. Agent
+
+This allows for flexible configuration of tools across different scopes while maintaining clear rules for parameter resolution.
+
+By providing these various tool integration options and configuration capabilities, Julep enables the creation of powerful and flexible agent-based applications that can interact with a wide range of external systems and data sources.
\ No newline at end of file
diff --git a/docs/faqs/README.md b/docs/faqs/README.md
deleted file mode 100644
index a4fde6f86..000000000
--- a/docs/faqs/README.md
+++ /dev/null
@@ -1,10 +0,0 @@
-# FAQs
-
-## Broad categories
-
-1. General Overview
-1. Getting Started
-1. Agent Design and Prototyping
-1. Memory and Learning
-1. Sessions and Tasks
-1. Technical Details
diff --git a/docs/faqs/agent-prototyping.md b/docs/faqs/agent-prototyping.md
deleted file mode 100644
index 418cc40bb..000000000
--- a/docs/faqs/agent-prototyping.md
+++ /dev/null
@@ -1,13 +0,0 @@
-# Agent Studio
-
-1. **What is the Agent Studio?**\
- The Agent Studio is a playground + prompt IDE for building agents in your browser before you integrate it in your application. It is designed to be user-friendly, allowing you to prototype agents using visual tools and pre-defined templates without needing to write code.\
-
-2. **How do I start designing an AI agent?**\
- Use the 'Create Agent' feature in the IDE to define your agent's purpose, capabilities, and the tools it will use. The platform guides you through setting parameters and writing initial prompts.\
-
-3. **What tools are available for agent prototyping?**\
- Julep AI offers tools like function\_call for structured input, webhooks for actions, built-in tools for document retrieval and search, and an API for integrating external services.\
-
-4. **What are the best practices for creating effective prompts?**\
- Keep prompts clear and concise, align them with your agent's intended functions, and iteratively refine them based on testing feedback to improve performance.
diff --git a/docs/getting-started/python-setup.md b/docs/getting-started/python-setup.md
deleted file mode 100644
index 4af5ba47b..000000000
--- a/docs/getting-started/python-setup.md
+++ /dev/null
@@ -1,309 +0,0 @@
----
-description: Get up and running with Julep AI's Model APIs.
----
-
-# Model Quickstart
-
-## Account setup
-
-This model is currently in [_Beta_.](#user-content-fn-1)[^1]\
-To get access to the model, [join the waitlist](https://www.julep.ai/).
-
-Once you have access to an API key, make sure to save it somewhere safe and do not share it with anyone.
-
-***
-
-## Setup
-
-### Installing the SDK
-
-{% tabs %}
-{% tab title="Python" %}
-#### Setup a virtual entironment
-
-To create a virtual environment, Python supplies a built in [venv module](https://docs.python.org/3/tutorial/venv.html) which provides the basic functionality needed for the virtual environment setup. Running the command below will create a virtual environment named "julep-env" inside the current folder you have selected in your terminal / command line:
-
-```sh
-python -m venv julep-env
-```
-
-Once you’ve created the virtual environment, you need to activate it. On Windows, run:
-
-```powershell
-julep-env\Scripts\activate
-```
-
-On Unix or MacOS, run:
-
-```bash
-source julep-env/bin/activate
-```
-
-#### **Install the Julep AI SDK**
-
-```bash
-pip install --upgrade julep
-```
-{% endtab %}
-
-{% tab title="Node" %}
-**Install the Julep AI SDK**
-
-```bash
-npm @julep/sdk
-```
-
-```bash
-yarn add @julep/sdk
-```
-
-```bash
-pnpm i @julep/sdk
-```
-{% endtab %}
-{% endtabs %}
-
-### **Configure the client**
-
-To send a request to Julep AI API, configure the `api_key` in the Julep client.
-
-{% tabs %}
-{% tab title="Python" %}
-{% code overflow="wrap" %}
-```python
-from julep import Client
-
-api_key = ""
-
-client = Client(api_key=api_key)
-```
-{% endcode %}
-{% endtab %}
-
-{% tab title="Node" %}
-```javascript
-const julep = require("@julep/sdk")
-
-const apiKey = "";
-
-const client = new julep.Client({ apiKey });
-```
-{% endtab %}
-{% endtabs %}
-
-***
-
-## **Making an API request**
-
-`samantha-1-turbo` supports two API formats, the Chat Completion API and Completion API.
-
-### Chat Completion API
-
-Construct your input messages for the conversation in the following format.
-
-
-
-{% tabs %}
-{% tab title="Python" %}
-
messages = [
- {
- "role": "system",
- "name": "situation",
- "content": "You are a Julia, an AI waiter. Your task is to help the guests decide their order.",
- },
- {
- "role": "system",
- "name": "information",
- "content": "You are talking to Diwank. He has ordered his soup. He is vegetarian.",
- },
- {
- "role": "system",
- "name": "thought",
- "content": "I should ask him more about his food preferences and choices.",
- },
-]
-
-{% endtab %}
-
-{% tab title="Node" %}
-
const messages = [
- {
- "role": "system",
- "name": "situation",
- "content": "You are a Julia, an AI waiter. Your task is to help the guests decide their order.",
- },
- {
- "role": "system",
- "name": "information",
- "content": "You are talking to Diwank. He has ordered his soup. He is vegetarian.",
- },
- {
- "role": "system",
- "name": "thought",
- "content": "I should ask him more about his food preferences and choices.",
- },
-]
-
-{% endtab %}
-{% endtabs %}
-
-Then, make a request to the chat completion endpoint. Given a prompt, the model will return one or more predicted completions and can also return the probabilities of alternative tokens at each position.
-
-
-
-{% tabs %}
-{% tab title="Python" %}
-```python
-chat_completion = client.chat.completions.create(
- model="julep-ai/samantha-1-turbo",
- seed=21,
- messages=messages,
- max_tokens=500,
- temperature=0.1
-)
-
-print(chat_completion.choices[0].message.content)
-```
-{% endtab %}
-
-{% tab title="Node" %}
-```javascript
-client.chat.completions.create({
- model: "julep-ai/samantha-1-turbo",
- seed: 21,
- messages: messages,
- max_tokens: 500,
- temperature: 0.1
-}).then(response => {
- console.log(response.choices[0].message.content);
-}).catch(error => {
- throw error
-});
-```
-{% endtab %}
-{% endtabs %}
-
-
-
-### Completion API
-
-Construct your prompt for the conversation in the following format.
-
-When using the **Completion API**, we use the ChatML framework to Chatml helps structure and organize conversations between humans and AI models. You can read more about [ChatML here](https://github.com/openai/openai-python/blob/main/chatml.md).
-
-A section of a ChatML prompt starts with a specific token,`<|im_start|>`and ends with another token, `<|im_end|>`. Below is an example of a prompt using ChatML with sections specific to using the Samantha models.
-
-Take note that for a conversation to take place between the user and assistant, the last message must have the `role` of `assistant`. The content should be empty and leave out the `<|im_end|>` tag at the end
-
-```python
-prompt = """
-<|im_start|>situation
-You are a Julia, an AI waiter. Your task is to help the guests decide their order.<|im_end|>
-<|im_start|>information
-You are talking to Diwank. He has ordered his soup. He is vegetarian.<|im_end|>
-<|im_start|>thought
-I should ask him more about his food preferences and choices.<|im_end|>
-assistant (Julia)
-"""
-```
-
-Then, make a request to the chat completion endpoint. Given a prompt, the model will return one or more predicted completions and can also return the probabilities of alternative tokens at each position.
-
-{% tabs %}
-{% tab title="Python" %}
-```python
-completion = client.completions.create(
- model="julep-ai/samantha-1-turbo",
- seed=21,
- prompt=prompt,
- max_tokens=500,
- temperature=0.1,
-)
-
-print(completion.choices[0].text)
-```
-{% endtab %}
-
-{% tab title="Node" %}
-```javascript
-client.completions.create({
- model: "julep-ai/samantha-1-turbo",
- seed: 21,
- prompt: prompt,
- max_tokens: 500,
- temperature: 0.1
-}).then(response => {
- console.log(completion.choices[0].text);
-}).catch(error => {
- throw error
-});
-```
-{% endtab %}
-{% endtabs %}
-
-### Creating a conversational bot
-
-Following is a primitive implementation of making a chatbot using the Julep API client.
-
-{% code overflow="wrap" %}
-```python
-from julep import Client
-
-api_key = "YOUR_API_KEY"
-client = Client(api_key=api_key)
-
-messages = [
- {
- "role": "system",
- "name": "situation",
- "content": "Your name is Jessica.\nYou are a stuck up Cali teenager.\nYou basically complain about everything.\nShowing rebellion is an evolutionary necessity for you.\n\nYou are talking to a random person.\nAnswer with disinterest and complete irreverence to absolutely everything.\nDon't write emotions. Keep your answers short.",
- }
-]
-
-name = input("Enter name: ")
-
-while True:
- user_content = input("User: ")
- messages.append({"role": "user", "name": name, "content": user_content})
- chat_completion = client.chat.completions.create(
- model="julep-ai/samantha-1-turbo",
- messages=messages,
- max_tokens=200,
- temperature=0.2,
- )
- response = chat_completion.choices[0].message.content
- print("Jessica: ", response)
- messages.append({"role": "assistant", "name": "Jessica", "content": response})
-```
-{% endcode %}
-
-***
-
-## curl
-
-### **Configure URL and API Key**
-
-Add the `JULEP_API_KEY` environment variables in your shell environment.
-
-```bash
-export JULEP_API_KEY='your-api-key'
-```
-
-### **Making the API request**
-
-```bash
-curl --location 'https://api-alpha.julep.ai/v1/completions' \
---header 'Authorization: Bearer $JULEP_API_KEY' \
---header 'Content-Type: application/json' \
---data '{
- "model": "julep-ai/samantha-1-turbo",
- "prompt": "\n<|im_start|>situation\nYou are a Julia, an AI waiter. Your task is to help the guests decide their order.<|im_end|>\n<|im_start|>information\nYou are talking to Diwank. He has ordered his soup. He is vegetarian.<|im_end|>\n<|im_start|>thought\nI should ask him more about his food preferences and choices.<|im_end|>\nassistant (Julia)",
- "max_tokens": 500,
- "temperature": 0.1,
- "seed": 21
- }' | jq '.choices[0].text'
-```
-
-***
-
-[^1]: It's not in beta thought right?
diff --git a/docs/guides/build-a-retrieval-augmented-generation-rag-agent.md b/docs/guides/build-a-retrieval-augmented-generation-rag-agent.md
deleted file mode 100644
index 329c32e0b..000000000
--- a/docs/guides/build-a-retrieval-augmented-generation-rag-agent.md
+++ /dev/null
@@ -1,165 +0,0 @@
----
-description: >-
- Using Julep, you can create a RAG Agent without having to play around with
- vector databases like ChromaDB, Weaviate etc.
----
-
-# Build a Retrieval Augmented Generation (RAG) Agent
-
-Julep offers a pre-built RAG pipeline out of the box. You can specify data sources scoped to an agent or a user.
-
-## Preview
-
-We'll build an Agent in _<50 lines of code_ that has context over a blog post: [LLM Powered Autonomous Agents](https://lilianweng.github.io/posts/2023-06-23-agent/) by Lilian Weng.
-
-```python
-from julep import Client
-import os, bs4
-from langchain_community.document_loaders import WebBaseLoader
-from langchain_text_splitters import RecursiveCharacterTextSplitter
-
-api_key = os.environ['API_KEY']
-base_url = os.environ['BASE_URL']
-
-client = Client(api_key=api_key, base_url=base_url)
-
-agent = client.agents.create(
- name="Archy",
- about="A self-aware agent who knows a lot about LLMs, autonomous and agentic apps.",
- model="gpt-4o",
- metadata={"name": "Archy"}
-)
-
-docs = WebBaseLoader(
- web_paths=("https://lilianweng.github.io/posts/2023-06-23-agent/",),
- bs_kwargs=dict(parse_only=bs4.SoupStrainer(class_=("post-content", "post-title", "post-header")))
-).load()
-
-splits = RecursiveCharacterTextSplitter(chunk_size=2000, chunk_overlap=100).split_documents(docs)
-
-for i, split in enumerate(splits):
- client.docs.create(
- agent_id=agent.id,
- doc={
- "title": "LLM Powered Autonomous Agents",
- "content": split.page_content,
- "metadata": {"chunk": i, **split.metadata},
- }
- )
-
-session = client.sessions.create(
- agent_id=agent.id,
- situation="You are Ahti. You know all about AI and Agents",
- metadata={"agent_id": agent.id}
-)
-
-response = client.sessions.chat(
- session_id=session.id,
- messages=[{"role": "user", "content": "What are autonomous agents?"}],
- max_tokens=4096
-)
-
-(response_content,), doc_ids = response.response[0], response.doc_ids
-print(f"{response_content.content}\n\nDocs used: {doc_ids}")
-```
-
-## Installation & Set-Up
-
-```python
-from julep import Client
-from dotenv import load_dotenv
-import os
-
-load_dotenv()
-
-client = Client(api_key=api_key, base_url=base_url)
-```
-
-## Creating an Agent
-
-```python
-agent = client.agents.create(
- name="Archy",
- about="A self aware agent who knows a lot about LLMs, autonomous and agentic apps.",
- model="gpt-4o",
- metadata={"name": "Ahti"},
-)
-```
-
-## Chunking
-
-You can also use your chunking strategy. We recommend playing with the chunking strategy for best results over your use case.
-
-> Different chunk sizes, strategies have varied results over the accuracy of your RAG Agent!
-
-```python
-## Downloading and splitting a webpage to add to docs
-from langchain_community.document_loaders import WebBaseLoader
-from langchain_text_splitters import RecursiveCharacterTextSplitter
-import bs4
-
-loader = WebBaseLoader(
- web_paths=("https://lilianweng.github.io/posts/2023-06-23-agent/",),
- bs_kwargs=dict(
- parse_only=bs4.SoupStrainer(
- class_=("post-content", "post-title", "post-header")
- )
- ),
-)
-docs = loader.load()
-text_splitter = RecursiveCharacterTextSplitter(chunk_size=2000, chunk_overlap=100)
-splits = text_splitter.split_documents(docs)
-```
-
-## Indexing/Adding Chunks
-
-Here the document is scoped to the agent, so it's the agent that has the context about this blog.
-
-It is also possible to scope a document to a user. This is particularly useful when there are different users and there's a document that needs to be added for each of them.
-
-```python
-for chunk_number, split in enumerate(splits):
- # Create a doc with the chunked content
- client.docs.create(
- agent_id=agent.id,
- doc={
- "title": "LLM Powered Autonomous Agents",
- "content": split.page_content,
- "metadata": {"chunk": chunk_number, **split.metadata},
- },
- )
-```
-
-## Create Session
-
-```python
-session = client.sessions.create(
- agent_id=agent.id,
- situation="You are Ahti. You know all about AI and Agents",
- metadata={"agent_id": agent.id},
-)
-```
-
-## Invoke Agent
-
-The `response` object also returns which `doc_ids` were used in generating a message.
-
-```python
-user_msg = "What are autonomous agents?"
-response = client.sessions.chat(
- session_id=session.id,
- messages=[
- {
- "role": "user",
- "content": user_msg,
- }
- ],
- max_tokens=4096,
- recall=True,
- remember=True,
-)
-
-# refer to doc_ids in the response
-print(f"{response.response[0][0].content}\n\n Docs used:{response.doc_ids}")
-```
-
diff --git a/docs/guides/image-+-text-with-gpt-4o.md b/docs/guides/image-+-text-with-gpt-4o.md
deleted file mode 100644
index be46bff35..000000000
--- a/docs/guides/image-+-text-with-gpt-4o.md
+++ /dev/null
@@ -1,95 +0,0 @@
-# Image + Text with GPT-4o
-
-Julep supports using GPT-4o (or GPT-4-Vision) for image input.
-
-## Setting Up an Agent and Session
-
-Initialize the Julep Client and create an Agent with `gpt-4o`.
-
-```python
-from julep import Client
-from dotenv import load_dotenv
-import os
-
-load_dotenv()
-
-api_key = os.environ["JULEP_API_KEY"]
-base_url = os.environ["JULEP_API_URL"]
-
-client = Client(api_key=api_key, base_url=base_url)
-
-agent = client.agents.create(
- name="XKCD Explainer",
- about="An XKCD Comic Explainer",
- model="gpt-4o",
- metadata={"name": "XKCD Explainer"},
-)
-session = client.sessions.create(
- agent_id=agent.id,
- situation="Your purpose in life is to explain XKCD Comics to n00bs",
- metadata={"agent": "XKCD Explainer"},
-)
-```
-
-## Sending an image
-
-> Make sure to follow the changed `content` object spec for sending in images.
-
-### Image as a URL
-
-```python
-res = client.sessions.chat(
- session_id=session.id,
- messages=[
- {
- "role": "user",
- "content": [
- {
- "type": "image_url",
- "image_url": {
- "url": "https://imgs.xkcd.com/comics/earth_like_exoplanet.png"
- },
- }
- ],
- }
- ],
- max_tokens=1024,
-)
-print(res.response[0][0].content)
-```
-
-### Image as a file (base64 encoded)
-
-```python
-IMAGE_PATH = "images/xkcd_little_bobby_tables.png"
-def encode_image(image_path: str):
- # check if the image exists
- if not os.path.exists(image_path):
- raise FileNotFoundError(f"Image file not found: {image_path}")
- with open(image_path, "rb") as image_file:
- return base64.b64encode(image_file.read()).decode('utf-8')
-
-base64_image = encode_image(IMAGE_PATH)
-
-
-res = client.sessions.chat(
- session_id=session.id,
- messages=[
- {
- "role": "user",
- "content": [
- {
- "type": "image_url",
- "image_url": {
- "url": f"data:image/png;base64,{base64_image}"
- },
- }
- ],
- }
- ],
- max_tokens=1024,
-)
-print(res.response[0][0].content)
-```
-
-\
diff --git a/docs/guides/quickstart.md b/docs/guides/quickstart.md
deleted file mode 100644
index 813ff4a4e..000000000
--- a/docs/guides/quickstart.md
+++ /dev/null
@@ -1,275 +0,0 @@
----
-description: >-
- Creating a Search Agent using GPT-4o that calls a Search & Read Post API and
- sets the appropriate filters and values.
----
-
-# (Quickstart) Build a Basic Agent
-
-## Getting Setup
-
-### Option 1: Install and run Julep locally
-
-Read the[self-hosting.md](self-hosting.md "mention") guide to learn more.
-
-### Option 2: Use the Julep Cloud
-
-* Generate an API key from [https://platform.julep.ai](https://platform.julep.ai)
-* Set your environment variables
-
-```bash
-export JULEP_API_KEY=
-export JULEP_API_URL=https://api-alpha.julep.ai/api
-```
-
-## 1. Installation
-
-```bash
-pip install -U julep
-```
-
-## 2. Setting up the `client`
-
-```py
-from julep import Client
-from dotenv import load_dotenv
-import os
-
-load_dotenv()
-
-api_key = os.environ["JULEP_API_KEY"]
-base_url = os.environ["JULEP_API_URL"]
-
-client = Client(api_key=api_key, base_url=base_url)
-```
-
-## 3. Creating an `agent`
-
-### **Instructions**
-
-Instructions are added to an agent. These should be as clear, distinct, and direct as possible. Instructions should be defined step-by-step.
-
-> We recommended to write the instructions in the same tone as system prompt.
-
-```python
-INSTRUCTIONS = [
- "The user will inform you about the product they want to focus on. They will choose from the following: Assistants API, GPT series of models, Dall-E, ChatGPT, Sora",
- "You WILL ask and decide the product to focus on if it is not clear. You will NOT proceed if the product is unclear."
- "You will then, ask the user about what type of information and feedback they need from the forum.",
- "You will generate 5 very specific search queries based on what the user wants.",
- "The user will then provide you with the queries they like. If not, help them refine it.",
- "ONLY WHEN the search query has been decided, search through the forum using the search_forum function. This will provide you with the Post IDs and Blurbs. You will read through them and tell the user in brief about the posts using the blurbs.",
- "MAKE SURE to use and refer to posts using the `post_id`",
- "The user will provide and choose the post they want more information on. You will then call the `read_post` function and pass the `post_id`.",
-]
-```
-
-### **Tools**
-
-OpenAI specification of tools. \
-_Descriptions are crucial, more so than examples_.
-
-Your descriptions should explain every detail about the tool, including:
-
-* What the tool does
-* When it should be used (and when it shouldn’t)
-* What does each parameter mean and how it affect the tool’s behavior
-* Any important caveats or limitations, such as what information the tool does not return if the tool name is unclear
-* The more context you can give about your tools, the better the model will be at deciding when and how to use them. Aim for at least 3-4 sentences per tool description, more if the tool is complex.
-
-```python
-def search_forum(
- query: str,
- order: Literal["latest", "likes", "views", "latest_topic"],
- max_views: int = 10000,
- min_views: int = 500,
- category: str = None,
-):
- # Define your function here!
- pass
-
-def read_post(post_id: int):
- # Define your function here!
- pass
-
-TOOLS = [
- {
- "type": "function",
- "function": {
- "name": "search_forum",
- "description": "Retrieves a list of posts from a forum for the given search parameters. The search parameters should include the search query and additional parameters such as: category, order, minimum views, and maximum views. The tool will return a list of posts based on the search query and additional parameters. It should be used when the user asks to start monitoring the forum.",
- "parameters": {
- "type": "object",
- "properties": {
- "query": {
- "type": "string",
- "description": "The search query to be used to search for posts in the forum.",
- },
- "order": {
- "type": "string",
- "description": "The order in which the posts should be sorted. Possible values are: latest, likes, views, latest_topic.",
- },
- "min_views": {
- "type": "number",
- "description": "The minimum number of views a post should have to be included in the search results.",
- },
- "max_views": {
- "type": "number",
- "description": "The maximum number of views a post should have to be included in the search results.",
- },
- },
- "required": ["query", "order", "min_views", "max_views", "category"],
- },
- },
- },
- {
- "type": "function",
- "function": {
- "name": "read_post",
- "description": "Retrieves the details of a specific post from the forum. The tool should take the post ID as input and return the details of the post including the content, author, date, and other relevant information. It should be used when the user asks to read a specific post.",
- "parameters": {
- "type": "object",
- "properties": {
- "post_id": {
- "type": "number",
- "description": "The ID of the post to be read.",
- },
- },
- "required": ["post_id"],
- },
- },
- },
-]
-```
-
-### **Agent**
-
-An agent is an object to which LLM settings like the model, temperature, and tools are scoped to. Following is how you can define an agent.
-
-> Pro tip: Always add some metadata. It'll be helpful later!
-
-```py
-agent = client.agents.create(
- name="Archy",
- about="An agent that posts and comments on Discourse forums by filtering for the provided topic",
- tools=TOOLS,
- instructions=INSTRUCTIONS,
- model="gpt-4o",
- default_settings={
- "temperature": 0.5,
- "top_p": 1,
- "min_p": 0.01,
- "presence_penalty": 0,
- "frequency_penalty": 0,
- "length_penalty": 1.0,
- },
- metadata={"name": "Archy"},
-)
-```
-
-## 4. Creating a `user`
-
-The user is the object which represents the user of the application. Memories are formed and saved for each user and many users can talk to one agent.
-
-```py
-user = client.users.create(
- name="Anon",
- about="A product manager at OpenAI, working with Archy to validate and improve the product",
- metadata={"name": "Anon"},
-)
-```
-
-## 5. Creating a `session`
-
-An _agent_ is communicated over a _session_. Optionally, a _user_ can be added.
-
-The system prompt goes here. Conversation history and summary are stored in a "session".
-
-The session paradigm allows many users to interact with one agent and allows the separation of conversation history and memories.
-
-### Situation
-
-A situation prompt is defined in a session. It sets the stage for the interaction with the agent. It needs to give a personality to the agent along with providing more context about the ongoing interaction.
-
-```python
-SITUATION_PROMPT = """
-You are Archy, a senior community manager at OpenAI.
-You read through discussions and posts made on the OpenAI Community Forum.
-You are extremely specific about the issues you look for and seek to understand all the parameters when searching for posts.
-After that, you read the specific posts and discussions and make a summary of the trends, sentiments related to OpenAI and how people are using OpenAI products.
-
-Here, you are helping the product manager at OpenAI to get feedback and understand OpenAI products.
-Follow the instructions strictly.
-"""
-```
-
-```py
-session = client.sessions.create(
- user_id=user.id,
- agent_id=agent.id,
- situation=SITUATION_PROMPT,
- metadata={"agent_id": agent.id, "user_id": user.id},
-)
-```
-
-## 6. Stateful Conversation with Tool Calls
-
-`session.chat` controls the communication between the "agent" and the "user".
-
-It has two important arguments;
-
-* `recall`: Retrieves the previous conversations and memories.
-* `remember`: Saves the current conversation turn into the memory store.
-
-To keep the session stateful, both need to be `True`
-
-```python
-user_msg = (
- "i wanna search for assistants api. api errors in it"
-)
-```
-
-```py
-response = client.sessions.chat(
- session_id=session.id,
- messages=[
- {
- "role": "user",
- "content": user_msg,
- "name": "Anon",
- }
- ],
- recall=True,
- remember=True,
-)
-```
-
-### **Parsing and calling the function**
-
-On parsing the response it is possible to view the tool call (if the LLM calls it) and call the function you defined.
-
-```python
-agent_response = response.response[0][0]
-elif agent_response.role.value == "tool_call":
- tool_call = json.loads(agent_response.content)
- args = json.loads(
- tool_call.get("arguments", "{}")
- ) # Parse the JSON string into a dictionary
- tool = tool_call.get("name", "")
- if tool == "search_forum":
- posts = await search_forum(**args)
- tool_response = client.sessions.chat(
- session_id=session_id,
- messages=[{"role": "function", "name": "search_forum", "content": json.dumps(posts)}],
- recall=True,
- remember=True,
- )
- elif tool == "read_post":
- post = await read_post(**args)
- tool_response = client.sessions.chat(
- session_id=session_id,
- messages=[{"role": "function", "name": "read_post", "content": json.dumps(posts)}],
- recall=True,
- remember=True
- )
-```
diff --git a/docs/guides/self-hosting.md b/docs/guides/self-hosting.md
deleted file mode 100644
index 510ec5b28..000000000
--- a/docs/guides/self-hosting.md
+++ /dev/null
@@ -1,89 +0,0 @@
----
-description: Learn how to configure and deploy Julep with Docker.
----
-
-# Self-hosting Julep
-
-Julep is available as a hosted service or as a self-managed instance. This guide assumes you are running the commands from the machine you intend to host from.
-
-## Running Julep
-
-* Download the `docker-compose.yml` file along with the `.env` file for configuration to run the Julep platform locally.
-
-```bash
-# Add the docker compose to your project dir
-wget https://raw.githubusercontent.com/julep-ai/julep/dev/deploy/docker-compose.yml
-
-# Add the .env file to your project dir
-wget https://raw.githubusercontent.com/julep-ai/julep/dev/deploy/.env.example -O .env
-
-# Pull the latest images
-docker compose pull
-
-# Start the services (in detached mode)
-docker compose up -d
-
-```
-
-After all the services have started you can see them running in the background:
-
-```bash
-docker compose ps
-```
-
-## Environment Variables
-
-You can use environment variables to control authentication and authorization with the platform and in between services.
-
-For running locally:
-
-* The default `JULEP_API_URL` is `http://0.0.0.0:8080`
-* The default `JULEP_API_KEY` is `myauthkey`
-* You can define your `ANTHROPIC_API_KEY` or `OPENAI_API_KEY` in the `.env`
-
-## Restarting all services
-
-You can restart services to pick up any configuration changes by running:
-
-{% code lineNumbers="true" %}
-```bash
-# Stop and remove the containers
-docker compose down
-
-# Recreate and start the containers
-docker compose up -d
-```
-{% endcode %}
-
-> Be aware that this will result in downtime. Simply restarting the services does not apply configuration changes.
-
-## Stopping all services
-
-You can stop Julep by running `docker compose stop` in the same directory as your `docker-compose.yml` file.
-
-**Uninstall and delete all data**
-
-{% code lineNumbers="true" %}
-```bash
-# Stop docker and remove volumes
-docker compose down -v
-```
-{% endcode %}
-
-> **Be careful!**
->
-> This will wipe out all the conversation history and memories in the database and storage volumes
-
-## Advanced
-
-If you want to deploy Julep to production, [let's hop on a call](https://calendly.com/diwank-julep/45min)!
-
-We'll help you customize the platform and help you get set up with:
-
-* Multi-tenancy
-* Reverse proxy along with authentication and authorization
-* Self-hosted LLMs
-* & more
-
-
-
diff --git a/docs/guides/use-julep-with-composio.md b/docs/guides/use-julep-with-composio.md
deleted file mode 100644
index 5c13b3db4..000000000
--- a/docs/guides/use-julep-with-composio.md
+++ /dev/null
@@ -1,128 +0,0 @@
-# Use Julep with Composio
-
-Composio enables agents to execute tasks that require the interaction of agents with the world outside via APIs, RPCs, Shells, Filemanagers, and Browser.
-
-It also natively integrates with Julep, reducing the complexity of writing your own integrations!
-
-## Install & Set up Composio
-
-```bash
-## Set up Composio
-pip install julep composio_julep
-```
-
- Log in to Composio & Authenticate with GitHub
-
-```bash
-composio login
-composio add github
-```
-
-## Preview
-
-```python
-import os
-from julep import Client
-from dotenv import load_dotenv
-import json
-from composio_julep import Action, ComposioToolSet
-
-load_dotenv()
-
-api_key = os.environ["JULEP_API_KEY"]
-base_url = os.environ["JULEP_API_URL"]
-
-client = Client(api_key=api_key, base_url=base_url)
-
-toolset = ComposioToolSet()
-composio_tools = toolset.get_actions(
- actions=[Action.GITHUB_ACTIVITY_STAR_REPO_FOR_AUTHENTICATED_USER]
-)
-
-agent = client.agents.create(
- name="Julius",
- about="GitHub Copilot Personified",
- model="gpt-4o",
- tools=composio_tools,
-)
-session = client.sessions.create(
- agent_id=agent.id,
- situation="You are a GitHub Copilot Agent. Follow instructions as specified. Use GitHub tools when needed.",
-)
-user_msg = "Hey. Can you star all julep-ai/julep and SamparkAI/composio for me?"
-response = client.sessions.chat(
- session_id=session.id,
- messages=[
- {
- "role": "user",
- "content": user_msg,
- }
- ],
- recall=True,
- remember=True,
-)
-output = toolset.handle_tool_calls(client, session.id, response)
-```
-
-## Initialise Julep & Composio
-
-```python
-import os
-from julep import Client
-from dotenv import load_dotenv
-import json
-from composio_julep import Action, ComposioToolSet
-
-load_dotenv()
-
-api_key = os.environ["JULEP_API_KEY"]
-base_url = os.environ["JULEP_API_URL"]
-
-client = Client(api_key=api_key, base_url=base_url)
-toolset = ComposioToolSet()
-composio_tools = toolset.get_actions(
- actions=[Action.GITHUB_ACTIVITY_STAR_REPO_FOR_AUTHENTICATED_USER]
-)
-```
-
-Read the Composio Docs to see how to filter tools and apps: [https://docs.composio.dev/framework/julep#use-specific-actions](https://docs.composio.dev/framework/julep#use-specific-actions)
-
-## Setup and Invoke an Agent
-
-Here, we create an agent and pass `composio_tools` instead of writing our tool spec.
-
-```python
-agent = client.agents.create(
- name="Julius",
- about="GitHub Copilot Personified",
- model="gpt-4o",
- tools=composio_tools,
-)
-session = client.sessions.create(
- agent_id=agent.id,
- situation="You are a GitHub Copilot Agent. Follow instructions as specified. Use GitHub tools when needed.",
-)
-user_msg = "Hey. Can you star all julep-ai/julep and SamparkAI/composio for me?"
-response = client.sessions.chat(
- session_id=session.id,
- messages=[
- {
- "role": "user",
- "content": user_msg,
- }
- ],
- recall=True,
- remember=True,
-)
-```
-
-## Handle a Tool Call
-
-Composio offers a nifty `handle_tool_calls` function which calls your authenticated tools if that's what the agent has returned.
-
-If not, it just returns the `ChatResponse`
-
-```python
-output = toolset.handle_tool_calls(client, session.id, response)
-print(output.response[0][0].content)
-```
diff --git a/docs/how-to-guides/customizing_tasks.md b/docs/how-to-guides/customizing_tasks.md
new file mode 100644
index 000000000..29a39dd19
--- /dev/null
+++ b/docs/how-to-guides/customizing_tasks.md
@@ -0,0 +1,99 @@
+# Customizing Tasks
+
+This guide covers how to define and customize tasks for agents in Julep.
+
+## Creating a Basic Task
+
+Here's an example of creating a simple daily motivation task:
+
+```bash
+curl -X POST "https://api.julep.ai/api/agents/YOUR_AGENT_ID/tasks" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "name": "Daily Motivation",
+ "description": "Provides daily motivation based on user preferences",
+ "input_schema": {
+ "type": "object",
+ "properties": {
+ "about_user": {"type": "string"},
+ "topics": {"type": "array", "items": {"type": "string"}},
+ "user_email": {"type": "string", "format": "email"}
+ },
+ "required": ["about_user", "topics", "user_email"]
+ },
+ "main": [
+ {
+ "evaluate": {
+ "chosen_topic": "_[\"topics\"][randint(len(_[\"topics\"]))]"
+ }
+ },
+ {
+ "prompt": "You are a motivational coach and you are coaching someone who is {{inputs[0][\"about_user\"]}}. Think of the challenges they might be facing on the {{_[\"chosen_topic\"]}} topic and what to do about them. Write down your answer as a bulleted list."
+ },
+ {
+ "prompt": "Write a short motivational poem about {{_[\"choices\"][0].content}}"
+ },
+ {
+ "tool": {
+ "name": "send_email",
+ "arguments": {
+ "subject": "\"Daily Motivation\"",
+ "content": "_[\"choices\"][0].content",
+ "recipient": "inputs[\"user_email\"]"
+ }
+ }
+ },
+ {
+ "sleep": 86400
+ },
+ {
+ "workflow": "main",
+ "arguments": "inputs[0]"
+ }
+ ]
+ }'
+```
+
+## Adding Conditional Logic
+
+You can add conditional logic to your tasks using the `if-else` step:
+
+```json
+{
+ "if": "inputs['user_mood'] == 'positive'",
+ "then": {
+ "prompt": "Great! Let's build on that positive energy. {{inputs['chosen_topic']}}"
+ },
+ "else": {
+ "prompt": "I understand you're feeling down. Let's work on improving your mood through {{inputs['chosen_topic']}}."
+ }
+}
+```
+
+## Using Parallel Processing
+
+For tasks that can benefit from parallel processing, use the `parallel` step:
+
+```json
+{
+ "parallel": [
+ {
+ "prompt": "Generate a motivational quote about {{inputs['chosen_topic']}}."
+ },
+ {
+ "tool": {
+ "name": "get_weather",
+ "arguments": {
+ "location": "inputs['user_location']"
+ }
+ }
+ }
+ ]
+}
+```
+
+## Next Steps
+
+- Learn about [handling executions](./handling_executions.md) to manage and monitor your tasks.
+- Explore [integrating tools](../tutorials/integrating_tools.md) to enhance your task capabilities.
\ No newline at end of file
diff --git a/docs/how-to-guides/handling_executions.md b/docs/how-to-guides/handling_executions.md
new file mode 100644
index 000000000..22aeedaa5
--- /dev/null
+++ b/docs/how-to-guides/handling_executions.md
@@ -0,0 +1,72 @@
+# Handling Executions
+
+This guide covers how to manage and monitor task executions in Julep.
+
+## Starting an Execution
+
+To start a new execution of a task:
+
+```bash
+curl -X POST "https://api.julep.ai/api/tasks/YOUR_TASK_ID/executions" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "input": {
+ "about_user": "a software developer looking to improve work-life balance",
+ "topics": ["time management", "stress reduction", "productivity"],
+ "user_email": "user@example.com"
+ }
+ }'
+```
+
+## Monitoring Execution Status
+
+To check the status of an execution:
+
+```bash
+curl -X GET "https://api.julep.ai/api/executions/YOUR_EXECUTION_ID" \
+ -H "Authorization: Bearer $JULEP_API_KEY"
+```
+
+## Handling Awaiting Input State
+
+If an execution is in the "awaiting_input" state, you can resume it with:
+
+```bash
+curl -X POST "https://api.julep.ai/api/executions/resume" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "task_token": "YOUR_TASK_TOKEN",
+ "input": {
+ "user_feedback": "The motivation was helpful, thank you!"
+ }
+ }'
+```
+
+## Cancelling an Execution
+
+To cancel a running execution:
+
+```bash
+curl -X PUT "https://api.julep.ai/api/executions/YOUR_EXECUTION_ID" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "status": "cancelled"
+ }'
+```
+
+## Streaming Execution Events
+
+To stream events from an execution in real-time:
+
+```bash
+curl -N -H "Authorization: Bearer $JULEP_API_KEY" \
+ "https://api.julep.ai/api/executions/YOUR_EXECUTION_ID/transitions/stream"
+```
+
+## Next Steps
+
+- Learn about [customizing tasks](./customizing_tasks.md) to create more complex workflows.
+- Explore [using chat features](./using_chat_features.md) to interact with agents during task execution.
\ No newline at end of file
diff --git a/docs/how-to-guides/managing_users.md b/docs/how-to-guides/managing_users.md
new file mode 100644
index 000000000..6bdb94bac
--- /dev/null
+++ b/docs/how-to-guides/managing_users.md
@@ -0,0 +1,54 @@
+# Managing Users
+
+This guide covers how to create, update, and delete users in Julep.
+
+## Creating a User
+
+To create a new user:
+
+```bash
+curl -X POST "https://api.julep.ai/api/users" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "name": "John Doe",
+ "about": "A new user"
+ }'
+```
+
+## Updating a User
+
+To update an existing user:
+
+```bash
+curl -X PUT "https://api.julep.ai/api/users/YOUR_USER_ID" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "name": "John Updated",
+ "about": "An updated user description"
+ }'
+```
+
+## Deleting a User
+
+To delete a user:
+
+```bash
+curl -X DELETE "https://api.julep.ai/api/users/YOUR_USER_ID" \
+ -H "Authorization: Bearer $JULEP_API_KEY"
+```
+
+## Retrieving User Information
+
+To get information about a specific user:
+
+```bash
+curl -X GET "https://api.julep.ai/api/users/YOUR_USER_ID" \
+ -H "Authorization: Bearer $JULEP_API_KEY"
+```
+
+## Next Steps
+
+- Learn about [managing sessions](../tutorials/managing_sessions.md) with users.
+- Explore [using chat features](./using_chat_features.md) to interact with agents as a user.
\ No newline at end of file
diff --git a/docs/how-to-guides/using_chat_features.md b/docs/how-to-guides/using_chat_features.md
new file mode 100644
index 000000000..63423ff0c
--- /dev/null
+++ b/docs/how-to-guides/using_chat_features.md
@@ -0,0 +1,97 @@
+# Using Chat Features
+
+This guide covers how to use the chat features in Julep for dynamic interactions with agents.
+
+## Starting a Chat Session
+
+To start a new chat session:
+
+```bash
+curl -X POST "https://api.julep.ai/api/sessions" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "agent_id": "YOUR_AGENT_ID",
+ "user_id": "YOUR_USER_ID"
+ }'
+```
+
+## Sending a Message
+
+To send a message in a chat session:
+
+```bash
+curl -X POST "https://api.julep.ai/api/sessions/YOUR_SESSION_ID/chat" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "messages": [
+ {
+ "role": "user",
+ "content": "Hello, can you help me with a task?"
+ }
+ ],
+ "stream": false,
+ "max_tokens": 150
+ }'
+```
+
+## Streaming Responses
+
+To stream the agent's response:
+
+```bash
+curl -N -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "messages": [
+ {
+ "role": "user",
+ "content": "Tell me a story about a brave knight."
+ }
+ ],
+ "stream": true
+ }' \
+ "https://api.julep.ai/api/sessions/YOUR_SESSION_ID/chat"
+```
+
+## Using Tools in Chat
+
+To use a tool during a chat session:
+
+```bash
+curl -X POST "https://api.julep.ai/api/sessions/YOUR_SESSION_ID/chat" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "messages": [
+ {
+ "role": "user",
+ "content": "Send an email to john@example.com about our meeting tomorrow."
+ }
+ ],
+ "tools": [
+ {
+ "type": "function",
+ "function": {
+ "name": "send_email",
+ "description": "Send an email to a recipient",
+ "parameters": {
+ "type": "object",
+ "properties": {
+ "to": {"type": "string"},
+ "subject": {"type": "string"},
+ "body": {"type": "string"}
+ },
+ "required": ["to", "subject", "body"]
+ }
+ }
+ }
+ ]
+ }'
+```
+
+## Next Steps
+
+- Explore [customizing tasks](./customizing_tasks.md) to create more complex interactions.
+- Learn about [handling executions](./handling_executions.md) for long-running processes.
\ No newline at end of file
diff --git a/docs/introduction/core-concepts.md b/docs/introduction/core-concepts.md
deleted file mode 100644
index 49bf6c335..000000000
--- a/docs/introduction/core-concepts.md
+++ /dev/null
@@ -1,3 +0,0 @@
-# Core Concepts
-
-* [Agents](../agents/overview.md)
diff --git a/docs/introduction/getting_started.md b/docs/introduction/getting_started.md
new file mode 100644
index 000000000..6aa590121
--- /dev/null
+++ b/docs/introduction/getting_started.md
@@ -0,0 +1,32 @@
+# Getting Started with Julep
+
+This guide will help you set up and start using the Julep API.
+
+## Prerequisites
+
+- A Julep API key
+- Basic understanding of RESTful APIs
+- Familiarity with JSON and curl (or any HTTP client)
+
+## Initial Setup
+
+1. Obtain your API key from the Julep dashboard.
+2. Set up your environment to include the API key in all requests:
+
+```bash
+export JULEP_API_KEY=your_api_key_here
+```
+
+3. Test your setup with a simple API call:
+
+```bash
+curl -H "Authorization: Bearer $JULEP_API_KEY" https://api.julep.ai/api/agents
+```
+
+If successful, you should receive a list of agents (or an empty list if you haven't created any yet).
+
+## Next Steps
+
+- Create your first agent using the [Creating Your First Agent](../tutorials/creating_your_first_agent.md) tutorial.
+- Explore the [API Reference](../reference/api_endpoints/) to learn about available endpoints.
+- Check out the [How-to Guides](../how-to-guides/) for specific tasks and use cases.
\ No newline at end of file
diff --git a/docs/introduction/overview.md b/docs/introduction/overview.md
new file mode 100644
index 000000000..a914535b5
--- /dev/null
+++ b/docs/introduction/overview.md
@@ -0,0 +1,14 @@
+# Overview of Julep
+
+Julep is a powerful backend system for managing agent execution and interactions. It provides a comprehensive set of features for creating and managing agents, users, sessions, tools, documents, tasks, and executions.
+
+## Key Features
+
+- **Agents**: Create and manage AI agents backed by foundation models like GPT-4 or Claude.
+- **Sessions**: Maintain long-lived interactions with agents, with support for multiple agents and users.
+- **Tools**: Integrate user-defined functions, system tools, and third-party integrations.
+- **Documents**: Store and retrieve text snippets using a built-in vector database.
+- **Tasks**: Define complex, multi-step workflows for agents to execute.
+- **Executions**: Manage and monitor the execution of tasks, with support for parallel processing and error handling.
+
+Julep offers a flexible and powerful API for building sophisticated AI applications, with features like context management, tool integration, and workflow automation.
\ No newline at end of file
diff --git a/docs/js-sdk-docs/.nojekyll b/docs/js-sdk-docs/.nojekyll
deleted file mode 100644
index e2ac6616a..000000000
--- a/docs/js-sdk-docs/.nojekyll
+++ /dev/null
@@ -1 +0,0 @@
-TypeDoc added this file to prevent GitHub Pages from using Jekyll. You can turn off this behavior by setting the `githubPages` option to false.
\ No newline at end of file
diff --git a/docs/js-sdk-docs/README.md b/docs/js-sdk-docs/README.md
deleted file mode 100644
index a974d134d..000000000
--- a/docs/js-sdk-docs/README.md
+++ /dev/null
@@ -1,3 +0,0 @@
-@julep/sdk / [Modules](modules.md)
-
-@julep/sdk
diff --git a/docs/js-sdk-docs/classes/api.ApiError.md b/docs/js-sdk-docs/classes/api.ApiError.md
deleted file mode 100644
index ed7cf7b7a..000000000
--- a/docs/js-sdk-docs/classes/api.ApiError.md
+++ /dev/null
@@ -1,228 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [api](../modules/api.md) / ApiError
-
-# Class: ApiError
-
-[api](../modules/api.md).ApiError
-
-## Hierarchy
-
-- `Error`
-
- ↳ **`ApiError`**
-
-## Table of contents
-
-### Constructors
-
-- [constructor](api.ApiError.md#constructor)
-
-### Properties
-
-- [body](api.ApiError.md#body)
-- [message](api.ApiError.md#message)
-- [name](api.ApiError.md#name)
-- [request](api.ApiError.md#request)
-- [stack](api.ApiError.md#stack)
-- [status](api.ApiError.md#status)
-- [statusText](api.ApiError.md#statustext)
-- [url](api.ApiError.md#url)
-- [prepareStackTrace](api.ApiError.md#preparestacktrace)
-- [stackTraceLimit](api.ApiError.md#stacktracelimit)
-
-### Methods
-
-- [captureStackTrace](api.ApiError.md#capturestacktrace)
-
-## Constructors
-
-### constructor
-
-• **new ApiError**(`request`, `response`, `message`): [`ApiError`](api.ApiError.md)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `request` | `ApiRequestOptions` |
-| `response` | `ApiResult` |
-| `message` | `string` |
-
-#### Returns
-
-[`ApiError`](api.ApiError.md)
-
-#### Overrides
-
-Error.constructor
-
-#### Defined in
-
-[src/api/core/ApiError.ts:15](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/ApiError.ts#L15)
-
-## Properties
-
-### body
-
-• `Readonly` **body**: `any`
-
-#### Defined in
-
-[src/api/core/ApiError.ts:12](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/ApiError.ts#L12)
-
-___
-
-### message
-
-• **message**: `string`
-
-#### Inherited from
-
-Error.message
-
-#### Defined in
-
-node_modules/typescript/lib/lib.es5.d.ts:1077
-
-___
-
-### name
-
-• **name**: `string`
-
-#### Inherited from
-
-Error.name
-
-#### Defined in
-
-node_modules/typescript/lib/lib.es5.d.ts:1076
-
-___
-
-### request
-
-• `Readonly` **request**: `ApiRequestOptions`
-
-#### Defined in
-
-[src/api/core/ApiError.ts:13](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/ApiError.ts#L13)
-
-___
-
-### stack
-
-• `Optional` **stack**: `string`
-
-#### Inherited from
-
-Error.stack
-
-#### Defined in
-
-node_modules/typescript/lib/lib.es5.d.ts:1078
-
-___
-
-### status
-
-• `Readonly` **status**: `number`
-
-#### Defined in
-
-[src/api/core/ApiError.ts:10](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/ApiError.ts#L10)
-
-___
-
-### statusText
-
-• `Readonly` **statusText**: `string`
-
-#### Defined in
-
-[src/api/core/ApiError.ts:11](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/ApiError.ts#L11)
-
-___
-
-### url
-
-• `Readonly` **url**: `string`
-
-#### Defined in
-
-[src/api/core/ApiError.ts:9](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/ApiError.ts#L9)
-
-___
-
-### prepareStackTrace
-
-▪ `Static` `Optional` **prepareStackTrace**: (`err`: `Error`, `stackTraces`: `CallSite`[]) => `any`
-
-Optional override for formatting stack traces
-
-**`See`**
-
-https://v8.dev/docs/stack-trace-api#customizing-stack-traces
-
-#### Type declaration
-
-▸ (`err`, `stackTraces`): `any`
-
-##### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `err` | `Error` |
-| `stackTraces` | `CallSite`[] |
-
-##### Returns
-
-`any`
-
-#### Inherited from
-
-Error.prepareStackTrace
-
-#### Defined in
-
-node_modules/@types/node/globals.d.ts:28
-
-___
-
-### stackTraceLimit
-
-▪ `Static` **stackTraceLimit**: `number`
-
-#### Inherited from
-
-Error.stackTraceLimit
-
-#### Defined in
-
-node_modules/@types/node/globals.d.ts:30
-
-## Methods
-
-### captureStackTrace
-
-▸ **captureStackTrace**(`targetObject`, `constructorOpt?`): `void`
-
-Create .stack property on a target object
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `targetObject` | `object` |
-| `constructorOpt?` | `Function` |
-
-#### Returns
-
-`void`
-
-#### Inherited from
-
-Error.captureStackTrace
-
-#### Defined in
-
-node_modules/@types/node/globals.d.ts:21
diff --git a/docs/js-sdk-docs/classes/api.BaseHttpRequest.md b/docs/js-sdk-docs/classes/api.BaseHttpRequest.md
deleted file mode 100644
index c2531523d..000000000
--- a/docs/js-sdk-docs/classes/api.BaseHttpRequest.md
+++ /dev/null
@@ -1,75 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [api](../modules/api.md) / BaseHttpRequest
-
-# Class: BaseHttpRequest
-
-[api](../modules/api.md).BaseHttpRequest
-
-## Table of contents
-
-### Constructors
-
-- [constructor](api.BaseHttpRequest.md#constructor)
-
-### Properties
-
-- [config](api.BaseHttpRequest.md#config)
-
-### Methods
-
-- [request](api.BaseHttpRequest.md#request)
-
-## Constructors
-
-### constructor
-
-• **new BaseHttpRequest**(`config`): [`BaseHttpRequest`](api.BaseHttpRequest.md)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `config` | [`OpenAPIConfig`](../modules/api.md#openapiconfig) |
-
-#### Returns
-
-[`BaseHttpRequest`](api.BaseHttpRequest.md)
-
-#### Defined in
-
-[src/api/core/BaseHttpRequest.ts:10](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/BaseHttpRequest.ts#L10)
-
-## Properties
-
-### config
-
-• `Readonly` **config**: [`OpenAPIConfig`](../modules/api.md#openapiconfig)
-
-#### Defined in
-
-[src/api/core/BaseHttpRequest.ts:10](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/BaseHttpRequest.ts#L10)
-
-## Methods
-
-### request
-
-▸ **request**\<`T`\>(`options`): [`CancelablePromise`](api.CancelablePromise.md)\<`T`\>
-
-#### Type parameters
-
-| Name |
-| :------ |
-| `T` |
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `ApiRequestOptions` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<`T`\>
-
-#### Defined in
-
-[src/api/core/BaseHttpRequest.ts:12](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/BaseHttpRequest.ts#L12)
diff --git a/docs/js-sdk-docs/classes/api.CancelError.md b/docs/js-sdk-docs/classes/api.CancelError.md
deleted file mode 100644
index b3bd3b05c..000000000
--- a/docs/js-sdk-docs/classes/api.CancelError.md
+++ /dev/null
@@ -1,189 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [api](../modules/api.md) / CancelError
-
-# Class: CancelError
-
-[api](../modules/api.md).CancelError
-
-## Hierarchy
-
-- `Error`
-
- ↳ **`CancelError`**
-
-## Table of contents
-
-### Constructors
-
-- [constructor](api.CancelError.md#constructor)
-
-### Properties
-
-- [message](api.CancelError.md#message)
-- [name](api.CancelError.md#name)
-- [stack](api.CancelError.md#stack)
-- [prepareStackTrace](api.CancelError.md#preparestacktrace)
-- [stackTraceLimit](api.CancelError.md#stacktracelimit)
-
-### Accessors
-
-- [isCancelled](api.CancelError.md#iscancelled)
-
-### Methods
-
-- [captureStackTrace](api.CancelError.md#capturestacktrace)
-
-## Constructors
-
-### constructor
-
-• **new CancelError**(`message`): [`CancelError`](api.CancelError.md)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `message` | `string` |
-
-#### Returns
-
-[`CancelError`](api.CancelError.md)
-
-#### Overrides
-
-Error.constructor
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:6](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L6)
-
-## Properties
-
-### message
-
-• **message**: `string`
-
-#### Inherited from
-
-Error.message
-
-#### Defined in
-
-node_modules/typescript/lib/lib.es5.d.ts:1077
-
-___
-
-### name
-
-• **name**: `string`
-
-#### Inherited from
-
-Error.name
-
-#### Defined in
-
-node_modules/typescript/lib/lib.es5.d.ts:1076
-
-___
-
-### stack
-
-• `Optional` **stack**: `string`
-
-#### Inherited from
-
-Error.stack
-
-#### Defined in
-
-node_modules/typescript/lib/lib.es5.d.ts:1078
-
-___
-
-### prepareStackTrace
-
-▪ `Static` `Optional` **prepareStackTrace**: (`err`: `Error`, `stackTraces`: `CallSite`[]) => `any`
-
-Optional override for formatting stack traces
-
-**`See`**
-
-https://v8.dev/docs/stack-trace-api#customizing-stack-traces
-
-#### Type declaration
-
-▸ (`err`, `stackTraces`): `any`
-
-##### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `err` | `Error` |
-| `stackTraces` | `CallSite`[] |
-
-##### Returns
-
-`any`
-
-#### Inherited from
-
-Error.prepareStackTrace
-
-#### Defined in
-
-node_modules/@types/node/globals.d.ts:28
-
-___
-
-### stackTraceLimit
-
-▪ `Static` **stackTraceLimit**: `number`
-
-#### Inherited from
-
-Error.stackTraceLimit
-
-#### Defined in
-
-node_modules/@types/node/globals.d.ts:30
-
-## Accessors
-
-### isCancelled
-
-• `get` **isCancelled**(): `boolean`
-
-#### Returns
-
-`boolean`
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:11](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L11)
-
-## Methods
-
-### captureStackTrace
-
-▸ **captureStackTrace**(`targetObject`, `constructorOpt?`): `void`
-
-Create .stack property on a target object
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `targetObject` | `object` |
-| `constructorOpt?` | `Function` |
-
-#### Returns
-
-`void`
-
-#### Inherited from
-
-Error.captureStackTrace
-
-#### Defined in
-
-node_modules/@types/node/globals.d.ts:21
diff --git a/docs/js-sdk-docs/classes/api.CancelablePromise.md b/docs/js-sdk-docs/classes/api.CancelablePromise.md
deleted file mode 100644
index b9e1c1ffc..000000000
--- a/docs/js-sdk-docs/classes/api.CancelablePromise.md
+++ /dev/null
@@ -1,299 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [api](../modules/api.md) / CancelablePromise
-
-# Class: CancelablePromise\
-
-[api](../modules/api.md).CancelablePromise
-
-## Type parameters
-
-| Name |
-| :------ |
-| `T` |
-
-## Implements
-
-- `Promise`\<`T`\>
-
-## Table of contents
-
-### Constructors
-
-- [constructor](api.CancelablePromise.md#constructor)
-
-### Properties
-
-- [#cancelHandlers](api.CancelablePromise.md##cancelhandlers)
-- [#isCancelled](api.CancelablePromise.md##iscancelled)
-- [#isRejected](api.CancelablePromise.md##isrejected)
-- [#isResolved](api.CancelablePromise.md##isresolved)
-- [#promise](api.CancelablePromise.md##promise)
-- [#reject](api.CancelablePromise.md##reject)
-- [#resolve](api.CancelablePromise.md##resolve)
-
-### Accessors
-
-- [[toStringTag]](api.CancelablePromise.md#[tostringtag])
-- [isCancelled](api.CancelablePromise.md#iscancelled)
-
-### Methods
-
-- [cancel](api.CancelablePromise.md#cancel)
-- [catch](api.CancelablePromise.md#catch)
-- [finally](api.CancelablePromise.md#finally)
-- [then](api.CancelablePromise.md#then)
-
-## Constructors
-
-### constructor
-
-• **new CancelablePromise**\<`T`\>(`executor`): [`CancelablePromise`](api.CancelablePromise.md)\<`T`\>
-
-#### Type parameters
-
-| Name |
-| :------ |
-| `T` |
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `executor` | (`resolve`: (`value`: `T` \| `PromiseLike`\<`T`\>) => `void`, `reject`: (`reason?`: `any`) => `void`, `onCancel`: `OnCancel`) => `void` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<`T`\>
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:33](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L33)
-
-## Properties
-
-### #cancelHandlers
-
-• `Private` `Readonly` **#cancelHandlers**: () => `void`[]
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:28](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L28)
-
-___
-
-### #isCancelled
-
-• `Private` **#isCancelled**: `boolean`
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:27](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L27)
-
-___
-
-### #isRejected
-
-• `Private` **#isRejected**: `boolean`
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:26](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L26)
-
-___
-
-### #isResolved
-
-• `Private` **#isResolved**: `boolean`
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:25](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L25)
-
-___
-
-### #promise
-
-• `Private` `Readonly` **#promise**: `Promise`\<`T`\>
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:29](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L29)
-
-___
-
-### #reject
-
-• `Private` `Optional` **#reject**: (`reason?`: `any`) => `void`
-
-#### Type declaration
-
-▸ (`reason?`): `void`
-
-##### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `reason?` | `any` |
-
-##### Returns
-
-`void`
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:31](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L31)
-
-___
-
-### #resolve
-
-• `Private` `Optional` **#resolve**: (`value`: `T` \| `PromiseLike`\<`T`\>) => `void`
-
-#### Type declaration
-
-▸ (`value`): `void`
-
-##### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `value` | `T` \| `PromiseLike`\<`T`\> |
-
-##### Returns
-
-`void`
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:30](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L30)
-
-## Accessors
-
-### [toStringTag]
-
-• `get` **[toStringTag]**(): `string`
-
-#### Returns
-
-`string`
-
-#### Implementation of
-
-Promise.[toStringTag]
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:87](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L87)
-
-___
-
-### isCancelled
-
-• `get` **isCancelled**(): `boolean`
-
-#### Returns
-
-`boolean`
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:127](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L127)
-
-## Methods
-
-### cancel
-
-▸ **cancel**(): `void`
-
-#### Returns
-
-`void`
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:108](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L108)
-
-___
-
-### catch
-
-▸ **catch**\<`TResult`\>(`onRejected?`): `Promise`\<`T` \| `TResult`\>
-
-#### Type parameters
-
-| Name | Type |
-| :------ | :------ |
-| `TResult` | `never` |
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `onRejected?` | ``null`` \| (`reason`: `any`) => `TResult` \| `PromiseLike`\<`TResult`\> |
-
-#### Returns
-
-`Promise`\<`T` \| `TResult`\>
-
-#### Implementation of
-
-Promise.catch
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:98](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L98)
-
-___
-
-### finally
-
-▸ **finally**(`onFinally?`): `Promise`\<`T`\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `onFinally?` | ``null`` \| () => `void` |
-
-#### Returns
-
-`Promise`\<`T`\>
-
-#### Implementation of
-
-Promise.finally
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:104](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L104)
-
-___
-
-### then
-
-▸ **then**\<`TResult1`, `TResult2`\>(`onFulfilled?`, `onRejected?`): `Promise`\<`TResult1` \| `TResult2`\>
-
-#### Type parameters
-
-| Name | Type |
-| :------ | :------ |
-| `TResult1` | `T` |
-| `TResult2` | `never` |
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `onFulfilled?` | ``null`` \| (`value`: `T`) => `TResult1` \| `PromiseLike`\<`TResult1`\> |
-| `onRejected?` | ``null`` \| (`reason`: `any`) => `TResult2` \| `PromiseLike`\<`TResult2`\> |
-
-#### Returns
-
-`Promise`\<`TResult1` \| `TResult2`\>
-
-#### Implementation of
-
-Promise.then
-
-#### Defined in
-
-[src/api/core/CancelablePromise.ts:91](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/CancelablePromise.ts#L91)
diff --git a/docs/js-sdk-docs/classes/api.DefaultService.md b/docs/js-sdk-docs/classes/api.DefaultService.md
deleted file mode 100644
index b692d0bb6..000000000
--- a/docs/js-sdk-docs/classes/api.DefaultService.md
+++ /dev/null
@@ -1,1194 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [api](../modules/api.md) / DefaultService
-
-# Class: DefaultService
-
-[api](../modules/api.md).DefaultService
-
-## Table of contents
-
-### Constructors
-
-- [constructor](api.DefaultService.md#constructor)
-
-### Properties
-
-- [httpRequest](api.DefaultService.md#httprequest)
-
-### Methods
-
-- [chat](api.DefaultService.md#chat)
-- [createAgent](api.DefaultService.md#createagent)
-- [createAgentDoc](api.DefaultService.md#createagentdoc)
-- [createAgentTool](api.DefaultService.md#createagenttool)
-- [createSession](api.DefaultService.md#createsession)
-- [createUser](api.DefaultService.md#createuser)
-- [createUserDoc](api.DefaultService.md#createuserdoc)
-- [deleteAgent](api.DefaultService.md#deleteagent)
-- [deleteAgentDoc](api.DefaultService.md#deleteagentdoc)
-- [deleteAgentMemory](api.DefaultService.md#deleteagentmemory)
-- [deleteAgentTool](api.DefaultService.md#deleteagenttool)
-- [deleteSession](api.DefaultService.md#deletesession)
-- [deleteSessionHistory](api.DefaultService.md#deletesessionhistory)
-- [deleteUser](api.DefaultService.md#deleteuser)
-- [deleteUserDoc](api.DefaultService.md#deleteuserdoc)
-- [getAgent](api.DefaultService.md#getagent)
-- [getAgentDocs](api.DefaultService.md#getagentdocs)
-- [getAgentMemories](api.DefaultService.md#getagentmemories)
-- [getAgentTools](api.DefaultService.md#getagenttools)
-- [getHistory](api.DefaultService.md#gethistory)
-- [getJobStatus](api.DefaultService.md#getjobstatus)
-- [getSession](api.DefaultService.md#getsession)
-- [getSuggestions](api.DefaultService.md#getsuggestions)
-- [getUser](api.DefaultService.md#getuser)
-- [getUserDocs](api.DefaultService.md#getuserdocs)
-- [listAgents](api.DefaultService.md#listagents)
-- [listSessions](api.DefaultService.md#listsessions)
-- [listUsers](api.DefaultService.md#listusers)
-- [patchAgent](api.DefaultService.md#patchagent)
-- [patchAgentTool](api.DefaultService.md#patchagenttool)
-- [patchSession](api.DefaultService.md#patchsession)
-- [patchUser](api.DefaultService.md#patchuser)
-- [updateAgent](api.DefaultService.md#updateagent)
-- [updateAgentTool](api.DefaultService.md#updateagenttool)
-- [updateSession](api.DefaultService.md#updatesession)
-- [updateUser](api.DefaultService.md#updateuser)
-
-## Constructors
-
-### constructor
-
-• **new DefaultService**(`httpRequest`): [`DefaultService`](api.DefaultService.md)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `httpRequest` | [`BaseHttpRequest`](api.BaseHttpRequest.md) |
-
-#### Returns
-
-[`DefaultService`](api.DefaultService.md)
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:35](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L35)
-
-## Properties
-
-### httpRequest
-
-• `Readonly` **httpRequest**: [`BaseHttpRequest`](api.BaseHttpRequest.md)
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:35](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L35)
-
-## Methods
-
-### chat
-
-▸ **chat**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ChatResponse`](../modules/api.md#chatresponse)\>
-
-Interact with the session
-
-#### Parameters
-
-| Name | Type | Default value |
-| :------ | :------ | :------ |
-| `«destructured»` | `Object` | `undefined` |
-| › `accept?` | ``"application/json"`` \| ``"text/event-stream"`` | `"application/json"` |
-| › `requestBody?` | [`ChatInput`](../modules/api.md#chatinput) | `undefined` |
-| › `sessionId` | `string` | `undefined` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ChatResponse`](../modules/api.md#chatresponse)\>
-
-ChatResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:404](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L404)
-
-___
-
-### createAgent
-
-▸ **createAgent**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-Create a new agent
-Create a new agent
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `«destructured»` | `Object` | - |
-| › `requestBody?` | [`CreateAgentRequest`](../modules/api.md#createagentrequest) | Agent create options |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-ResourceCreatedResponse Agent successfully created
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:180](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L180)
-
-___
-
-### createAgentDoc
-
-▸ **createAgentDoc**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-Create doc of the agent
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `requestBody?` | [`CreateDoc`](../modules/api.md#createdoc) |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-ResourceCreatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:668](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L668)
-
-___
-
-### createAgentTool
-
-▸ **createAgentTool**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-Create tool for the agent
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `requestBody?` | [`CreateToolRequest`](../modules/api.md#createtoolrequest) |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-ResourceCreatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:857](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L857)
-
-___
-
-### createSession
-
-▸ **createSession**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-Create a new session
-Create a session between an agent and a user
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `«destructured»` | `Object` | - |
-| › `requestBody?` | [`CreateSessionRequest`](../modules/api.md#createsessionrequest) | Session initialization options |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-ResourceCreatedResponse Session successfully created
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:42](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L42)
-
-___
-
-### createUser
-
-▸ **createUser**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-Create a new user
-Create a new user
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `«destructured»` | `Object` | - |
-| › `requestBody?` | [`CreateUserRequest`](../modules/api.md#createuserrequest) | User create options |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-ResourceCreatedResponse User successfully created
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:111](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L111)
-
-___
-
-### createUserDoc
-
-▸ **createUserDoc**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-Create doc of the user
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `requestBody?` | [`CreateDoc`](../modules/api.md#createdoc) |
-| › `userId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-ResourceCreatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:740](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L740)
-
-___
-
-### deleteAgent
-
-▸ **deleteAgent**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-Delete agent
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-ResourceDeletedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:556](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L556)
-
-___
-
-### deleteAgentDoc
-
-▸ **deleteAgentDoc**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-Delete doc by id
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `docId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-ResourceDeletedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:783](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L783)
-
-___
-
-### deleteAgentMemory
-
-▸ **deleteAgentMemory**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-Delete memory of the agent by id
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `memoryId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-ResourceDeletedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:804](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L804)
-
-___
-
-### deleteAgentTool
-
-▸ **deleteAgentTool**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-Delete tool by id
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `toolId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-ResourceDeletedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:879](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L879)
-
-___
-
-### deleteSession
-
-▸ **deleteSession**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-Delete session
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `sessionId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-ResourceDeletedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:266](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L266)
-
-___
-
-### deleteSessionHistory
-
-▸ **deleteSessionHistory**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-Delete session history (does NOT delete related memories)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `sessionId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-ResourceDeletedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:386](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L386)
-
-___
-
-### deleteUser
-
-▸ **deleteUser**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-Delete user
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `userId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-ResourceDeletedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:480](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L480)
-
-___
-
-### deleteUserDoc
-
-▸ **deleteUserDoc**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-Delete doc by id
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `docId` | `string` |
-| › `userId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceDeletedResponse`](../modules/api.md#resourcedeletedresponse)\>
-
-ResourceDeletedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:762](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L762)
-
-___
-
-### getAgent
-
-▸ **getAgent**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`Agent`](../modules/api.md#agent)\>
-
-Get details of the agent
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`Agent`](../modules/api.md#agent)\>
-
-Agent
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:542](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L542)
-
-___
-
-### getAgentDocs
-
-▸ **getAgentDocs**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Doc`](../modules/api.md#doc)[] }\>
-
-Get docs of the agent
-Sorted (created_at descending)
-
-#### Parameters
-
-| Name | Type | Default value | Description |
-| :------ | :------ | :------ | :------ |
-| `«destructured»` | `Object` | `undefined` | - |
-| › `agentId` | `string` | `undefined` | - |
-| › `limit?` | `number` | `undefined` | - |
-| › `metadataFilter?` | `string` | `"{}"` | JSON object that should be used to filter objects by metadata |
-| › `offset?` | `number` | `undefined` | - |
-| › `order?` | ``"desc"`` \| ``"asc"`` | `"desc"` | Which order should the sort be: `asc` (ascending) or `desc` (descending) |
-| › `requestBody?` | `any` | `undefined` | - |
-| › `sortBy?` | ``"created_at"`` \| ``"updated_at"`` | `"created_at"` | Which field to sort by: `created_at` or `updated_at` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Doc`](../modules/api.md#doc)[] }\>
-
-any
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:619](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L619)
-
-___
-
-### getAgentMemories
-
-▸ **getAgentMemories**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Memory`](../modules/api.md#memory)[] }\>
-
-Get memories of the agent
-Sorted (created_at descending)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `limit?` | `number` |
-| › `offset?` | `number` |
-| › `query` | `string` |
-| › `userId?` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Memory`](../modules/api.md#memory)[] }\>
-
-any
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:432](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L432)
-
-___
-
-### getAgentTools
-
-▸ **getAgentTools**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Tool`](../modules/api.md#tool)[] }\>
-
-Get tools of the agent
-Sorted (created_at descending)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `limit?` | `number` |
-| › `offset?` | `number` |
-| › `requestBody?` | `any` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Tool`](../modules/api.md#tool)[] }\>
-
-any
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:826](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L826)
-
-___
-
-### getHistory
-
-▸ **getHistory**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`ChatMLMessage`](../modules/api.md#chatmlmessage)[] }\>
-
-Get all messages in a session
-Sorted (created_at ascending)
-
-#### Parameters
-
-| Name | Type | Default value |
-| :------ | :------ | :------ |
-| `«destructured»` | `Object` | `undefined` |
-| › `limit?` | `number` | `100` |
-| › `offset?` | `number` | `undefined` |
-| › `sessionId` | `string` | `undefined` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`ChatMLMessage`](../modules/api.md#chatmlmessage)[] }\>
-
-any
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:358](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L358)
-
-___
-
-### getJobStatus
-
-▸ **getJobStatus**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`JobStatus`](../modules/api.md#jobstatus)\>
-
-Get status of the job
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `jobId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`JobStatus`](../modules/api.md#jobstatus)\>
-
-JobStatus
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:950](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L950)
-
-___
-
-### getSession
-
-▸ **getSession**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`Session`](../modules/api.md#session)\>
-
-Get details of the session
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `sessionId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`Session`](../modules/api.md#session)\>
-
-Session
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:248](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L248)
-
-___
-
-### getSuggestions
-
-▸ **getSuggestions**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Suggestion`](../modules/api.md#suggestion)[] }\>
-
-Get autogenerated suggestions for session user and agent
-Sorted (created_at descending)
-
-#### Parameters
-
-| Name | Type | Default value |
-| :------ | :------ | :------ |
-| `«destructured»` | `Object` | `undefined` |
-| › `limit?` | `number` | `100` |
-| › `offset?` | `number` | `undefined` |
-| › `sessionId` | `string` | `undefined` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Suggestion`](../modules/api.md#suggestion)[] }\>
-
-any
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:329](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L329)
-
-___
-
-### getUser
-
-▸ **getUser**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`User`](../modules/api.md#user)\>
-
-Get details of the user
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `userId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`User`](../modules/api.md#user)\>
-
-User
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:466](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L466)
-
-___
-
-### getUserDocs
-
-▸ **getUserDocs**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Doc`](../modules/api.md#doc)[] }\>
-
-Get docs of the user
-Sorted (created_at descending)
-
-#### Parameters
-
-| Name | Type | Default value | Description |
-| :------ | :------ | :------ | :------ |
-| `«destructured»` | `Object` | `undefined` | - |
-| › `limit?` | `number` | `undefined` | - |
-| › `metadataFilter?` | `string` | `"{}"` | JSON object that should be used to filter objects by metadata |
-| › `offset?` | `number` | `undefined` | - |
-| › `order?` | ``"desc"`` \| ``"asc"`` | `"desc"` | Which order should the sort be: `asc` (ascending) or `desc` (descending) |
-| › `requestBody?` | `any` | `undefined` | - |
-| › `sortBy?` | ``"created_at"`` \| ``"updated_at"`` | `"created_at"` | Which field to sort by: `created_at` or `updated_at` |
-| › `userId` | `string` | `undefined` | - |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Doc`](../modules/api.md#doc)[] }\>
-
-any
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:691](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L691)
-
-___
-
-### listAgents
-
-▸ **listAgents**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items`: [`Agent`](../modules/api.md#agent)[] }\>
-
-List agents
-List agents created (use limit/offset pagination to get large number of sessions; sorted by descending order of `created_at` by default)
-
-#### Parameters
-
-| Name | Type | Default value | Description |
-| :------ | :------ | :------ | :------ |
-| `«destructured»` | `Object` | `undefined` | - |
-| › `limit?` | `number` | `100` | Number of items to return |
-| › `metadataFilter?` | `string` | `"{}"` | JSON object that should be used to filter objects by metadata |
-| › `offset?` | `number` | `undefined` | Number of items to skip (sorted created_at descending order) |
-| › `order?` | ``"desc"`` \| ``"asc"`` | `"desc"` | Which order should the sort be: `asc` (ascending) or `desc` (descending) |
-| › `sortBy?` | ``"created_at"`` \| ``"updated_at"`` | `"created_at"` | Which field to sort by: `created_at` or `updated_at` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items`: [`Agent`](../modules/api.md#agent)[] }\>
-
-any List of agents (sorted created_at descending order) with limit+offset pagination
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:201](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L201)
-
-___
-
-### listSessions
-
-▸ **listSessions**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items`: [`Session`](../modules/api.md#session)[] }\>
-
-List sessions
-List sessions created (use limit/offset pagination to get large number of sessions; sorted by descending order of `created_at` by default)
-
-#### Parameters
-
-| Name | Type | Default value | Description |
-| :------ | :------ | :------ | :------ |
-| `«destructured»` | `Object` | `undefined` | - |
-| › `limit?` | `number` | `100` | Number of sessions to return |
-| › `metadataFilter?` | `string` | `"{}"` | JSON object that should be used to filter objects by metadata |
-| › `offset?` | `number` | `undefined` | Number of sessions to skip (sorted created_at descending order) |
-| › `order?` | ``"desc"`` \| ``"asc"`` | `"desc"` | Which order should the sort be: `asc` (ascending) or `desc` (descending) |
-| › `sortBy?` | ``"created_at"`` \| ``"updated_at"`` | `"created_at"` | Which field to sort by: `created_at` or `updated_at` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items`: [`Session`](../modules/api.md#session)[] }\>
-
-any List of sessions (sorted created_at descending order) with limit+offset pagination
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:63](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L63)
-
-___
-
-### listUsers
-
-▸ **listUsers**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items`: [`User`](../modules/api.md#user)[] }\>
-
-List users
-List users created (use limit/offset pagination to get large number of sessions; sorted by descending order of `created_at` by default)
-
-#### Parameters
-
-| Name | Type | Default value | Description |
-| :------ | :------ | :------ | :------ |
-| `«destructured»` | `Object` | `undefined` | - |
-| › `limit?` | `number` | `100` | Number of items to return |
-| › `metadataFilter?` | `string` | `"{}"` | JSON object that should be used to filter objects by metadata |
-| › `offset?` | `number` | `undefined` | Number of items to skip (sorted created_at descending order) |
-| › `order?` | ``"desc"`` \| ``"asc"`` | `"desc"` | Which order should the sort be: `asc` (ascending) or `desc` (descending) |
-| › `sortBy?` | ``"created_at"`` \| ``"updated_at"`` | `"created_at"` | Which field to sort by: `created_at` or `updated_at` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items`: [`User`](../modules/api.md#user)[] }\>
-
-any List of users (sorted created_at descending order) with limit+offset pagination
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:132](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L132)
-
-___
-
-### patchAgent
-
-▸ **patchAgent**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-Patch Agent parameters (merge instead of replace)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `requestBody?` | [`PatchAgentRequest`](../modules/api.md#patchagentrequest) |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-ResourceUpdatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:596](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L596)
-
-___
-
-### patchAgentTool
-
-▸ **patchAgentTool**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-Patch Agent tool parameters (merge instead of replace)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `requestBody?` | [`PatchToolRequest`](../modules/api.md#patchtoolrequest) |
-| › `toolId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-ResourceUpdatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:925](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L925)
-
-___
-
-### patchSession
-
-▸ **patchSession**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-Patch Session parameters (merge instead of replace)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `requestBody?` | [`PatchSessionRequest`](../modules/api.md#patchsessionrequest) |
-| › `sessionId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-ResourceUpdatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:306](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L306)
-
-___
-
-### patchUser
-
-▸ **patchUser**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-Patch User parameters (merge instead of replace)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `requestBody?` | [`PatchUserRequest`](../modules/api.md#patchuserrequest) |
-| › `userId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-ResourceUpdatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:520](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L520)
-
-___
-
-### updateAgent
-
-▸ **updateAgent**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-Update agent parameters
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `requestBody?` | [`UpdateAgentRequest`](../modules/api.md#updateagentrequest) |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-ResourceUpdatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:574](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L574)
-
-___
-
-### updateAgentTool
-
-▸ **updateAgentTool**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-Update agent tool definition
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `agentId` | `string` |
-| › `requestBody?` | [`UpdateToolRequest`](../modules/api.md#updatetoolrequest) |
-| › `toolId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-ResourceUpdatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:900](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L900)
-
-___
-
-### updateSession
-
-▸ **updateSession**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-Update session parameters
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `requestBody?` | [`UpdateSessionRequest`](../modules/api.md#updatesessionrequest) |
-| › `sessionId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-ResourceUpdatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:284](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L284)
-
-___
-
-### updateUser
-
-▸ **updateUser**(`«destructured»`): [`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-Update user parameters
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `«destructured»` | `Object` |
-| › `requestBody?` | [`UpdateUserRequest`](../modules/api.md#updateuserrequest) |
-| › `userId` | `string` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-ResourceUpdatedResponse
-
-**`Throws`**
-
-ApiError
-
-#### Defined in
-
-[src/api/services/DefaultService.ts:498](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/services/DefaultService.ts#L498)
diff --git a/docs/js-sdk-docs/classes/api_JulepApiClient.JulepApiClient.md b/docs/js-sdk-docs/classes/api_JulepApiClient.JulepApiClient.md
deleted file mode 100644
index bb4c4a4a2..000000000
--- a/docs/js-sdk-docs/classes/api_JulepApiClient.JulepApiClient.md
+++ /dev/null
@@ -1,57 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [api/JulepApiClient](../modules/api_JulepApiClient.md) / JulepApiClient
-
-# Class: JulepApiClient
-
-[api/JulepApiClient](../modules/api_JulepApiClient.md).JulepApiClient
-
-## Table of contents
-
-### Constructors
-
-- [constructor](api_JulepApiClient.JulepApiClient.md#constructor)
-
-### Properties
-
-- [default](api_JulepApiClient.JulepApiClient.md#default)
-- [request](api_JulepApiClient.JulepApiClient.md#request)
-
-## Constructors
-
-### constructor
-
-• **new JulepApiClient**(`config?`, `HttpRequest?`): [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md)
-
-#### Parameters
-
-| Name | Type | Default value |
-| :------ | :------ | :------ |
-| `config?` | `Partial`\<[`OpenAPIConfig`](../modules/api.md#openapiconfig)\> | `undefined` |
-| `HttpRequest` | `HttpRequestConstructor` | `AxiosHttpRequest` |
-
-#### Returns
-
-[`JulepApiClient`](api_JulepApiClient.JulepApiClient.md)
-
-#### Defined in
-
-[src/api/JulepApiClient.ts:13](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/JulepApiClient.ts#L13)
-
-## Properties
-
-### default
-
-• `Readonly` **default**: [`DefaultService`](api.DefaultService.md)
-
-#### Defined in
-
-[src/api/JulepApiClient.ts:11](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/JulepApiClient.ts#L11)
-
-___
-
-### request
-
-• `Readonly` **request**: [`BaseHttpRequest`](api.BaseHttpRequest.md)
-
-#### Defined in
-
-[src/api/JulepApiClient.ts:12](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/JulepApiClient.ts#L12)
diff --git a/docs/js-sdk-docs/classes/managers_agent.AgentsManager.md b/docs/js-sdk-docs/classes/managers_agent.AgentsManager.md
deleted file mode 100644
index 30235e467..000000000
--- a/docs/js-sdk-docs/classes/managers_agent.AgentsManager.md
+++ /dev/null
@@ -1,204 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [managers/agent](../modules/managers_agent.md) / AgentsManager
-
-# Class: AgentsManager
-
-[managers/agent](../modules/managers_agent.md).AgentsManager
-
-BaseManager serves as the base class for all manager classes that interact with the Julep API.
-It provides common functionality needed for API interactions.
-
-## Hierarchy
-
-- [`BaseManager`](managers_base.BaseManager.md)
-
- ↳ **`AgentsManager`**
-
-## Table of contents
-
-### Constructors
-
-- [constructor](managers_agent.AgentsManager.md#constructor)
-
-### Properties
-
-- [apiClient](managers_agent.AgentsManager.md#apiclient)
-
-### Methods
-
-- [create](managers_agent.AgentsManager.md#create)
-- [delete](managers_agent.AgentsManager.md#delete)
-- [get](managers_agent.AgentsManager.md#get)
-- [list](managers_agent.AgentsManager.md#list)
-- [update](managers_agent.AgentsManager.md#update)
-
-## Constructors
-
-### constructor
-
-• **new AgentsManager**(`apiClient`): [`AgentsManager`](managers_agent.AgentsManager.md)
-
-Constructs a new instance of BaseManager.
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `apiClient` | [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md) | The JulepApiClient instance used for API interactions. |
-
-#### Returns
-
-[`AgentsManager`](managers_agent.AgentsManager.md)
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[constructor](managers_base.BaseManager.md#constructor)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Properties
-
-### apiClient
-
-• **apiClient**: [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md)
-
-The JulepApiClient instance used for API interactions.
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[apiClient](managers_base.BaseManager.md#apiclient)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Methods
-
-### create
-
-▸ **create**(`options`): `Promise`\<`Partial`\<[`Agent`](../modules/api.md#agent)\> & \{ `id`: `string` }\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.about` | `string` |
-| `options.default_settings?` | [`AgentDefaultSettings`](../modules/api.md#agentdefaultsettings) |
-| `options.docs?` | [`Doc`](../modules/api.md#doc)[] |
-| `options.instructions` | `string` \| `string`[] |
-| `options.model?` | `string` |
-| `options.name` | `string` |
-| `options.tools?` | [`CreateToolRequest`](../modules/api.md#createtoolrequest)[] |
-
-#### Returns
-
-`Promise`\<`Partial`\<[`Agent`](../modules/api.md#agent)\> & \{ `id`: `string` }\>
-
-#### Defined in
-
-[src/managers/agent.ts:23](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/agent.ts#L23)
-
-___
-
-### delete
-
-▸ **delete**(`agentId`): `Promise`\<`void`\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `agentId` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<`void`\>
-
-#### Defined in
-
-[src/managers/agent.ts:108](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/agent.ts#L108)
-
-___
-
-### get
-
-▸ **get**(`agentId`): `Promise`\<[`Agent`](../modules/api.md#agent)\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `agentId` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<[`Agent`](../modules/api.md#agent)\>
-
-#### Defined in
-
-[src/managers/agent.ts:17](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/agent.ts#L17)
-
-___
-
-### list
-
-▸ **list**(`options?`): `Promise`\<[`Agent`](../modules/api.md#agent)[]\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.limit?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``1``\> & `Maximum`\<``1000``\> |
-| `options.metadataFilter?` | `Object` |
-| `options.offset?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``0``\> |
-
-#### Returns
-
-`Promise`\<[`Agent`](../modules/api.md#agent)[]\>
-
-#### Defined in
-
-[src/managers/agent.ts:74](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/agent.ts#L74)
-
-___
-
-### update
-
-▸ **update**(`agentId`, `request`, `overwrite?`): `Promise`\<`Partial`\<[`Agent`](../modules/api.md#agent)\> & \{ `id`: `string` }\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `agentId` | `string` |
-| `request` | [`PatchAgentRequest`](../modules/api.md#patchagentrequest) |
-| `overwrite?` | ``false`` |
-
-#### Returns
-
-`Promise`\<`Partial`\<[`Agent`](../modules/api.md#agent)\> & \{ `id`: `string` }\>
-
-#### Defined in
-
-[src/managers/agent.ts:115](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/agent.ts#L115)
-
-▸ **update**(`agentId`, `request`, `overwrite`): `Promise`\<`Partial`\<[`Agent`](../modules/api.md#agent)\> & \{ `id`: `string` }\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `agentId` | `string` |
-| `request` | [`UpdateAgentRequest`](../modules/api.md#updateagentrequest) |
-| `overwrite` | ``true`` |
-
-#### Returns
-
-`Promise`\<`Partial`\<[`Agent`](../modules/api.md#agent)\> & \{ `id`: `string` }\>
-
-#### Defined in
-
-[src/managers/agent.ts:121](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/agent.ts#L121)
diff --git a/docs/js-sdk-docs/classes/managers_base.BaseManager.md b/docs/js-sdk-docs/classes/managers_base.BaseManager.md
deleted file mode 100644
index 04ad76162..000000000
--- a/docs/js-sdk-docs/classes/managers_base.BaseManager.md
+++ /dev/null
@@ -1,68 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [managers/base](../modules/managers_base.md) / BaseManager
-
-# Class: BaseManager
-
-[managers/base](../modules/managers_base.md).BaseManager
-
-BaseManager serves as the base class for all manager classes that interact with the Julep API.
-It provides common functionality needed for API interactions.
-
-## Hierarchy
-
-- **`BaseManager`**
-
- ↳ [`AgentsManager`](managers_agent.AgentsManager.md)
-
- ↳ [`DocsManager`](managers_doc.DocsManager.md)
-
- ↳ [`MemoriesManager`](managers_memory.MemoriesManager.md)
-
- ↳ [`SessionsManager`](managers_session.SessionsManager.md)
-
- ↳ [`ToolsManager`](managers_tool.ToolsManager.md)
-
- ↳ [`UsersManager`](managers_user.UsersManager.md)
-
-## Table of contents
-
-### Constructors
-
-- [constructor](managers_base.BaseManager.md#constructor)
-
-### Properties
-
-- [apiClient](managers_base.BaseManager.md#apiclient)
-
-## Constructors
-
-### constructor
-
-• **new BaseManager**(`apiClient`): [`BaseManager`](managers_base.BaseManager.md)
-
-Constructs a new instance of BaseManager.
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `apiClient` | [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md) | The JulepApiClient instance used for API interactions. |
-
-#### Returns
-
-[`BaseManager`](managers_base.BaseManager.md)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Properties
-
-### apiClient
-
-• **apiClient**: [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md)
-
-The JulepApiClient instance used for API interactions.
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
diff --git a/docs/js-sdk-docs/classes/managers_doc.DocsManager.md b/docs/js-sdk-docs/classes/managers_doc.DocsManager.md
deleted file mode 100644
index 02bcf2f15..000000000
--- a/docs/js-sdk-docs/classes/managers_doc.DocsManager.md
+++ /dev/null
@@ -1,209 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [managers/doc](../modules/managers_doc.md) / DocsManager
-
-# Class: DocsManager
-
-[managers/doc](../modules/managers_doc.md).DocsManager
-
-BaseManager serves as the base class for all manager classes that interact with the Julep API.
-It provides common functionality needed for API interactions.
-
-## Hierarchy
-
-- [`BaseManager`](managers_base.BaseManager.md)
-
- ↳ **`DocsManager`**
-
-## Table of contents
-
-### Constructors
-
-- [constructor](managers_doc.DocsManager.md#constructor)
-
-### Properties
-
-- [apiClient](managers_doc.DocsManager.md#apiclient)
-
-### Methods
-
-- [create](managers_doc.DocsManager.md#create)
-- [delete](managers_doc.DocsManager.md#delete)
-- [get](managers_doc.DocsManager.md#get)
-- [list](managers_doc.DocsManager.md#list)
-
-## Constructors
-
-### constructor
-
-• **new DocsManager**(`apiClient`): [`DocsManager`](managers_doc.DocsManager.md)
-
-Constructs a new instance of BaseManager.
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `apiClient` | [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md) | The JulepApiClient instance used for API interactions. |
-
-#### Returns
-
-[`DocsManager`](managers_doc.DocsManager.md)
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[constructor](managers_base.BaseManager.md#constructor)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Properties
-
-### apiClient
-
-• **apiClient**: [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md)
-
-The JulepApiClient instance used for API interactions.
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[apiClient](managers_base.BaseManager.md#apiclient)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Methods
-
-### create
-
-▸ **create**(`options`): `Promise`\<[`Doc`](../modules/api.md#doc)\>
-
-Creates a document based on the provided agentId or userId.
-Ensures that only one of agentId or userId is provided using xor function.
-Validates the provided agentId or userId using isValidUuid4.
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.agentId?` | `string` & `Format`\<``"uuid"``\> |
-| `options.doc` | [`CreateDoc`](../modules/api.md#createdoc) |
-| `options.userId?` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<[`Doc`](../modules/api.md#doc)\>
-
-The created document.
-
-**`Throws`**
-
-If neither agentId nor userId is provided.
-
-#### Defined in
-
-[src/managers/doc.ts:162](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/doc.ts#L162)
-
-___
-
-### delete
-
-▸ **delete**(`options`): `Promise`\<`void`\>
-
-Deletes a document based on the provided agentId or userId and the specific docId.
-Ensures that only one of agentId or userId is provided using xor function.
-Validates the provided agentId or userId using isValidUuid4.
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.agentId?` | `string` & `Format`\<``"uuid"``\> |
-| `options.docId` | `string` |
-| `options.userId?` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<`void`\>
-
-A promise that resolves when the document is successfully deleted.
-
-**`Throws`**
-
-If neither agentId nor userId is provided.
-
-#### Defined in
-
-[src/managers/doc.ts:214](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/doc.ts#L214)
-
-___
-
-### get
-
-▸ **get**(`options?`): `Promise`\<[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Doc`](../modules/api.md#doc)[] }\> \| [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Doc`](../modules/api.md#doc)[] }\>\>
-
-Retrieves documents based on the provided agentId or userId.
-Ensures that only one of agentId or userId is provided using xor function.
-Validates the provided agentId or userId using isValidUuid4.
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.agentId?` | `string` & `Format`\<``"uuid"``\> |
-| `options.limit?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``1``\> & `Maximum`\<``1000``\> |
-| `options.offset?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``0``\> |
-| `options.userId?` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<[`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Doc`](../modules/api.md#doc)[] }\> \| [`CancelablePromise`](api.CancelablePromise.md)\<\{ `items?`: [`Doc`](../modules/api.md#doc)[] }\>\>
-
-The retrieved documents.
-
-**`Throws`**
-
-If neither agentId nor userId is provided.
-
-#### Defined in
-
-[src/managers/doc.ts:23](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/doc.ts#L23)
-
-___
-
-### list
-
-▸ **list**(`options?`): `Promise`\<[`Doc`](../modules/api.md#doc)[]\>
-
-Lists documents based on the provided agentId or userId, with optional metadata filtering.
-Ensures that only one of agentId or userId is provided using xor function.
-Validates the provided agentId or userId using isValidUuid4.
-Allows for filtering based on metadata.
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.agentId?` | `string` & `Format`\<``"uuid"``\> |
-| `options.limit?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``1``\> & `Maximum`\<``1000``\> |
-| `options.metadataFilter?` | `Object` |
-| `options.offset?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``0``\> |
-| `options.userId?` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<[`Doc`](../modules/api.md#doc)[]\>
-
-The list of filtered documents.
-
-**`Throws`**
-
-If neither agentId nor userId is provided.
-
-#### Defined in
-
-[src/managers/doc.ts:90](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/doc.ts#L90)
diff --git a/docs/js-sdk-docs/classes/managers_memory.MemoriesManager.md b/docs/js-sdk-docs/classes/managers_memory.MemoriesManager.md
deleted file mode 100644
index 791c80f80..000000000
--- a/docs/js-sdk-docs/classes/managers_memory.MemoriesManager.md
+++ /dev/null
@@ -1,99 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [managers/memory](../modules/managers_memory.md) / MemoriesManager
-
-# Class: MemoriesManager
-
-[managers/memory](../modules/managers_memory.md).MemoriesManager
-
-BaseManager serves as the base class for all manager classes that interact with the Julep API.
-It provides common functionality needed for API interactions.
-
-## Hierarchy
-
-- [`BaseManager`](managers_base.BaseManager.md)
-
- ↳ **`MemoriesManager`**
-
-## Table of contents
-
-### Constructors
-
-- [constructor](managers_memory.MemoriesManager.md#constructor)
-
-### Properties
-
-- [apiClient](managers_memory.MemoriesManager.md#apiclient)
-
-### Methods
-
-- [list](managers_memory.MemoriesManager.md#list)
-
-## Constructors
-
-### constructor
-
-• **new MemoriesManager**(`apiClient`): [`MemoriesManager`](managers_memory.MemoriesManager.md)
-
-Constructs a new instance of BaseManager.
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `apiClient` | [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md) | The JulepApiClient instance used for API interactions. |
-
-#### Returns
-
-[`MemoriesManager`](managers_memory.MemoriesManager.md)
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[constructor](managers_base.BaseManager.md#constructor)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Properties
-
-### apiClient
-
-• **apiClient**: [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md)
-
-The JulepApiClient instance used for API interactions.
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[apiClient](managers_base.BaseManager.md#apiclient)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Methods
-
-### list
-
-▸ **list**(`options`): `Promise`\<[`Memory`](../modules/api.md#memory)[]\>
-
-Lists memories based on the provided parameters.
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.agentId` | `string` & `Format`\<``"uuid"``\> |
-| `options.limit?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``1``\> & `Maximum`\<``1000``\> |
-| `options.offset?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``0``\> |
-| `options.query` | `string` |
-| `options.userId?` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<[`Memory`](../modules/api.md#memory)[]\>
-
-A promise that resolves to an array of Memory objects.
-
-#### Defined in
-
-[src/managers/memory.ts:21](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/memory.ts#L21)
diff --git a/docs/js-sdk-docs/classes/managers_session.SessionsManager.md b/docs/js-sdk-docs/classes/managers_session.SessionsManager.md
deleted file mode 100644
index 7bcfdddae..000000000
--- a/docs/js-sdk-docs/classes/managers_session.SessionsManager.md
+++ /dev/null
@@ -1,278 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [managers/session](../modules/managers_session.md) / SessionsManager
-
-# Class: SessionsManager
-
-[managers/session](../modules/managers_session.md).SessionsManager
-
-BaseManager serves as the base class for all manager classes that interact with the Julep API.
-It provides common functionality needed for API interactions.
-
-## Hierarchy
-
-- [`BaseManager`](managers_base.BaseManager.md)
-
- ↳ **`SessionsManager`**
-
-## Table of contents
-
-### Constructors
-
-- [constructor](managers_session.SessionsManager.md#constructor)
-
-### Properties
-
-- [apiClient](managers_session.SessionsManager.md#apiclient)
-
-### Methods
-
-- [chat](managers_session.SessionsManager.md#chat)
-- [create](managers_session.SessionsManager.md#create)
-- [delete](managers_session.SessionsManager.md#delete)
-- [deleteHistory](managers_session.SessionsManager.md#deletehistory)
-- [get](managers_session.SessionsManager.md#get)
-- [history](managers_session.SessionsManager.md#history)
-- [list](managers_session.SessionsManager.md#list)
-- [suggestions](managers_session.SessionsManager.md#suggestions)
-- [update](managers_session.SessionsManager.md#update)
-
-## Constructors
-
-### constructor
-
-• **new SessionsManager**(`apiClient`): [`SessionsManager`](managers_session.SessionsManager.md)
-
-Constructs a new instance of BaseManager.
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `apiClient` | [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md) | The JulepApiClient instance used for API interactions. |
-
-#### Returns
-
-[`SessionsManager`](managers_session.SessionsManager.md)
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[constructor](managers_base.BaseManager.md#constructor)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Properties
-
-### apiClient
-
-• **apiClient**: [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md)
-
-The JulepApiClient instance used for API interactions.
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[apiClient](managers_base.BaseManager.md#apiclient)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Methods
-
-### chat
-
-▸ **chat**(`sessionId`, `input`): `Promise`\<[`ChatResponse`](../modules/api.md#chatresponse)\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `sessionId` | `string` & `Format`\<``"uuid"``\> |
-| `input` | [`ChatInput`](../modules/api.md#chatinput) |
-
-#### Returns
-
-`Promise`\<[`ChatResponse`](../modules/api.md#chatresponse)\>
-
-#### Defined in
-
-[src/managers/session.ts:161](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L161)
-
-___
-
-### create
-
-▸ **create**(`payload`): `Promise`\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `payload` | [`CreateSessionPayload`](../interfaces/managers_session.CreateSessionPayload.md) |
-
-#### Returns
-
-`Promise`\<[`ResourceCreatedResponse`](../modules/api.md#resourcecreatedresponse)\>
-
-#### Defined in
-
-[src/managers/session.ts:39](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L39)
-
-___
-
-### delete
-
-▸ **delete**(`sessionId`): `Promise`\<`void`\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `sessionId` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<`void`\>
-
-#### Defined in
-
-[src/managers/session.ts:109](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L109)
-
-___
-
-### deleteHistory
-
-▸ **deleteHistory**(`sessionId`): `Promise`\<`void`\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `sessionId` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<`void`\>
-
-#### Defined in
-
-[src/managers/session.ts:263](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L263)
-
-___
-
-### get
-
-▸ **get**(`sessionId`): `Promise`\<[`Session`](../modules/api.md#session)\>
-
-Retrieves a session by its ID.
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `sessionId` | `string` & `Format`\<``"uuid"``\> | The unique identifier of the session. |
-
-#### Returns
-
-`Promise`\<[`Session`](../modules/api.md#session)\>
-
-A promise that resolves with the session object.
-
-#### Defined in
-
-[src/managers/session.ts:33](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L33)
-
-___
-
-### history
-
-▸ **history**(`sessionId`, `options?`): `Promise`\<[`ChatMLMessage`](../modules/api.md#chatmlmessage)[]\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `sessionId` | `string` & `Format`\<``"uuid"``\> |
-| `options` | `Object` |
-| `options.limit?` | `number` & `Minimum`\<``1``\> & `Maximum`\<``1000``\> |
-| `options.offset?` | `number` & `Minimum`\<``0``\> |
-
-#### Returns
-
-`Promise`\<[`ChatMLMessage`](../modules/api.md#chatmlmessage)[]\>
-
-#### Defined in
-
-[src/managers/session.ts:240](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L240)
-
-___
-
-### list
-
-▸ **list**(`options?`): `Promise`\<[`Session`](../modules/api.md#session)[]\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.limit?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``1``\> & `Maximum`\<``1000``\> |
-| `options.metadataFilter?` | `Object` |
-| `options.offset?` | `number` & `Minimum`\<``1``\> & `Maximum`\<``1000``\> |
-
-#### Returns
-
-`Promise`\<[`Session`](../modules/api.md#session)[]\>
-
-#### Defined in
-
-[src/managers/session.ts:75](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L75)
-
-___
-
-### suggestions
-
-▸ **suggestions**(`sessionId`, `options?`): `Promise`\<[`Suggestion`](../modules/api.md#suggestion)[]\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `sessionId` | `string` & `Format`\<``"uuid"``\> |
-| `options` | `Object` |
-| `options.limit?` | `number` & `Minimum`\<``1``\> & `Maximum`\<``1000``\> |
-| `options.offset?` | `number` & `Minimum`\<``0``\> |
-
-#### Returns
-
-`Promise`\<[`Suggestion`](../modules/api.md#suggestion)[]\>
-
-#### Defined in
-
-[src/managers/session.ts:217](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L217)
-
-___
-
-### update
-
-▸ **update**(`sessionId`, `options`, `overwrite?`): `Promise`\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-#### Parameters
-
-| Name | Type | Default value |
-| :------ | :------ | :------ |
-| `sessionId` | `string` & `Format`\<``"uuid"``\> | `undefined` |
-| `options` | `Object` | `undefined` |
-| `options.contextOverflow?` | ``"truncate"`` \| ``"adaptive"`` | `undefined` |
-| `options.metadata?` | `Record`\<`string`, `any`\> | `undefined` |
-| `options.situation` | `string` | `undefined` |
-| `options.tokenBudget?` | `number` & `Minimum`\<``1``\> | `undefined` |
-| `overwrite` | `boolean` | `false` |
-
-#### Returns
-
-`Promise`\<[`ResourceUpdatedResponse`](../modules/api.md#resourceupdatedresponse)\>
-
-#### Defined in
-
-[src/managers/session.ts:115](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L115)
diff --git a/docs/js-sdk-docs/classes/managers_tool.ToolsManager.md b/docs/js-sdk-docs/classes/managers_tool.ToolsManager.md
deleted file mode 100644
index ad37b7eed..000000000
--- a/docs/js-sdk-docs/classes/managers_tool.ToolsManager.md
+++ /dev/null
@@ -1,166 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [managers/tool](../modules/managers_tool.md) / ToolsManager
-
-# Class: ToolsManager
-
-[managers/tool](../modules/managers_tool.md).ToolsManager
-
-BaseManager serves as the base class for all manager classes that interact with the Julep API.
-It provides common functionality needed for API interactions.
-
-## Hierarchy
-
-- [`BaseManager`](managers_base.BaseManager.md)
-
- ↳ **`ToolsManager`**
-
-## Table of contents
-
-### Constructors
-
-- [constructor](managers_tool.ToolsManager.md#constructor)
-
-### Properties
-
-- [apiClient](managers_tool.ToolsManager.md#apiclient)
-
-### Methods
-
-- [create](managers_tool.ToolsManager.md#create)
-- [delete](managers_tool.ToolsManager.md#delete)
-- [list](managers_tool.ToolsManager.md#list)
-- [update](managers_tool.ToolsManager.md#update)
-
-## Constructors
-
-### constructor
-
-• **new ToolsManager**(`apiClient`): [`ToolsManager`](managers_tool.ToolsManager.md)
-
-Constructs a new instance of BaseManager.
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `apiClient` | [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md) | The JulepApiClient instance used for API interactions. |
-
-#### Returns
-
-[`ToolsManager`](managers_tool.ToolsManager.md)
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[constructor](managers_base.BaseManager.md#constructor)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Properties
-
-### apiClient
-
-• **apiClient**: [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md)
-
-The JulepApiClient instance used for API interactions.
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[apiClient](managers_base.BaseManager.md#apiclient)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Methods
-
-### create
-
-▸ **create**(`options`): `Promise`\<[`Tool`](../modules/api.md#tool)\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.agentId` | `string` & `Format`\<``"uuid"``\> |
-| `options.tool` | `Object` |
-| `options.tool.function` | [`FunctionDef`](../modules/api.md#functiondef) |
-| `options.tool.type` | ``"function"`` \| ``"webhook"`` |
-
-#### Returns
-
-`Promise`\<[`Tool`](../modules/api.md#tool)\>
-
-#### Defined in
-
-[src/managers/tool.ts:44](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/tool.ts#L44)
-
-___
-
-### delete
-
-▸ **delete**(`options`): `Promise`\<`void`\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.agentId` | `string` & `Format`\<``"uuid"``\> |
-| `options.toolId` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<`void`\>
-
-#### Defined in
-
-[src/managers/tool.ts:105](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/tool.ts#L105)
-
-___
-
-### list
-
-▸ **list**(`agentId`, `options?`): `Promise`\<[`Tool`](../modules/api.md#tool)[]\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `agentId` | `string` & `Format`\<``"uuid"``\> |
-| `options` | `Object` |
-| `options.limit?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``1``\> & `Maximum`\<``1000``\> |
-| `options.offset?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``0``\> |
-
-#### Returns
-
-`Promise`\<[`Tool`](../modules/api.md#tool)[]\>
-
-#### Defined in
-
-[src/managers/tool.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/tool.ts#L14)
-
-___
-
-### update
-
-▸ **update**(`options`, `overwrite?`): `Promise`\<[`Tool`](../modules/api.md#tool)\>
-
-#### Parameters
-
-| Name | Type | Default value |
-| :------ | :------ | :------ |
-| `options` | `Object` | `undefined` |
-| `options.agentId` | `string` & `Format`\<``"uuid"``\> | `undefined` |
-| `options.tool` | [`UpdateToolRequest`](../modules/api.md#updatetoolrequest) | `undefined` |
-| `options.toolId` | `string` & `Format`\<``"uuid"``\> | `undefined` |
-| `overwrite` | `boolean` | `false` |
-
-#### Returns
-
-`Promise`\<[`Tool`](../modules/api.md#tool)\>
-
-#### Defined in
-
-[src/managers/tool.ts:71](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/tool.ts#L71)
diff --git a/docs/js-sdk-docs/classes/managers_user.UsersManager.md b/docs/js-sdk-docs/classes/managers_user.UsersManager.md
deleted file mode 100644
index e88f66893..000000000
--- a/docs/js-sdk-docs/classes/managers_user.UsersManager.md
+++ /dev/null
@@ -1,197 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [managers/user](../modules/managers_user.md) / UsersManager
-
-# Class: UsersManager
-
-[managers/user](../modules/managers_user.md).UsersManager
-
-BaseManager serves as the base class for all manager classes that interact with the Julep API.
-It provides common functionality needed for API interactions.
-
-## Hierarchy
-
-- [`BaseManager`](managers_base.BaseManager.md)
-
- ↳ **`UsersManager`**
-
-## Table of contents
-
-### Constructors
-
-- [constructor](managers_user.UsersManager.md#constructor)
-
-### Properties
-
-- [apiClient](managers_user.UsersManager.md#apiclient)
-
-### Methods
-
-- [create](managers_user.UsersManager.md#create)
-- [delete](managers_user.UsersManager.md#delete)
-- [get](managers_user.UsersManager.md#get)
-- [list](managers_user.UsersManager.md#list)
-- [update](managers_user.UsersManager.md#update)
-
-## Constructors
-
-### constructor
-
-• **new UsersManager**(`apiClient`): [`UsersManager`](managers_user.UsersManager.md)
-
-Constructs a new instance of BaseManager.
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `apiClient` | [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md) | The JulepApiClient instance used for API interactions. |
-
-#### Returns
-
-[`UsersManager`](managers_user.UsersManager.md)
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[constructor](managers_base.BaseManager.md#constructor)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Properties
-
-### apiClient
-
-• **apiClient**: [`JulepApiClient`](api_JulepApiClient.JulepApiClient.md)
-
-The JulepApiClient instance used for API interactions.
-
-#### Inherited from
-
-[BaseManager](managers_base.BaseManager.md).[apiClient](managers_base.BaseManager.md#apiclient)
-
-#### Defined in
-
-[src/managers/base.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/base.ts#L14)
-
-## Methods
-
-### create
-
-▸ **create**(`options?`): `Promise`\<[`User`](../modules/api.md#user)\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | [`CreateUserRequest`](../modules/api.md#createuserrequest) |
-
-#### Returns
-
-`Promise`\<[`User`](../modules/api.md#user)\>
-
-#### Defined in
-
-[src/managers/user.ts:22](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/user.ts#L22)
-
-___
-
-### delete
-
-▸ **delete**(`userId`): `Promise`\<`void`\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `userId` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<`void`\>
-
-#### Defined in
-
-[src/managers/user.ts:70](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/user.ts#L70)
-
-___
-
-### get
-
-▸ **get**(`userId`): `Promise`\<[`User`](../modules/api.md#user)\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `userId` | `string` & `Format`\<``"uuid"``\> |
-
-#### Returns
-
-`Promise`\<[`User`](../modules/api.md#user)\>
-
-#### Defined in
-
-[src/managers/user.ts:14](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/user.ts#L14)
-
-___
-
-### list
-
-▸ **list**(`options?`): `Promise`\<[`User`](../modules/api.md#user)[]\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `Object` |
-| `options.limit?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``1``\> & `Maximum`\<``1000``\> |
-| `options.metadataFilter?` | `Object` |
-| `options.offset?` | `number` & `Type`\<``"uint32"``\> & `Minimum`\<``0``\> |
-
-#### Returns
-
-`Promise`\<[`User`](../modules/api.md#user)[]\>
-
-#### Defined in
-
-[src/managers/user.ts:37](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/user.ts#L37)
-
-___
-
-### update
-
-▸ **update**(`userId`, `request`, `overwrite`): `Promise`\<[`User`](../modules/api.md#user)\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `userId` | `string` |
-| `request` | [`UpdateUserRequest`](../modules/api.md#updateuserrequest) |
-| `overwrite` | ``true`` |
-
-#### Returns
-
-`Promise`\<[`User`](../modules/api.md#user)\>
-
-#### Defined in
-
-[src/managers/user.ts:76](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/user.ts#L76)
-
-▸ **update**(`userId`, `request`, `overwrite?`): `Promise`\<[`User`](../modules/api.md#user)\>
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `userId` | `string` |
-| `request` | [`PatchUserRequest`](../modules/api.md#patchuserrequest) |
-| `overwrite?` | ``false`` |
-
-#### Returns
-
-`Promise`\<[`User`](../modules/api.md#user)\>
-
-#### Defined in
-
-[src/managers/user.ts:82](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/user.ts#L82)
diff --git a/docs/js-sdk-docs/classes/utils_requestConstructor.CustomHttpRequest.md b/docs/js-sdk-docs/classes/utils_requestConstructor.CustomHttpRequest.md
deleted file mode 100644
index 164a230bc..000000000
--- a/docs/js-sdk-docs/classes/utils_requestConstructor.CustomHttpRequest.md
+++ /dev/null
@@ -1,93 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [utils/requestConstructor](../modules/utils_requestConstructor.md) / CustomHttpRequest
-
-# Class: CustomHttpRequest
-
-[utils/requestConstructor](../modules/utils_requestConstructor.md).CustomHttpRequest
-
-## Hierarchy
-
-- `AxiosHttpRequest`
-
- ↳ **`CustomHttpRequest`**
-
-## Table of contents
-
-### Constructors
-
-- [constructor](utils_requestConstructor.CustomHttpRequest.md#constructor)
-
-### Properties
-
-- [config](utils_requestConstructor.CustomHttpRequest.md#config)
-
-### Methods
-
-- [request](utils_requestConstructor.CustomHttpRequest.md#request)
-
-## Constructors
-
-### constructor
-
-• **new CustomHttpRequest**(`config`): [`CustomHttpRequest`](utils_requestConstructor.CustomHttpRequest.md)
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `config` | [`OpenAPIConfig`](../modules/api.md#openapiconfig) |
-
-#### Returns
-
-[`CustomHttpRequest`](utils_requestConstructor.CustomHttpRequest.md)
-
-#### Overrides
-
-AxiosHttpRequest.constructor
-
-#### Defined in
-
-[src/utils/requestConstructor.ts:15](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/utils/requestConstructor.ts#L15)
-
-## Properties
-
-### config
-
-• `Readonly` **config**: [`OpenAPIConfig`](../modules/api.md#openapiconfig)
-
-#### Inherited from
-
-AxiosHttpRequest.config
-
-#### Defined in
-
-[src/api/core/BaseHttpRequest.ts:10](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/BaseHttpRequest.ts#L10)
-
-## Methods
-
-### request
-
-▸ **request**\<`T`\>(`options`): [`CancelablePromise`](api.CancelablePromise.md)\<`T`\>
-
-#### Type parameters
-
-| Name |
-| :------ |
-| `T` |
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `options` | `ApiRequestOptions` |
-
-#### Returns
-
-[`CancelablePromise`](api.CancelablePromise.md)\<`T`\>
-
-#### Overrides
-
-AxiosHttpRequest.request
-
-#### Defined in
-
-[src/utils/requestConstructor.ts:21](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/utils/requestConstructor.ts#L21)
diff --git a/docs/js-sdk-docs/interfaces/managers_session.CreateSessionPayload.md b/docs/js-sdk-docs/interfaces/managers_session.CreateSessionPayload.md
deleted file mode 100644
index 548bb5b2e..000000000
--- a/docs/js-sdk-docs/interfaces/managers_session.CreateSessionPayload.md
+++ /dev/null
@@ -1,87 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / [managers/session](../modules/managers_session.md) / CreateSessionPayload
-
-# Interface: CreateSessionPayload
-
-[managers/session](../modules/managers_session.md).CreateSessionPayload
-
-## Table of contents
-
-### Properties
-
-- [agentId](managers_session.CreateSessionPayload.md#agentid)
-- [contextOverflow](managers_session.CreateSessionPayload.md#contextoverflow)
-- [metadata](managers_session.CreateSessionPayload.md#metadata)
-- [renderTemplates](managers_session.CreateSessionPayload.md#rendertemplates)
-- [situation](managers_session.CreateSessionPayload.md#situation)
-- [tokenBudget](managers_session.CreateSessionPayload.md#tokenbudget)
-- [userId](managers_session.CreateSessionPayload.md#userid)
-
-## Properties
-
-### agentId
-
-• **agentId**: `string`
-
-#### Defined in
-
-[src/managers/session.ts:17](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L17)
-
-___
-
-### contextOverflow
-
-• `Optional` **contextOverflow**: ``"truncate"`` \| ``"adaptive"``
-
-#### Defined in
-
-[src/managers/session.ts:24](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L24)
-
-___
-
-### metadata
-
-• `Optional` **metadata**: `Record`\<`string`, `any`\>
-
-#### Defined in
-
-[src/managers/session.ts:19](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L19)
-
-___
-
-### renderTemplates
-
-• `Optional` **renderTemplates**: `boolean`
-
-#### Defined in
-
-[src/managers/session.ts:20](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L20)
-
-___
-
-### situation
-
-• `Optional` **situation**: `string`
-
-#### Defined in
-
-[src/managers/session.ts:18](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L18)
-
-___
-
-### tokenBudget
-
-• `Optional` **tokenBudget**: `number`
-
-#### Defined in
-
-[src/managers/session.ts:21](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L21)
-
-___
-
-### userId
-
-• `Optional` **userId**: `string`
-
-#### Defined in
-
-[src/managers/session.ts:16](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/managers/session.ts#L16)
diff --git a/docs/js-sdk-docs/modules.md b/docs/js-sdk-docs/modules.md
deleted file mode 100644
index ec445aa16..000000000
--- a/docs/js-sdk-docs/modules.md
+++ /dev/null
@@ -1,22 +0,0 @@
-[@julep/sdk](README.md) / Modules
-
-# @julep/sdk
-
-## Table of contents
-
-### Modules
-
-- [api](modules/api.md)
-- [api/JulepApiClient](modules/api_JulepApiClient.md)
-- [managers/agent](modules/managers_agent.md)
-- [managers/base](modules/managers_base.md)
-- [managers/doc](modules/managers_doc.md)
-- [managers/memory](modules/managers_memory.md)
-- [managers/session](modules/managers_session.md)
-- [managers/tool](modules/managers_tool.md)
-- [managers/user](modules/managers_user.md)
-- [utils/invariant](modules/utils_invariant.md)
-- [utils/isValidUuid4](modules/utils_isValidUuid4.md)
-- [utils/openaiPatch](modules/utils_openaiPatch.md)
-- [utils/requestConstructor](modules/utils_requestConstructor.md)
-- [utils/xor](modules/utils_xor.md)
diff --git a/docs/js-sdk-docs/modules/api.md b/docs/js-sdk-docs/modules/api.md
deleted file mode 100644
index bc4a9e82b..000000000
--- a/docs/js-sdk-docs/modules/api.md
+++ /dev/null
@@ -1,2623 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / api
-
-# Module: api
-
-## Table of contents
-
-### References
-
-- [JulepApiClient](api.md#julepapiclient)
-
-### Classes
-
-- [ApiError](../classes/api.ApiError.md)
-- [BaseHttpRequest](../classes/api.BaseHttpRequest.md)
-- [CancelError](../classes/api.CancelError.md)
-- [CancelablePromise](../classes/api.CancelablePromise.md)
-- [DefaultService](../classes/api.DefaultService.md)
-
-### Type Aliases
-
-- [Agent](api.md#agent)
-- [AgentDefaultSettings](api.md#agentdefaultsettings)
-- [ChatInput](api.md#chatinput)
-- [ChatInputData](api.md#chatinputdata)
-- [ChatMLImageContentPart](api.md#chatmlimagecontentpart)
-- [ChatMLMessage](api.md#chatmlmessage)
-- [ChatMLTextContentPart](api.md#chatmltextcontentpart)
-- [ChatResponse](api.md#chatresponse)
-- [ChatSettings](api.md#chatsettings)
-- [CompletionUsage](api.md#completionusage)
-- [CreateAgentRequest](api.md#createagentrequest)
-- [CreateDoc](api.md#createdoc)
-- [CreateSessionRequest](api.md#createsessionrequest)
-- [CreateToolRequest](api.md#createtoolrequest)
-- [CreateUserRequest](api.md#createuserrequest)
-- [Doc](api.md#doc)
-- [DocIds](api.md#docids)
-- [FunctionCallOption](api.md#functioncalloption)
-- [FunctionDef](api.md#functiondef)
-- [FunctionParameters](api.md#functionparameters)
-- [InputChatMLMessage](api.md#inputchatmlmessage)
-- [JobStatus](api.md#jobstatus)
-- [Memory](api.md#memory)
-- [MemoryAccessOptions](api.md#memoryaccessoptions)
-- [NamedToolChoice](api.md#namedtoolchoice)
-- [OpenAPIConfig](api.md#openapiconfig)
-- [PartialFunctionDef](api.md#partialfunctiondef)
-- [PatchAgentRequest](api.md#patchagentrequest)
-- [PatchSessionRequest](api.md#patchsessionrequest)
-- [PatchToolRequest](api.md#patchtoolrequest)
-- [PatchUserRequest](api.md#patchuserrequest)
-- [ResourceCreatedResponse](api.md#resourcecreatedresponse)
-- [ResourceDeletedResponse](api.md#resourcedeletedresponse)
-- [ResourceUpdatedResponse](api.md#resourceupdatedresponse)
-- [Session](api.md#session)
-- [Suggestion](api.md#suggestion)
-- [Tool](api.md#tool)
-- [ToolChoiceOption](api.md#toolchoiceoption)
-- [UpdateAgentRequest](api.md#updateagentrequest)
-- [UpdateSessionRequest](api.md#updatesessionrequest)
-- [UpdateToolRequest](api.md#updatetoolrequest)
-- [UpdateUserRequest](api.md#updateuserrequest)
-- [User](api.md#user)
-- [agent\_id](api.md#agent_id)
-- [doc\_id](api.md#doc_id)
-- [job\_id](api.md#job_id)
-- [memory\_id](api.md#memory_id)
-- [message\_id](api.md#message_id)
-- [session\_id](api.md#session_id)
-- [tool\_id](api.md#tool_id)
-- [user\_id](api.md#user_id)
-
-### Variables
-
-- [$Agent](api.md#$agent)
-- [$AgentDefaultSettings](api.md#$agentdefaultsettings)
-- [$ChatInput](api.md#$chatinput)
-- [$ChatInputData](api.md#$chatinputdata)
-- [$ChatMLImageContentPart](api.md#$chatmlimagecontentpart)
-- [$ChatMLMessage](api.md#$chatmlmessage)
-- [$ChatMLTextContentPart](api.md#$chatmltextcontentpart)
-- [$ChatResponse](api.md#$chatresponse)
-- [$ChatSettings](api.md#$chatsettings)
-- [$CompletionUsage](api.md#$completionusage)
-- [$CreateAgentRequest](api.md#$createagentrequest)
-- [$CreateDoc](api.md#$createdoc)
-- [$CreateSessionRequest](api.md#$createsessionrequest)
-- [$CreateToolRequest](api.md#$createtoolrequest)
-- [$CreateUserRequest](api.md#$createuserrequest)
-- [$Doc](api.md#$doc)
-- [$DocIds](api.md#$docids)
-- [$FunctionCallOption](api.md#$functioncalloption)
-- [$FunctionDef](api.md#$functiondef)
-- [$FunctionParameters](api.md#$functionparameters)
-- [$InputChatMLMessage](api.md#$inputchatmlmessage)
-- [$JobStatus](api.md#$jobstatus)
-- [$Memory](api.md#$memory)
-- [$MemoryAccessOptions](api.md#$memoryaccessoptions)
-- [$NamedToolChoice](api.md#$namedtoolchoice)
-- [$PartialFunctionDef](api.md#$partialfunctiondef)
-- [$PatchAgentRequest](api.md#$patchagentrequest)
-- [$PatchSessionRequest](api.md#$patchsessionrequest)
-- [$PatchToolRequest](api.md#$patchtoolrequest)
-- [$PatchUserRequest](api.md#$patchuserrequest)
-- [$ResourceCreatedResponse](api.md#$resourcecreatedresponse)
-- [$ResourceDeletedResponse](api.md#$resourcedeletedresponse)
-- [$ResourceUpdatedResponse](api.md#$resourceupdatedresponse)
-- [$Session](api.md#$session)
-- [$Suggestion](api.md#$suggestion)
-- [$Tool](api.md#$tool)
-- [$ToolChoiceOption](api.md#$toolchoiceoption)
-- [$UpdateAgentRequest](api.md#$updateagentrequest)
-- [$UpdateSessionRequest](api.md#$updatesessionrequest)
-- [$UpdateToolRequest](api.md#$updatetoolrequest)
-- [$UpdateUserRequest](api.md#$updateuserrequest)
-- [$User](api.md#$user)
-- [$agent\_id](api.md#$agent_id)
-- [$doc\_id](api.md#$doc_id)
-- [$job\_id](api.md#$job_id)
-- [$memory\_id](api.md#$memory_id)
-- [$message\_id](api.md#$message_id)
-- [$session\_id](api.md#$session_id)
-- [$tool\_id](api.md#$tool_id)
-- [$user\_id](api.md#$user_id)
-- [OpenAPI](api.md#openapi)
-
-## References
-
-### JulepApiClient
-
-Re-exports [JulepApiClient](../classes/api_JulepApiClient.JulepApiClient.md)
-
-## Type Aliases
-
-### Agent
-
-Ƭ **Agent**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `about?` | `string` | About the agent |
-| `created_at?` | `string` | Agent created at (RFC-3339 format) |
-| `default_settings?` | [`AgentDefaultSettings`](api.md#agentdefaultsettings) | Default settings for all sessions created by this agent |
-| `id` | `string` | Agent id (UUID) |
-| `instructions?` | `string` \| `string`[] | Instructions for the agent |
-| `metadata?` | `any` | Optional metadata |
-| `model` | `string` | The model to use with this agent |
-| `name` | `string` | Name of the agent |
-| `updated_at?` | `string` | Agent updated at (RFC-3339 format) |
-
-#### Defined in
-
-[src/api/models/Agent.ts:6](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/Agent.ts#L6)
-
-___
-
-### AgentDefaultSettings
-
-Ƭ **AgentDefaultSettings**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `frequency_penalty?` | `number` \| ``null`` | (OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim. |
-| `length_penalty?` | `number` \| ``null`` | (Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize number of tokens generated. |
-| `min_p?` | `number` | Minimum probability compared to leading token to be considered |
-| `presence_penalty?` | `number` \| ``null`` | (OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim. |
-| `preset?` | ``"problem_solving"`` \| ``"conversational"`` \| ``"fun"`` \| ``"prose"`` \| ``"creative"`` \| ``"business"`` \| ``"deterministic"`` \| ``"code"`` \| ``"multilingual"`` | Generation preset name (one of: problem_solving, conversational, fun, prose, creative, business, deterministic, code, multilingual) |
-| `repetition_penalty?` | `number` \| ``null`` | (Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim. |
-| `temperature?` | `number` \| ``null`` | What sampling temperature to use, between 0 and 2. Higher values like 0.8 will make the output more random, while lower values like 0.2 will make it more focused and deterministic. |
-| `top_p?` | `number` \| ``null`` | Defaults to 1 An alternative to sampling with temperature, called nucleus sampling, where the model considers the results of the tokens with top_p probability mass. So 0.1 means only the tokens comprising the top 10% probability mass are considered. We generally recommend altering this or temperature but not both. |
-
-#### Defined in
-
-[src/api/models/AgentDefaultSettings.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/AgentDefaultSettings.ts#L5)
-
-___
-
-### ChatInput
-
-Ƭ **ChatInput**: [`ChatInputData`](api.md#chatinputdata) & [`ChatSettings`](api.md#chatsettings) & [`MemoryAccessOptions`](api.md#memoryaccessoptions)
-
-#### Defined in
-
-[src/api/models/ChatInput.ts:8](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ChatInput.ts#L8)
-
-___
-
-### ChatInputData
-
-Ƭ **ChatInputData**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `messages` | [`InputChatMLMessage`](api.md#inputchatmlmessage)[] | A list of new input messages comprising the conversation so far. |
-| `tool_choice?` | [`ToolChoiceOption`](api.md#toolchoiceoption) \| [`NamedToolChoice`](api.md#namedtoolchoice) \| ``null`` | Can be one of existing tools given to the agent earlier or the ones included in the request |
-| `tools?` | [`Tool`](api.md#tool)[] \| ``null`` | (Advanced) List of tools that are provided in addition to agent's default set of tools. Functions of same name in agent set are overridden |
-
-#### Defined in
-
-[src/api/models/ChatInputData.ts:9](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ChatInputData.ts#L9)
-
-___
-
-### ChatMLImageContentPart
-
-Ƭ **ChatMLImageContentPart**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `image_url` | \{ `detail?`: ``"low"`` \| ``"high"`` \| ``"auto"`` ; `url`: `string` } | Image content part, can be a URL or a base64-encoded image |
-| `image_url.detail?` | ``"low"`` \| ``"high"`` \| ``"auto"`` | image detail to feed into the model can be low \| high \| auto |
-| `image_url.url` | `string` | URL or base64 data url (e.g. `data:image/jpeg;base64,`) |
-| `type` | ``"image_url"`` | Fixed to 'image_url' |
-
-#### Defined in
-
-[src/api/models/ChatMLImageContentPart.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ChatMLImageContentPart.ts#L5)
-
-___
-
-### ChatMLMessage
-
-Ƭ **ChatMLMessage**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `content` | `string` | ChatML content |
-| `created_at` | `string` | Message created at (RFC-3339 format) |
-| `id` | `string` | Message ID |
-| `name?` | `string` | ChatML name |
-| `role` | ``"user"`` \| ``"assistant"`` \| ``"system"`` \| ``"function_call"`` \| ``"function"`` | ChatML role (system\|assistant\|user\|function_call\|function) |
-
-#### Defined in
-
-[src/api/models/ChatMLMessage.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ChatMLMessage.ts#L5)
-
-___
-
-### ChatMLTextContentPart
-
-Ƭ **ChatMLTextContentPart**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `text` | `string` | Text content part |
-| `type` | ``"text"`` | Fixed to 'text' |
-
-#### Defined in
-
-[src/api/models/ChatMLTextContentPart.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ChatMLTextContentPart.ts#L5)
-
-___
-
-### ChatResponse
-
-Ƭ **ChatResponse**: `Object`
-
-Represents a chat completion response returned by model, based on the provided input.
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `doc_ids` | [`DocIds`](api.md#docids) | - |
-| `finish_reason` | ``"stop"`` \| ``"length"`` \| ``"tool_calls"`` \| ``"content_filter"`` \| ``"function_call"`` | The reason the model stopped generating tokens. This will be `stop` if the model hit a natural stop point or a provided stop sequence, `length` if the maximum number of tokens specified in the request was reached, `content_filter` if content was omitted due to a flag from our content filters, `tool_calls` if the model called a tool, or `function_call` (deprecated) if the model called a function. |
-| `id` | `string` | A unique identifier for the chat completion. |
-| `jobs?` | `string`[] | IDs (if any) of jobs created as part of this request |
-| `response` | [`ChatMLMessage`](api.md#chatmlmessage)[][] | A list of chat completion messages produced as a response. |
-| `usage` | [`CompletionUsage`](api.md#completionusage) | - |
-
-#### Defined in
-
-[src/api/models/ChatResponse.ts:11](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ChatResponse.ts#L11)
-
-___
-
-### ChatSettings
-
-Ƭ **ChatSettings**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `frequency_penalty?` | `number` \| ``null`` | (OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim. |
-| `length_penalty?` | `number` \| ``null`` | (Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize number of tokens generated. |
-| `logit_bias?` | `Record`\<`string`, `number`\> \| ``null`` | Modify the likelihood of specified tokens appearing in the completion. Accepts a JSON object that maps tokens (specified by their token ID in the tokenizer) to an associated bias value from -100 to 100. Mathematically, the bias is added to the logits generated by the model prior to sampling. The exact effect will vary per model, but values between -1 and 1 should decrease or increase likelihood of selection; values like -100 or 100 should result in a ban or exclusive selection of the relevant token. |
-| `max_tokens?` | `number` \| ``null`` | The maximum number of tokens to generate in the chat completion. The total length of input tokens and generated tokens is limited by the model's context length. |
-| `min_p?` | `number` | Minimum probability compared to leading token to be considered |
-| `presence_penalty?` | `number` \| ``null`` | (OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim. |
-| `preset?` | ``"problem_solving"`` \| ``"conversational"`` \| ``"fun"`` \| ``"prose"`` \| ``"creative"`` \| ``"business"`` \| ``"deterministic"`` \| ``"code"`` \| ``"multilingual"`` | Generation preset name (problem_solving\|conversational\|fun\|prose\|creative\|business\|deterministic\|code\|multilingual) |
-| `repetition_penalty?` | `number` \| ``null`` | (Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim. |
-| `response_format?` | \{ `pattern?`: `string` ; `schema?`: `any` ; `type?`: ``"text"`` \| ``"json_object"`` \| ``"regex"`` } | An object specifying the format that the model must output. Setting to `{ "type": "json_object" }` enables JSON mode, which guarantees the message the model generates is valid JSON. **Important:** when using JSON mode, you **must** also instruct the model to produce JSON yourself via a system or user message. Without this, the model may generate an unending stream of whitespace until the generation reaches the token limit, resulting in a long-running and seemingly "stuck" request. Also note that the message content may be partially cut off if `finish_reason="length"`, which indicates the generation exceeded `max_tokens` or the conversation exceeded the max context length. |
-| `response_format.pattern?` | `string` | Regular expression pattern to use if `type` is `"regex"` |
-| `response_format.schema?` | `any` | JSON Schema to use if `type` is `"json_object"` |
-| `response_format.type?` | ``"text"`` \| ``"json_object"`` \| ``"regex"`` | Must be one of `"text"`, `"regex"` or `"json_object"`. |
-| `seed?` | `number` \| ``null`` | This feature is in Beta. If specified, our system will make a best effort to sample deterministically, such that repeated requests with the same `seed` and parameters should return the same result. Determinism is not guaranteed, and you should refer to the `system_fingerprint` response parameter to monitor changes in the backend. |
-| `stop?` | `string` \| ``null`` \| `string`[] | Up to 4 sequences where the API will stop generating further tokens. |
-| `stream?` | `boolean` \| ``null`` | If set, partial message deltas will be sent, like in ChatGPT. Tokens will be sent as data-only [server-sent events](https://developer.mozilla.org/en-US/docs/Web/API/Server-sent_events/Using_server-sent_events#Event_stream_format) as they become available, with the stream terminated by a `data: [DONE]` message. [Example Python code](https://cookbook.openai.com/examples/how_to_stream_completions). |
-| `temperature?` | `number` \| ``null`` | What sampling temperature to use, between 0 and 2. Higher values like 0.8 will make the output more random, while lower values like 0.2 will make it more focused and deterministic. |
-| `top_p?` | `number` \| ``null`` | Defaults to 1 An alternative to sampling with temperature, called nucleus sampling, where the model considers the results of the tokens with top_p probability mass. So 0.1 means only the tokens comprising the top 10% probability mass are considered. We generally recommend altering this or temperature but not both. |
-
-#### Defined in
-
-[src/api/models/ChatSettings.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ChatSettings.ts#L5)
-
-___
-
-### CompletionUsage
-
-Ƭ **CompletionUsage**: `Object`
-
-Usage statistics for the completion request.
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `completion_tokens` | `number` | Number of tokens in the generated completion. |
-| `prompt_tokens` | `number` | Number of tokens in the prompt. |
-| `total_tokens` | `number` | Total number of tokens used in the request (prompt + completion). |
-
-#### Defined in
-
-[src/api/models/CompletionUsage.ts:8](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/CompletionUsage.ts#L8)
-
-___
-
-### CreateAgentRequest
-
-Ƭ **CreateAgentRequest**: `Object`
-
-A valid request payload for creating an agent
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `about?` | `string` | About the agent |
-| `default_settings?` | [`AgentDefaultSettings`](api.md#agentdefaultsettings) | Default model settings to start every session with |
-| `docs?` | [`CreateDoc`](api.md#createdoc)[] | List of docs about agent |
-| `instructions?` | `string` \| `string`[] | Instructions for the agent |
-| `metadata?` | `any` | (Optional) metadata |
-| `model?` | `string` | Name of the model that the agent is supposed to use |
-| `name` | `string` | Name of the agent |
-| `tools?` | [`CreateToolRequest`](api.md#createtoolrequest)[] | A list of tools the model may call. Currently, only `function`s are supported as a tool. Use this to provide a list of functions the model may generate JSON inputs for. |
-
-#### Defined in
-
-[src/api/models/CreateAgentRequest.ts:11](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/CreateAgentRequest.ts#L11)
-
-___
-
-### CreateDoc
-
-Ƭ **CreateDoc**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `content` | `string`[] \| `string` | Information content |
-| `metadata?` | `any` | Optional metadata |
-| `title` | `string` | Title describing what this bit of information contains |
-
-#### Defined in
-
-[src/api/models/CreateDoc.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/CreateDoc.ts#L5)
-
-___
-
-### CreateSessionRequest
-
-Ƭ **CreateSessionRequest**: `Object`
-
-A valid request payload for creating a session
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `agent_id` | `string` | Agent ID of agent to associate with this session |
-| `context_overflow?` | `string` | Action to start on context window overflow |
-| `metadata?` | `any` | Optional metadata |
-| `render_templates?` | `boolean` | Render system and assistant message content as jinja templates |
-| `situation?` | `string` | A specific situation that sets the background for this session |
-| `token_budget?` | `number` | Threshold value for the adaptive context functionality |
-| `user_id?` | `string` | (Optional) User ID of user to associate with this session |
-
-#### Defined in
-
-[src/api/models/CreateSessionRequest.ts:8](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/CreateSessionRequest.ts#L8)
-
-___
-
-### CreateToolRequest
-
-Ƭ **CreateToolRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `function` | [`FunctionDef`](api.md#functiondef) | Function definition and parameters |
-| `type` | ``"function"`` \| ``"webhook"`` | Whether this tool is a `function` or a `webhook` (Only `function` tool supported right now) |
-
-#### Defined in
-
-[src/api/models/CreateToolRequest.ts:6](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/CreateToolRequest.ts#L6)
-
-___
-
-### CreateUserRequest
-
-Ƭ **CreateUserRequest**: `Object`
-
-A valid request payload for creating a user
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `about?` | `string` | About the user |
-| `docs?` | [`CreateDoc`](api.md#createdoc)[] | List of docs about user |
-| `metadata?` | `any` | (Optional) metadata |
-| `name?` | `string` | Name of the user |
-
-#### Defined in
-
-[src/api/models/CreateUserRequest.ts:9](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/CreateUserRequest.ts#L9)
-
-___
-
-### Doc
-
-Ƭ **Doc**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `content` | `string`[] \| `string` | Information content |
-| `created_at` | `string` | Doc created at |
-| `id` | `string` | ID of doc |
-| `metadata?` | `any` | optional metadata |
-| `title` | `string` | Title describing what this bit of information contains |
-
-#### Defined in
-
-[src/api/models/Doc.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/Doc.ts#L5)
-
-___
-
-### DocIds
-
-Ƭ **DocIds**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `agent_doc_ids` | `string`[] |
-| `user_doc_ids` | `string`[] |
-
-#### Defined in
-
-[src/api/models/DocIds.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/DocIds.ts#L5)
-
-___
-
-### FunctionCallOption
-
-Ƭ **FunctionCallOption**: `Object`
-
-Specifying a particular function via `{"name": "my_function"}` forces the model to call that function.
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `name` | `string` | The name of the function to call. |
-
-#### Defined in
-
-[src/api/models/FunctionCallOption.ts:9](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/FunctionCallOption.ts#L9)
-
-___
-
-### FunctionDef
-
-Ƭ **FunctionDef**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `description?` | `string` | A description of what the function does, used by the model to choose when and how to call the function. |
-| `name` | `string` | The name of the function to be called. Must be a-z, A-Z, 0-9, or contain underscores and dashes, with a maximum length of 64. |
-| `parameters` | [`FunctionParameters`](api.md#functionparameters) | Parameters accepeted by this function |
-
-#### Defined in
-
-[src/api/models/FunctionDef.ts:6](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/FunctionDef.ts#L6)
-
-___
-
-### FunctionParameters
-
-Ƭ **FunctionParameters**: `Record`\<`string`, `any`\>
-
-The parameters the functions accepts, described as a JSON Schema object.
-
-#### Defined in
-
-[src/api/models/FunctionParameters.ts:8](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/FunctionParameters.ts#L8)
-
-___
-
-### InputChatMLMessage
-
-Ƭ **InputChatMLMessage**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `content` | `string` | ChatML content |
-| `continue?` | `boolean` | Whether to continue this message or return a new one |
-| `name?` | `string` | ChatML name |
-| `role` | ``"user"`` \| ``"assistant"`` \| ``"system"`` \| ``"function_call"`` \| ``"function"`` \| ``"auto"`` | ChatML role (system\|assistant\|user\|function_call\|function\|auto) |
-
-#### Defined in
-
-[src/api/models/InputChatMLMessage.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/InputChatMLMessage.ts#L5)
-
-___
-
-### JobStatus
-
-Ƭ **JobStatus**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `created_at` | `string` | Job created at (RFC-3339 format) |
-| `has_progress?` | `boolean` | Whether this Job supports progress updates |
-| `id` | `string` | Job id (UUID) |
-| `name` | `string` | Name of the job |
-| `progress?` | `number` | Progress percentage |
-| `reason?` | `string` | Reason for current state |
-| `state` | ``"pending"`` \| ``"in_progress"`` \| ``"retrying"`` \| ``"succeeded"`` \| ``"aborted"`` \| ``"failed"`` \| ``"unknown"`` | Current state (one of: pending, in_progress, retrying, succeeded, aborted, failed) |
-| `updated_at?` | `string` | Job updated at (RFC-3339 format) |
-
-#### Defined in
-
-[src/api/models/JobStatus.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/JobStatus.ts#L5)
-
-___
-
-### Memory
-
-Ƭ **Memory**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `agent_id` | `string` | ID of the agent |
-| `content` | `string` | Content of the memory |
-| `created_at` | `string` | Memory created at (RFC-3339 format) |
-| `entities` | `any`[] | List of entities mentioned in the memory |
-| `id` | `string` | Memory id (UUID) |
-| `last_accessed_at?` | `string` | Memory last accessed at (RFC-3339 format) |
-| `sentiment?` | `number` | Sentiment (valence) of the memory on a scale of -1 to 1 |
-| `timestamp?` | `string` | Memory happened at (RFC-3339 format) |
-| `user_id` | `string` | ID of the user |
-
-#### Defined in
-
-[src/api/models/Memory.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/Memory.ts#L5)
-
-___
-
-### MemoryAccessOptions
-
-Ƭ **MemoryAccessOptions**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `recall?` | `boolean` | Whether previous memories should be recalled or not |
-| `record?` | `boolean` | Whether this interaction should be recorded in history or not |
-| `remember?` | `boolean` | Whether this interaction should form memories or not |
-
-#### Defined in
-
-[src/api/models/MemoryAccessOptions.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/MemoryAccessOptions.ts#L5)
-
-___
-
-### NamedToolChoice
-
-Ƭ **NamedToolChoice**: `Object`
-
-Specifies a tool the model should use. Use to force the model to call a specific function.
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `function` | \{ `name`: `string` } | - |
-| `function.name` | `string` | The name of the function to call. |
-| `type` | ``"function"`` | The type of the tool. Currently, only `function` is supported. |
-
-#### Defined in
-
-[src/api/models/NamedToolChoice.ts:8](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/NamedToolChoice.ts#L8)
-
-___
-
-### OpenAPIConfig
-
-Ƭ **OpenAPIConfig**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `BASE` | `string` |
-| `CREDENTIALS` | ``"include"`` \| ``"omit"`` \| ``"same-origin"`` |
-| `ENCODE_PATH?` | (`path`: `string`) => `string` |
-| `HEADERS?` | `Headers` \| `Resolver`\<`Headers`\> |
-| `PASSWORD?` | `string` \| `Resolver`\<`string`\> |
-| `TOKEN?` | `string` \| `Resolver`\<`string`\> |
-| `USERNAME?` | `string` \| `Resolver`\<`string`\> |
-| `VERSION` | `string` |
-| `WITH_CREDENTIALS` | `boolean` |
-
-#### Defined in
-
-[src/api/core/OpenAPI.ts:10](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/OpenAPI.ts#L10)
-
-___
-
-### PartialFunctionDef
-
-Ƭ **PartialFunctionDef**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `description?` | `string` | A description of what the function does, used by the model to choose when and how to call the function. |
-| `name?` | `string` | The name of the function to be called. Must be a-z, A-Z, 0-9, or contain underscores and dashes, with a maximum length of 64. |
-| `parameters?` | [`FunctionParameters`](api.md#functionparameters) | Parameters accepeted by this function |
-
-#### Defined in
-
-[src/api/models/PartialFunctionDef.ts:6](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/PartialFunctionDef.ts#L6)
-
-___
-
-### PatchAgentRequest
-
-Ƭ **PatchAgentRequest**: `Object`
-
-A request for patching an agent
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `about?` | `string` | About the agent |
-| `default_settings?` | [`AgentDefaultSettings`](api.md#agentdefaultsettings) | Default model settings to start every session with |
-| `instructions?` | `string` \| `string`[] | Instructions for the agent |
-| `metadata?` | `any` | Optional metadata |
-| `model?` | `string` | Name of the model that the agent is supposed to use |
-| `name?` | `string` | Name of the agent |
-
-#### Defined in
-
-[src/api/models/PatchAgentRequest.ts:9](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/PatchAgentRequest.ts#L9)
-
-___
-
-### PatchSessionRequest
-
-Ƭ **PatchSessionRequest**: `Object`
-
-A request for patching a session
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `context_overflow?` | `string` | Action to start on context window overflow |
-| `metadata?` | `any` | Optional metadata |
-| `situation?` | `string` | Updated situation for this session |
-| `token_budget?` | `number` | Threshold value for the adaptive context functionality |
-
-#### Defined in
-
-[src/api/models/PatchSessionRequest.ts:8](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/PatchSessionRequest.ts#L8)
-
-___
-
-### PatchToolRequest
-
-Ƭ **PatchToolRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `function` | [`PartialFunctionDef`](api.md#partialfunctiondef) | Function definition and parameters |
-
-#### Defined in
-
-[src/api/models/PatchToolRequest.ts:6](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/PatchToolRequest.ts#L6)
-
-___
-
-### PatchUserRequest
-
-Ƭ **PatchUserRequest**: `Object`
-
-A request for patching a user
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `about?` | `string` | About the user |
-| `metadata?` | `any` | Optional metadata |
-| `name?` | `string` | Name of the user |
-
-#### Defined in
-
-[src/api/models/PatchUserRequest.ts:8](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/PatchUserRequest.ts#L8)
-
-___
-
-### ResourceCreatedResponse
-
-Ƭ **ResourceCreatedResponse**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `created_at` | `string` | - |
-| `id` | `string` | - |
-| `jobs?` | `string`[] | IDs (if any) of jobs created as part of this request |
-
-#### Defined in
-
-[src/api/models/ResourceCreatedResponse.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ResourceCreatedResponse.ts#L5)
-
-___
-
-### ResourceDeletedResponse
-
-Ƭ **ResourceDeletedResponse**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `deleted_at` | `string` | - |
-| `id` | `string` | - |
-| `jobs?` | `string`[] | IDs (if any) of jobs created as part of this request |
-
-#### Defined in
-
-[src/api/models/ResourceDeletedResponse.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ResourceDeletedResponse.ts#L5)
-
-___
-
-### ResourceUpdatedResponse
-
-Ƭ **ResourceUpdatedResponse**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `id` | `string` | - |
-| `jobs?` | `string`[] | IDs (if any) of jobs created as part of this request |
-| `updated_at` | `string` | - |
-
-#### Defined in
-
-[src/api/models/ResourceUpdatedResponse.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ResourceUpdatedResponse.ts#L5)
-
-___
-
-### Session
-
-Ƭ **Session**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `agent_id` | `string` | Agent ID of agent associated with this session |
-| `context_overflow?` | `string` | Action to start on context window overflow |
-| `created_at?` | `string` | Session created at (RFC-3339 format) |
-| `id` | `string` | Session id (UUID) |
-| `metadata?` | `any` | Optional metadata |
-| `render_templates?` | `boolean` | Render system and assistant message content as jinja templates |
-| `situation?` | `string` | A specific situation that sets the background for this session |
-| `summary?` | `string` | (null at the beginning) - generated automatically after every interaction |
-| `token_budget?` | `number` | Threshold value for the adaptive context functionality |
-| `updated_at?` | `string` | Session updated at (RFC-3339 format) |
-| `user_id?` | `string` | User ID of user associated with this session |
-
-#### Defined in
-
-[src/api/models/Session.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/Session.ts#L5)
-
-___
-
-### Suggestion
-
-Ƭ **Suggestion**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `content` | `string` | The content of the suggestion |
-| `created_at?` | `string` | Suggestion created at (RFC-3339 format) |
-| `message_id` | `string` | The message that produced it |
-| `session_id` | `string` | Session this suggestion belongs to |
-| `target` | ``"user"`` \| ``"agent"`` | Whether the suggestion is for the `agent` or a `user` |
-
-#### Defined in
-
-[src/api/models/Suggestion.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/Suggestion.ts#L5)
-
-___
-
-### Tool
-
-Ƭ **Tool**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `function` | [`FunctionDef`](api.md#functiondef) | Function definition and parameters |
-| `id` | `string` | Tool ID |
-| `type` | ``"function"`` \| ``"webhook"`` | Whether this tool is a `function` or a `webhook` (Only `function` tool supported right now) |
-
-#### Defined in
-
-[src/api/models/Tool.ts:6](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/Tool.ts#L6)
-
-___
-
-### ToolChoiceOption
-
-Ƭ **ToolChoiceOption**: ``"none"`` \| ``"auto"`` \| [`NamedToolChoice`](api.md#namedtoolchoice)
-
-Controls which (if any) function is called by the model.
-`none` means the model will not call a function and instead generates a message.
-`auto` means the model can pick between generating a message or calling a function.
-Specifying a particular function via `{"type: "function", "function": {"name": "my_function"}}` forces the model to call that function.
-
-`none` is the default when no functions are present. `auto` is the default if functions are present.
-
-#### Defined in
-
-[src/api/models/ToolChoiceOption.ts:15](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/ToolChoiceOption.ts#L15)
-
-___
-
-### UpdateAgentRequest
-
-Ƭ **UpdateAgentRequest**: `Object`
-
-A valid request payload for updating an agent
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `about` | `string` | About the agent |
-| `default_settings?` | [`AgentDefaultSettings`](api.md#agentdefaultsettings) | Default model settings to start every session with |
-| `instructions?` | `string` \| `string`[] | Instructions for the agent |
-| `metadata?` | `any` | Optional metadata |
-| `model?` | `string` | Name of the model that the agent is supposed to use |
-| `name` | `string` | Name of the agent |
-
-#### Defined in
-
-[src/api/models/UpdateAgentRequest.ts:9](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/UpdateAgentRequest.ts#L9)
-
-___
-
-### UpdateSessionRequest
-
-Ƭ **UpdateSessionRequest**: `Object`
-
-A valid request payload for updating a session
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `context_overflow?` | `string` | Action to start on context window overflow |
-| `metadata?` | `any` | Optional metadata |
-| `situation` | `string` | Updated situation for this session |
-| `token_budget?` | `number` | Threshold value for the adaptive context functionality |
-
-#### Defined in
-
-[src/api/models/UpdateSessionRequest.ts:8](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/UpdateSessionRequest.ts#L8)
-
-___
-
-### UpdateToolRequest
-
-Ƭ **UpdateToolRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `function` | [`FunctionDef`](api.md#functiondef) | Function definition and parameters |
-
-#### Defined in
-
-[src/api/models/UpdateToolRequest.ts:6](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/UpdateToolRequest.ts#L6)
-
-___
-
-### UpdateUserRequest
-
-Ƭ **UpdateUserRequest**: `Object`
-
-A valid request payload for updating a user
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `about` | `string` | About the user |
-| `metadata?` | `any` | Optional metadata |
-| `name` | `string` | Name of the user |
-
-#### Defined in
-
-[src/api/models/UpdateUserRequest.ts:8](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/UpdateUserRequest.ts#L8)
-
-___
-
-### User
-
-Ƭ **User**: `Object`
-
-#### Type declaration
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `about?` | `string` | About the user |
-| `created_at?` | `string` | User created at (RFC-3339 format) |
-| `id` | `string` | User id (UUID) |
-| `metadata?` | `any` | (Optional) metadata |
-| `name?` | `string` | Name of the user |
-| `updated_at?` | `string` | User updated at (RFC-3339 format) |
-
-#### Defined in
-
-[src/api/models/User.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/User.ts#L5)
-
-___
-
-### agent\_id
-
-Ƭ **agent\_id**: `string`
-
-#### Defined in
-
-[src/api/models/agent_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/agent_id.ts#L5)
-
-___
-
-### doc\_id
-
-Ƭ **doc\_id**: `string`
-
-#### Defined in
-
-[src/api/models/doc_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/doc_id.ts#L5)
-
-___
-
-### job\_id
-
-Ƭ **job\_id**: `string`
-
-#### Defined in
-
-[src/api/models/job_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/job_id.ts#L5)
-
-___
-
-### memory\_id
-
-Ƭ **memory\_id**: `string`
-
-#### Defined in
-
-[src/api/models/memory_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/memory_id.ts#L5)
-
-___
-
-### message\_id
-
-Ƭ **message\_id**: `string`
-
-#### Defined in
-
-[src/api/models/message_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/message_id.ts#L5)
-
-___
-
-### session\_id
-
-Ƭ **session\_id**: `string`
-
-#### Defined in
-
-[src/api/models/session_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/session_id.ts#L5)
-
-___
-
-### tool\_id
-
-Ƭ **tool\_id**: `string`
-
-#### Defined in
-
-[src/api/models/tool_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/tool_id.ts#L5)
-
-___
-
-### user\_id
-
-Ƭ **user\_id**: `string`
-
-#### Defined in
-
-[src/api/models/user_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/models/user_id.ts#L5)
-
-## Variables
-
-### $Agent
-
-• `Const` **$Agent**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `about`: \{ `description`: ``"About the agent"`` ; `type`: ``"string"`` = "string" } ; `created_at`: \{ `description`: ``"Agent created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } ; `default_settings`: \{ `description`: ``"Default settings for all sessions created by this agent"`` ; `type`: ``"AgentDefaultSettings"`` = "AgentDefaultSettings" } ; `id`: \{ `description`: ``"Agent id (UUID)"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `instructions`: \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] ; `description`: ``"Instructions for the agent"`` ; `type`: ``"one-of"`` = "one-of" } ; `metadata`: \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } ; `model`: \{ `description`: ``"The model to use with this agent"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `name`: \{ `description`: ``"Name of the agent"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `updated_at`: \{ `description`: ``"Agent updated at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } } |
-| `properties.about` | \{ `description`: ``"About the agent"`` ; `type`: ``"string"`` = "string" } |
-| `properties.about.description` | ``"About the agent"`` |
-| `properties.about.type` | ``"string"`` |
-| `properties.created_at` | \{ `description`: ``"Agent created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } |
-| `properties.created_at.description` | ``"Agent created at (RFC-3339 format)"`` |
-| `properties.created_at.format` | ``"date-time"`` |
-| `properties.created_at.type` | ``"string"`` |
-| `properties.default_settings` | \{ `description`: ``"Default settings for all sessions created by this agent"`` ; `type`: ``"AgentDefaultSettings"`` = "AgentDefaultSettings" } |
-| `properties.default_settings.description` | ``"Default settings for all sessions created by this agent"`` |
-| `properties.default_settings.type` | ``"AgentDefaultSettings"`` |
-| `properties.id` | \{ `description`: ``"Agent id (UUID)"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.description` | ``"Agent id (UUID)"`` |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.instructions` | \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] ; `description`: ``"Instructions for the agent"`` ; `type`: ``"one-of"`` = "one-of" } |
-| `properties.instructions.contains` | readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] |
-| `properties.instructions.description` | ``"Instructions for the agent"`` |
-| `properties.instructions.type` | ``"one-of"`` |
-| `properties.metadata` | \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"Optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.model` | \{ `description`: ``"The model to use with this agent"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.model.description` | ``"The model to use with this agent"`` |
-| `properties.model.isRequired` | ``true`` |
-| `properties.model.type` | ``"string"`` |
-| `properties.name` | \{ `description`: ``"Name of the agent"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"Name of the agent"`` |
-| `properties.name.isRequired` | ``true`` |
-| `properties.name.type` | ``"string"`` |
-| `properties.updated_at` | \{ `description`: ``"Agent updated at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } |
-| `properties.updated_at.description` | ``"Agent updated at (RFC-3339 format)"`` |
-| `properties.updated_at.format` | ``"date-time"`` |
-| `properties.updated_at.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$Agent.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$Agent.ts#L5)
-
-___
-
-### $AgentDefaultSettings
-
-• `Const` **$AgentDefaultSettings**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `frequency_penalty`: \{ `description`: ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `minimum`: ``-2`` = -2; `type`: ``"number"`` = "number" } ; `length_penalty`: \{ `description`: ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize number of tokens generated. "`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `type`: ``"number"`` = "number" } ; `min_p`: \{ `description`: ``"Minimum probability compared to leading token to be considered"`` ; `exclusiveMaximum`: ``true`` = true; `maximum`: ``1`` = 1; `type`: ``"number"`` = "number" } ; `presence_penalty`: \{ `description`: ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``1`` = 1; `minimum`: ``-1`` = -1; `type`: ``"number"`` = "number" } ; `preset`: \{ `type`: ``"Enum"`` = "Enum" } ; `repetition_penalty`: \{ `description`: ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `type`: ``"number"`` = "number" } ; `temperature`: \{ `description`: ``"What sampling temperature to use, between 0 and 2. Higher values like 0.8 will make the output more random, while lower values like 0.2 will make it more focused and deterministic."`` ; `isNullable`: ``true`` = true; `maximum`: ``3`` = 3; `type`: ``"number"`` = "number" } ; `top_p`: \{ `description`: ``"Defaults to 1 An alternative to sampling with temperature, called nucleus sampling, where the model considers the results of the tokens with top_p probability mass. So 0.1 means only the tokens comprising the top 10% probability mass are considered. We generally recommend altering this or temperature but not both."`` ; `isNullable`: ``true`` = true; `maximum`: ``1`` = 1; `type`: ``"number"`` = "number" } } |
-| `properties.frequency_penalty` | \{ `description`: ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `minimum`: ``-2`` = -2; `type`: ``"number"`` = "number" } |
-| `properties.frequency_penalty.description` | ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` |
-| `properties.frequency_penalty.isNullable` | ``true`` |
-| `properties.frequency_penalty.maximum` | ``2`` |
-| `properties.frequency_penalty.minimum` | ``-2`` |
-| `properties.frequency_penalty.type` | ``"number"`` |
-| `properties.length_penalty` | \{ `description`: ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize number of tokens generated. "`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `type`: ``"number"`` = "number" } |
-| `properties.length_penalty.description` | ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize number of tokens generated. "`` |
-| `properties.length_penalty.isNullable` | ``true`` |
-| `properties.length_penalty.maximum` | ``2`` |
-| `properties.length_penalty.type` | ``"number"`` |
-| `properties.min_p` | \{ `description`: ``"Minimum probability compared to leading token to be considered"`` ; `exclusiveMaximum`: ``true`` = true; `maximum`: ``1`` = 1; `type`: ``"number"`` = "number" } |
-| `properties.min_p.description` | ``"Minimum probability compared to leading token to be considered"`` |
-| `properties.min_p.exclusiveMaximum` | ``true`` |
-| `properties.min_p.maximum` | ``1`` |
-| `properties.min_p.type` | ``"number"`` |
-| `properties.presence_penalty` | \{ `description`: ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``1`` = 1; `minimum`: ``-1`` = -1; `type`: ``"number"`` = "number" } |
-| `properties.presence_penalty.description` | ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` |
-| `properties.presence_penalty.isNullable` | ``true`` |
-| `properties.presence_penalty.maximum` | ``1`` |
-| `properties.presence_penalty.minimum` | ``-1`` |
-| `properties.presence_penalty.type` | ``"number"`` |
-| `properties.preset` | \{ `type`: ``"Enum"`` = "Enum" } |
-| `properties.preset.type` | ``"Enum"`` |
-| `properties.repetition_penalty` | \{ `description`: ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `type`: ``"number"`` = "number" } |
-| `properties.repetition_penalty.description` | ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` |
-| `properties.repetition_penalty.isNullable` | ``true`` |
-| `properties.repetition_penalty.maximum` | ``2`` |
-| `properties.repetition_penalty.type` | ``"number"`` |
-| `properties.temperature` | \{ `description`: ``"What sampling temperature to use, between 0 and 2. Higher values like 0.8 will make the output more random, while lower values like 0.2 will make it more focused and deterministic."`` ; `isNullable`: ``true`` = true; `maximum`: ``3`` = 3; `type`: ``"number"`` = "number" } |
-| `properties.temperature.description` | ``"What sampling temperature to use, between 0 and 2. Higher values like 0.8 will make the output more random, while lower values like 0.2 will make it more focused and deterministic."`` |
-| `properties.temperature.isNullable` | ``true`` |
-| `properties.temperature.maximum` | ``3`` |
-| `properties.temperature.type` | ``"number"`` |
-| `properties.top_p` | \{ `description`: ``"Defaults to 1 An alternative to sampling with temperature, called nucleus sampling, where the model considers the results of the tokens with top_p probability mass. So 0.1 means only the tokens comprising the top 10% probability mass are considered. We generally recommend altering this or temperature but not both."`` ; `isNullable`: ``true`` = true; `maximum`: ``1`` = 1; `type`: ``"number"`` = "number" } |
-| `properties.top_p.description` | ``"Defaults to 1 An alternative to sampling with temperature, called nucleus sampling, where the model considers the results of the tokens with top_p probability mass. So 0.1 means only the tokens comprising the top 10% probability mass are considered. We generally recommend altering this or temperature but not both."`` |
-| `properties.top_p.isNullable` | ``true`` |
-| `properties.top_p.maximum` | ``1`` |
-| `properties.top_p.type` | ``"number"`` |
-
-#### Defined in
-
-[src/api/schemas/$AgentDefaultSettings.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$AgentDefaultSettings.ts#L5)
-
-___
-
-### $ChatInput
-
-• `Const` **$ChatInput**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `contains` | readonly [\{ `type`: ``"ChatInputData"`` = "ChatInputData" }, \{ `type`: ``"ChatSettings"`` = "ChatSettings" }, \{ `type`: ``"MemoryAccessOptions"`` = "MemoryAccessOptions" }] |
-| `type` | ``"all-of"`` |
-
-#### Defined in
-
-[src/api/schemas/$ChatInput.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ChatInput.ts#L5)
-
-___
-
-### $ChatInputData
-
-• `Const` **$ChatInputData**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `messages`: \{ `contains`: \{ `type`: ``"InputChatMLMessage"`` = "InputChatMLMessage" } ; `isRequired`: ``true`` = true; `type`: ``"array"`` = "array" } ; `tool_choice`: \{ `contains`: readonly [\{ `type`: ``"ToolChoiceOption"`` = "ToolChoiceOption" }, \{ `type`: ``"NamedToolChoice"`` = "NamedToolChoice" }] ; `description`: ``"Can be one of existing tools given to the agent earlier or the ones included in the request"`` ; `isNullable`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } ; `tools`: \{ `contains`: \{ `type`: ``"Tool"`` = "Tool" } ; `isNullable`: ``true`` = true; `type`: ``"array"`` = "array" } } |
-| `properties.messages` | \{ `contains`: \{ `type`: ``"InputChatMLMessage"`` = "InputChatMLMessage" } ; `isRequired`: ``true`` = true; `type`: ``"array"`` = "array" } |
-| `properties.messages.contains` | \{ `type`: ``"InputChatMLMessage"`` = "InputChatMLMessage" } |
-| `properties.messages.contains.type` | ``"InputChatMLMessage"`` |
-| `properties.messages.isRequired` | ``true`` |
-| `properties.messages.type` | ``"array"`` |
-| `properties.tool_choice` | \{ `contains`: readonly [\{ `type`: ``"ToolChoiceOption"`` = "ToolChoiceOption" }, \{ `type`: ``"NamedToolChoice"`` = "NamedToolChoice" }] ; `description`: ``"Can be one of existing tools given to the agent earlier or the ones included in the request"`` ; `isNullable`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } |
-| `properties.tool_choice.contains` | readonly [\{ `type`: ``"ToolChoiceOption"`` = "ToolChoiceOption" }, \{ `type`: ``"NamedToolChoice"`` = "NamedToolChoice" }] |
-| `properties.tool_choice.description` | ``"Can be one of existing tools given to the agent earlier or the ones included in the request"`` |
-| `properties.tool_choice.isNullable` | ``true`` |
-| `properties.tool_choice.type` | ``"one-of"`` |
-| `properties.tools` | \{ `contains`: \{ `type`: ``"Tool"`` = "Tool" } ; `isNullable`: ``true`` = true; `type`: ``"array"`` = "array" } |
-| `properties.tools.contains` | \{ `type`: ``"Tool"`` = "Tool" } |
-| `properties.tools.contains.type` | ``"Tool"`` |
-| `properties.tools.isNullable` | ``true`` |
-| `properties.tools.type` | ``"array"`` |
-
-#### Defined in
-
-[src/api/schemas/$ChatInputData.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ChatInputData.ts#L5)
-
-___
-
-### $ChatMLImageContentPart
-
-• `Const` **$ChatMLImageContentPart**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `image_url`: \{ `description`: ``"Image content part, can be a URL or a base64-encoded image"`` ; `isRequired`: ``true`` = true; `properties`: \{ `detail`: \{ `type`: ``"Enum"`` = "Enum" } ; `url`: \{ `description`: ``"URL or base64 data url (e.g. `data:image/jpeg;base64,`)"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } } ; `type`: \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } } |
-| `properties.image_url` | \{ `description`: ``"Image content part, can be a URL or a base64-encoded image"`` ; `isRequired`: ``true`` = true; `properties`: \{ `detail`: \{ `type`: ``"Enum"`` = "Enum" } ; `url`: \{ `description`: ``"URL or base64 data url (e.g. `data:image/jpeg;base64,`)"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } } |
-| `properties.image_url.description` | ``"Image content part, can be a URL or a base64-encoded image"`` |
-| `properties.image_url.isRequired` | ``true`` |
-| `properties.image_url.properties` | \{ `detail`: \{ `type`: ``"Enum"`` = "Enum" } ; `url`: \{ `description`: ``"URL or base64 data url (e.g. `data:image/jpeg;base64,`)"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } |
-| `properties.image_url.properties.detail` | \{ `type`: ``"Enum"`` = "Enum" } |
-| `properties.image_url.properties.detail.type` | ``"Enum"`` |
-| `properties.image_url.properties.url` | \{ `description`: ``"URL or base64 data url (e.g. `data:image/jpeg;base64,`)"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.image_url.properties.url.description` | ``"URL or base64 data url (e.g. `data:image/jpeg;base64,`)"`` |
-| `properties.image_url.properties.url.isRequired` | ``true`` |
-| `properties.image_url.properties.url.type` | ``"string"`` |
-| `properties.type` | \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } |
-| `properties.type.isRequired` | ``true`` |
-| `properties.type.type` | ``"Enum"`` |
-
-#### Defined in
-
-[src/api/schemas/$ChatMLImageContentPart.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ChatMLImageContentPart.ts#L5)
-
-___
-
-### $ChatMLMessage
-
-• `Const` **$ChatMLMessage**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `content`: \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }] ; `description`: ``"ChatML content"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } ; `created_at`: \{ `description`: ``"Message created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `id`: \{ `description`: ``"Message ID"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `name`: \{ `description`: ``"ChatML name"`` ; `type`: ``"string"`` = "string" } ; `role`: \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } } |
-| `properties.content` | \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }] ; `description`: ``"ChatML content"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } |
-| `properties.content.contains` | readonly [\{ `type`: ``"string"`` = "string" }] |
-| `properties.content.description` | ``"ChatML content"`` |
-| `properties.content.isRequired` | ``true`` |
-| `properties.content.type` | ``"one-of"`` |
-| `properties.created_at` | \{ `description`: ``"Message created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.created_at.description` | ``"Message created at (RFC-3339 format)"`` |
-| `properties.created_at.format` | ``"date-time"`` |
-| `properties.created_at.isRequired` | ``true`` |
-| `properties.created_at.type` | ``"string"`` |
-| `properties.id` | \{ `description`: ``"Message ID"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.description` | ``"Message ID"`` |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.name` | \{ `description`: ``"ChatML name"`` ; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"ChatML name"`` |
-| `properties.name.type` | ``"string"`` |
-| `properties.role` | \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } |
-| `properties.role.isRequired` | ``true`` |
-| `properties.role.type` | ``"Enum"`` |
-
-#### Defined in
-
-[src/api/schemas/$ChatMLMessage.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ChatMLMessage.ts#L5)
-
-___
-
-### $ChatMLTextContentPart
-
-• `Const` **$ChatMLTextContentPart**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `text`: \{ `description`: ``"Text content part"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `type`: \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } } |
-| `properties.text` | \{ `description`: ``"Text content part"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.text.description` | ``"Text content part"`` |
-| `properties.text.isRequired` | ``true`` |
-| `properties.text.type` | ``"string"`` |
-| `properties.type` | \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } |
-| `properties.type.isRequired` | ``true`` |
-| `properties.type.type` | ``"Enum"`` |
-
-#### Defined in
-
-[src/api/schemas/$ChatMLTextContentPart.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ChatMLTextContentPart.ts#L5)
-
-___
-
-### $ChatResponse
-
-• `Const` **$ChatResponse**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"Represents a chat completion response returned by model, based on the provided input."`` |
-| `properties` | \{ `doc_ids`: \{ `isRequired`: ``true`` = true; `type`: ``"DocIds"`` = "DocIds" } ; `finish_reason`: \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } ; `id`: \{ `description`: ``"A unique identifier for the chat completion."`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `jobs`: \{ `contains`: \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" } ; `response`: \{ `contains`: \{ `contains`: \{ `type`: ``"ChatMLMessage"`` = "ChatMLMessage" } ; `type`: ``"array"`` = "array" } ; `isRequired`: ``true`` = true; `type`: ``"array"`` = "array" } ; `usage`: \{ `isRequired`: ``true`` = true; `type`: ``"CompletionUsage"`` = "CompletionUsage" } } |
-| `properties.doc_ids` | \{ `isRequired`: ``true`` = true; `type`: ``"DocIds"`` = "DocIds" } |
-| `properties.doc_ids.isRequired` | ``true`` |
-| `properties.doc_ids.type` | ``"DocIds"`` |
-| `properties.finish_reason` | \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } |
-| `properties.finish_reason.isRequired` | ``true`` |
-| `properties.finish_reason.type` | ``"Enum"`` |
-| `properties.id` | \{ `description`: ``"A unique identifier for the chat completion."`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.description` | ``"A unique identifier for the chat completion."`` |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.jobs` | \{ `contains`: \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" } |
-| `properties.jobs.contains` | \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } |
-| `properties.jobs.contains.format` | ``"uuid"`` |
-| `properties.jobs.contains.type` | ``"string"`` |
-| `properties.jobs.type` | ``"array"`` |
-| `properties.response` | \{ `contains`: \{ `contains`: \{ `type`: ``"ChatMLMessage"`` = "ChatMLMessage" } ; `type`: ``"array"`` = "array" } ; `isRequired`: ``true`` = true; `type`: ``"array"`` = "array" } |
-| `properties.response.contains` | \{ `contains`: \{ `type`: ``"ChatMLMessage"`` = "ChatMLMessage" } ; `type`: ``"array"`` = "array" } |
-| `properties.response.contains.contains` | \{ `type`: ``"ChatMLMessage"`` = "ChatMLMessage" } |
-| `properties.response.contains.contains.type` | ``"ChatMLMessage"`` |
-| `properties.response.contains.type` | ``"array"`` |
-| `properties.response.isRequired` | ``true`` |
-| `properties.response.type` | ``"array"`` |
-| `properties.usage` | \{ `isRequired`: ``true`` = true; `type`: ``"CompletionUsage"`` = "CompletionUsage" } |
-| `properties.usage.isRequired` | ``true`` |
-| `properties.usage.type` | ``"CompletionUsage"`` |
-
-#### Defined in
-
-[src/api/schemas/$ChatResponse.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ChatResponse.ts#L5)
-
-___
-
-### $ChatSettings
-
-• `Const` **$ChatSettings**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `frequency_penalty`: \{ `description`: ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``1`` = 1; `minimum`: ``-1`` = -1; `type`: ``"number"`` = "number" } ; `length_penalty`: \{ `description`: ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize number of tokens generated. "`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `type`: ``"number"`` = "number" } ; `logit_bias`: \{ `contains`: \{ `type`: ``"number"`` = "number" } ; `isNullable`: ``true`` = true; `type`: ``"dictionary"`` = "dictionary" } ; `max_tokens`: \{ `description`: ``"The maximum number of tokens to generate in the chat completion.\n The total length of input tokens and generated tokens is limited by the model's context length.\n "`` ; `isNullable`: ``true`` = true; `maximum`: ``16384`` = 16384; `minimum`: ``1`` = 1; `type`: ``"number"`` = "number" } ; `min_p`: \{ `description`: ``"Minimum probability compared to leading token to be considered"`` ; `exclusiveMaximum`: ``true`` = true; `maximum`: ``1`` = 1; `type`: ``"number"`` = "number" } ; `presence_penalty`: \{ `description`: ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``1`` = 1; `minimum`: ``-1`` = -1; `type`: ``"number"`` = "number" } ; `preset`: \{ `type`: ``"Enum"`` = "Enum" } ; `repetition_penalty`: \{ `description`: ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `type`: ``"number"`` = "number" } ; `response_format`: \{ `description`: ``"An object specifying the format that the model must output.\n Setting to `{ \"type\": \"json_object\" }` enables JSON mode, which guarantees the message the model generates is valid JSON.\n **Important:** when using JSON mode, you **must** also instruct the model to produce JSON yourself via a system or user message. Without this, the model may generate an unending stream of whitespace until the generation reaches the token limit, resulting in a long-running and seemingly \"stuck\" request. Also note that the message content may be partially cut off if `finish_reason=\"length\"`, which indicates the generation exceeded `max_tokens` or the conversation exceeded the max context length.\n "`` ; `properties`: \{ `pattern`: \{ `description`: ``"Regular expression pattern to use if `type` is `\"regex\"`"`` ; `type`: ``"string"`` = "string" } ; `schema`: \{ `description`: ``"JSON Schema to use if `type` is `\"json_object\"`"`` ; `properties`: {} = \{} } ; `type`: \{ `type`: ``"Enum"`` = "Enum" } } } ; `seed`: \{ `description`: ``"This feature is in Beta.\n If specified, our system will make a best effort to sample deterministically, such that repeated requests with the same `seed` and parameters should return the same result.\n Determinism is not guaranteed, and you should refer to the `system_fingerprint` response parameter to monitor changes in the backend.\n "`` ; `isNullable`: ``true`` = true; `maximum`: ``9999`` = 9999; `minimum`: ``-1`` = -1; `type`: ``"number"`` = "number" } ; `stop`: \{ `contains`: readonly [\{ `isNullable`: ``true`` = true; `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] ; `description`: ``"Up to 4 sequences where the API will stop generating further tokens.\n "`` ; `type`: ``"one-of"`` = "one-of" } ; `stream`: \{ `description`: ``"If set, partial message deltas will be sent, like in ChatGPT. Tokens will be sent as data-only [server-sent events](https://developer.mozilla.org/en-US/docs/Web/API/Server-sent_events/Using_server-sent_events#Event_stream_format) as they become available, with the stream terminated by a `data: [DONE]` message. [Example Python code](https://cookbook.openai.com/examples/how_to_stream_completions).\n "`` ; `isNullable`: ``true`` = true; `type`: ``"boolean"`` = "boolean" } ; `temperature`: \{ `description`: ``"What sampling temperature to use, between 0 and 2. Higher values like 0.8 will make the output more random, while lower values like 0.2 will make it more focused and deterministic."`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `type`: ``"number"`` = "number" } ; `top_p`: \{ `description`: ``"Defaults to 1 An alternative to sampling with temperature, called nucleus sampling, where the model considers the results of the tokens with top_p probability mass. So 0.1 means only the tokens comprising the top 10% probability mass are considered. We generally recommend altering this or temperature but not both."`` ; `exclusiveMinimum`: ``true`` = true; `isNullable`: ``true`` = true; `maximum`: ``1`` = 1; `type`: ``"number"`` = "number" } } |
-| `properties.frequency_penalty` | \{ `description`: ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``1`` = 1; `minimum`: ``-1`` = -1; `type`: ``"number"`` = "number" } |
-| `properties.frequency_penalty.description` | ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` |
-| `properties.frequency_penalty.isNullable` | ``true`` |
-| `properties.frequency_penalty.maximum` | ``1`` |
-| `properties.frequency_penalty.minimum` | ``-1`` |
-| `properties.frequency_penalty.type` | ``"number"`` |
-| `properties.length_penalty` | \{ `description`: ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize number of tokens generated. "`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `type`: ``"number"`` = "number" } |
-| `properties.length_penalty.description` | ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize number of tokens generated. "`` |
-| `properties.length_penalty.isNullable` | ``true`` |
-| `properties.length_penalty.maximum` | ``2`` |
-| `properties.length_penalty.type` | ``"number"`` |
-| `properties.logit_bias` | \{ `contains`: \{ `type`: ``"number"`` = "number" } ; `isNullable`: ``true`` = true; `type`: ``"dictionary"`` = "dictionary" } |
-| `properties.logit_bias.contains` | \{ `type`: ``"number"`` = "number" } |
-| `properties.logit_bias.contains.type` | ``"number"`` |
-| `properties.logit_bias.isNullable` | ``true`` |
-| `properties.logit_bias.type` | ``"dictionary"`` |
-| `properties.max_tokens` | \{ `description`: ``"The maximum number of tokens to generate in the chat completion.\n The total length of input tokens and generated tokens is limited by the model's context length.\n "`` ; `isNullable`: ``true`` = true; `maximum`: ``16384`` = 16384; `minimum`: ``1`` = 1; `type`: ``"number"`` = "number" } |
-| `properties.max_tokens.description` | ``"The maximum number of tokens to generate in the chat completion.\n The total length of input tokens and generated tokens is limited by the model's context length.\n "`` |
-| `properties.max_tokens.isNullable` | ``true`` |
-| `properties.max_tokens.maximum` | ``16384`` |
-| `properties.max_tokens.minimum` | ``1`` |
-| `properties.max_tokens.type` | ``"number"`` |
-| `properties.min_p` | \{ `description`: ``"Minimum probability compared to leading token to be considered"`` ; `exclusiveMaximum`: ``true`` = true; `maximum`: ``1`` = 1; `type`: ``"number"`` = "number" } |
-| `properties.min_p.description` | ``"Minimum probability compared to leading token to be considered"`` |
-| `properties.min_p.exclusiveMaximum` | ``true`` |
-| `properties.min_p.maximum` | ``1`` |
-| `properties.min_p.type` | ``"number"`` |
-| `properties.presence_penalty` | \{ `description`: ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``1`` = 1; `minimum`: ``-1`` = -1; `type`: ``"number"`` = "number" } |
-| `properties.presence_penalty.description` | ``"(OpenAI-like) Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` |
-| `properties.presence_penalty.isNullable` | ``true`` |
-| `properties.presence_penalty.maximum` | ``1`` |
-| `properties.presence_penalty.minimum` | ``-1`` |
-| `properties.presence_penalty.type` | ``"number"`` |
-| `properties.preset` | \{ `type`: ``"Enum"`` = "Enum" } |
-| `properties.preset.type` | ``"Enum"`` |
-| `properties.repetition_penalty` | \{ `description`: ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `type`: ``"number"`` = "number" } |
-| `properties.repetition_penalty.description` | ``"(Huggingface-like) Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim."`` |
-| `properties.repetition_penalty.isNullable` | ``true`` |
-| `properties.repetition_penalty.maximum` | ``2`` |
-| `properties.repetition_penalty.type` | ``"number"`` |
-| `properties.response_format` | \{ `description`: ``"An object specifying the format that the model must output.\n Setting to `{ \"type\": \"json_object\" }` enables JSON mode, which guarantees the message the model generates is valid JSON.\n **Important:** when using JSON mode, you **must** also instruct the model to produce JSON yourself via a system or user message. Without this, the model may generate an unending stream of whitespace until the generation reaches the token limit, resulting in a long-running and seemingly \"stuck\" request. Also note that the message content may be partially cut off if `finish_reason=\"length\"`, which indicates the generation exceeded `max_tokens` or the conversation exceeded the max context length.\n "`` ; `properties`: \{ `pattern`: \{ `description`: ``"Regular expression pattern to use if `type` is `\"regex\"`"`` ; `type`: ``"string"`` = "string" } ; `schema`: \{ `description`: ``"JSON Schema to use if `type` is `\"json_object\"`"`` ; `properties`: {} = \{} } ; `type`: \{ `type`: ``"Enum"`` = "Enum" } } } |
-| `properties.response_format.description` | ``"An object specifying the format that the model must output.\n Setting to `{ \"type\": \"json_object\" }` enables JSON mode, which guarantees the message the model generates is valid JSON.\n **Important:** when using JSON mode, you **must** also instruct the model to produce JSON yourself via a system or user message. Without this, the model may generate an unending stream of whitespace until the generation reaches the token limit, resulting in a long-running and seemingly \"stuck\" request. Also note that the message content may be partially cut off if `finish_reason=\"length\"`, which indicates the generation exceeded `max_tokens` or the conversation exceeded the max context length.\n "`` |
-| `properties.response_format.properties` | \{ `pattern`: \{ `description`: ``"Regular expression pattern to use if `type` is `\"regex\"`"`` ; `type`: ``"string"`` = "string" } ; `schema`: \{ `description`: ``"JSON Schema to use if `type` is `\"json_object\"`"`` ; `properties`: {} = \{} } ; `type`: \{ `type`: ``"Enum"`` = "Enum" } } |
-| `properties.response_format.properties.pattern` | \{ `description`: ``"Regular expression pattern to use if `type` is `\"regex\"`"`` ; `type`: ``"string"`` = "string" } |
-| `properties.response_format.properties.pattern.description` | ``"Regular expression pattern to use if `type` is `\"regex\"`"`` |
-| `properties.response_format.properties.pattern.type` | ``"string"`` |
-| `properties.response_format.properties.schema` | \{ `description`: ``"JSON Schema to use if `type` is `\"json_object\"`"`` ; `properties`: {} = \{} } |
-| `properties.response_format.properties.schema.description` | ``"JSON Schema to use if `type` is `\"json_object\"`"`` |
-| `properties.response_format.properties.schema.properties` | {} |
-| `properties.response_format.properties.type` | \{ `type`: ``"Enum"`` = "Enum" } |
-| `properties.response_format.properties.type.type` | ``"Enum"`` |
-| `properties.seed` | \{ `description`: ``"This feature is in Beta.\n If specified, our system will make a best effort to sample deterministically, such that repeated requests with the same `seed` and parameters should return the same result.\n Determinism is not guaranteed, and you should refer to the `system_fingerprint` response parameter to monitor changes in the backend.\n "`` ; `isNullable`: ``true`` = true; `maximum`: ``9999`` = 9999; `minimum`: ``-1`` = -1; `type`: ``"number"`` = "number" } |
-| `properties.seed.description` | ``"This feature is in Beta.\n If specified, our system will make a best effort to sample deterministically, such that repeated requests with the same `seed` and parameters should return the same result.\n Determinism is not guaranteed, and you should refer to the `system_fingerprint` response parameter to monitor changes in the backend.\n "`` |
-| `properties.seed.isNullable` | ``true`` |
-| `properties.seed.maximum` | ``9999`` |
-| `properties.seed.minimum` | ``-1`` |
-| `properties.seed.type` | ``"number"`` |
-| `properties.stop` | \{ `contains`: readonly [\{ `isNullable`: ``true`` = true; `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] ; `description`: ``"Up to 4 sequences where the API will stop generating further tokens.\n "`` ; `type`: ``"one-of"`` = "one-of" } |
-| `properties.stop.contains` | readonly [\{ `isNullable`: ``true`` = true; `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] |
-| `properties.stop.description` | ``"Up to 4 sequences where the API will stop generating further tokens.\n "`` |
-| `properties.stop.type` | ``"one-of"`` |
-| `properties.stream` | \{ `description`: ``"If set, partial message deltas will be sent, like in ChatGPT. Tokens will be sent as data-only [server-sent events](https://developer.mozilla.org/en-US/docs/Web/API/Server-sent_events/Using_server-sent_events#Event_stream_format) as they become available, with the stream terminated by a `data: [DONE]` message. [Example Python code](https://cookbook.openai.com/examples/how_to_stream_completions).\n "`` ; `isNullable`: ``true`` = true; `type`: ``"boolean"`` = "boolean" } |
-| `properties.stream.description` | ``"If set, partial message deltas will be sent, like in ChatGPT. Tokens will be sent as data-only [server-sent events](https://developer.mozilla.org/en-US/docs/Web/API/Server-sent_events/Using_server-sent_events#Event_stream_format) as they become available, with the stream terminated by a `data: [DONE]` message. [Example Python code](https://cookbook.openai.com/examples/how_to_stream_completions).\n "`` |
-| `properties.stream.isNullable` | ``true`` |
-| `properties.stream.type` | ``"boolean"`` |
-| `properties.temperature` | \{ `description`: ``"What sampling temperature to use, between 0 and 2. Higher values like 0.8 will make the output more random, while lower values like 0.2 will make it more focused and deterministic."`` ; `isNullable`: ``true`` = true; `maximum`: ``2`` = 2; `type`: ``"number"`` = "number" } |
-| `properties.temperature.description` | ``"What sampling temperature to use, between 0 and 2. Higher values like 0.8 will make the output more random, while lower values like 0.2 will make it more focused and deterministic."`` |
-| `properties.temperature.isNullable` | ``true`` |
-| `properties.temperature.maximum` | ``2`` |
-| `properties.temperature.type` | ``"number"`` |
-| `properties.top_p` | \{ `description`: ``"Defaults to 1 An alternative to sampling with temperature, called nucleus sampling, where the model considers the results of the tokens with top_p probability mass. So 0.1 means only the tokens comprising the top 10% probability mass are considered. We generally recommend altering this or temperature but not both."`` ; `exclusiveMinimum`: ``true`` = true; `isNullable`: ``true`` = true; `maximum`: ``1`` = 1; `type`: ``"number"`` = "number" } |
-| `properties.top_p.description` | ``"Defaults to 1 An alternative to sampling with temperature, called nucleus sampling, where the model considers the results of the tokens with top_p probability mass. So 0.1 means only the tokens comprising the top 10% probability mass are considered. We generally recommend altering this or temperature but not both."`` |
-| `properties.top_p.exclusiveMinimum` | ``true`` |
-| `properties.top_p.isNullable` | ``true`` |
-| `properties.top_p.maximum` | ``1`` |
-| `properties.top_p.type` | ``"number"`` |
-
-#### Defined in
-
-[src/api/schemas/$ChatSettings.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ChatSettings.ts#L5)
-
-___
-
-### $CompletionUsage
-
-• `Const` **$CompletionUsage**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"Usage statistics for the completion request."`` |
-| `properties` | \{ `completion_tokens`: \{ `description`: ``"Number of tokens in the generated completion."`` ; `isRequired`: ``true`` = true; `type`: ``"number"`` = "number" } ; `prompt_tokens`: \{ `description`: ``"Number of tokens in the prompt."`` ; `isRequired`: ``true`` = true; `type`: ``"number"`` = "number" } ; `total_tokens`: \{ `description`: ``"Total number of tokens used in the request (prompt + completion)."`` ; `isRequired`: ``true`` = true; `type`: ``"number"`` = "number" } } |
-| `properties.completion_tokens` | \{ `description`: ``"Number of tokens in the generated completion."`` ; `isRequired`: ``true`` = true; `type`: ``"number"`` = "number" } |
-| `properties.completion_tokens.description` | ``"Number of tokens in the generated completion."`` |
-| `properties.completion_tokens.isRequired` | ``true`` |
-| `properties.completion_tokens.type` | ``"number"`` |
-| `properties.prompt_tokens` | \{ `description`: ``"Number of tokens in the prompt."`` ; `isRequired`: ``true`` = true; `type`: ``"number"`` = "number" } |
-| `properties.prompt_tokens.description` | ``"Number of tokens in the prompt."`` |
-| `properties.prompt_tokens.isRequired` | ``true`` |
-| `properties.prompt_tokens.type` | ``"number"`` |
-| `properties.total_tokens` | \{ `description`: ``"Total number of tokens used in the request (prompt + completion)."`` ; `isRequired`: ``true`` = true; `type`: ``"number"`` = "number" } |
-| `properties.total_tokens.description` | ``"Total number of tokens used in the request (prompt + completion)."`` |
-| `properties.total_tokens.isRequired` | ``true`` |
-| `properties.total_tokens.type` | ``"number"`` |
-
-#### Defined in
-
-[src/api/schemas/$CompletionUsage.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$CompletionUsage.ts#L5)
-
-___
-
-### $CreateAgentRequest
-
-• `Const` **$CreateAgentRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"A valid request payload for creating an agent"`` |
-| `properties` | \{ `about`: \{ `description`: ``"About the agent"`` ; `type`: ``"string"`` = "string" } ; `default_settings`: \{ `description`: ``"Default model settings to start every session with"`` ; `type`: ``"AgentDefaultSettings"`` = "AgentDefaultSettings" } ; `docs`: \{ `contains`: \{ `type`: ``"CreateDoc"`` = "CreateDoc" } ; `type`: ``"array"`` = "array" } ; `instructions`: \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] ; `description`: ``"Instructions for the agent"`` ; `type`: ``"one-of"`` = "one-of" } ; `metadata`: \{ `description`: ``"(Optional) metadata"`` ; `properties`: {} = \{} } ; `model`: \{ `description`: ``"Name of the model that the agent is supposed to use"`` ; `type`: ``"string"`` = "string" } ; `name`: \{ `description`: ``"Name of the agent"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `tools`: \{ `contains`: \{ `type`: ``"CreateToolRequest"`` = "CreateToolRequest" } ; `type`: ``"array"`` = "array" } } |
-| `properties.about` | \{ `description`: ``"About the agent"`` ; `type`: ``"string"`` = "string" } |
-| `properties.about.description` | ``"About the agent"`` |
-| `properties.about.type` | ``"string"`` |
-| `properties.default_settings` | \{ `description`: ``"Default model settings to start every session with"`` ; `type`: ``"AgentDefaultSettings"`` = "AgentDefaultSettings" } |
-| `properties.default_settings.description` | ``"Default model settings to start every session with"`` |
-| `properties.default_settings.type` | ``"AgentDefaultSettings"`` |
-| `properties.docs` | \{ `contains`: \{ `type`: ``"CreateDoc"`` = "CreateDoc" } ; `type`: ``"array"`` = "array" } |
-| `properties.docs.contains` | \{ `type`: ``"CreateDoc"`` = "CreateDoc" } |
-| `properties.docs.contains.type` | ``"CreateDoc"`` |
-| `properties.docs.type` | ``"array"`` |
-| `properties.instructions` | \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] ; `description`: ``"Instructions for the agent"`` ; `type`: ``"one-of"`` = "one-of" } |
-| `properties.instructions.contains` | readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] |
-| `properties.instructions.description` | ``"Instructions for the agent"`` |
-| `properties.instructions.type` | ``"one-of"`` |
-| `properties.metadata` | \{ `description`: ``"(Optional) metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"(Optional) metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.model` | \{ `description`: ``"Name of the model that the agent is supposed to use"`` ; `type`: ``"string"`` = "string" } |
-| `properties.model.description` | ``"Name of the model that the agent is supposed to use"`` |
-| `properties.model.type` | ``"string"`` |
-| `properties.name` | \{ `description`: ``"Name of the agent"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"Name of the agent"`` |
-| `properties.name.isRequired` | ``true`` |
-| `properties.name.type` | ``"string"`` |
-| `properties.tools` | \{ `contains`: \{ `type`: ``"CreateToolRequest"`` = "CreateToolRequest" } ; `type`: ``"array"`` = "array" } |
-| `properties.tools.contains` | \{ `type`: ``"CreateToolRequest"`` = "CreateToolRequest" } |
-| `properties.tools.contains.type` | ``"CreateToolRequest"`` |
-| `properties.tools.type` | ``"array"`` |
-
-#### Defined in
-
-[src/api/schemas/$CreateAgentRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$CreateAgentRequest.ts#L5)
-
-___
-
-### $CreateDoc
-
-• `Const` **$CreateDoc**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `content`: \{ `contains`: readonly [\{ `contains`: \{ `minItems`: ``1`` = 1; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }, \{ `description`: ``"A single document chunk"`` ; `type`: ``"string"`` = "string" }] ; `description`: ``"Information content"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } ; `metadata`: \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } ; `title`: \{ `description`: ``"Title describing what this bit of information contains"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } |
-| `properties.content` | \{ `contains`: readonly [\{ `contains`: \{ `minItems`: ``1`` = 1; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }, \{ `description`: ``"A single document chunk"`` ; `type`: ``"string"`` = "string" }] ; `description`: ``"Information content"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } |
-| `properties.content.contains` | readonly [\{ `contains`: \{ `minItems`: ``1`` = 1; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }, \{ `description`: ``"A single document chunk"`` ; `type`: ``"string"`` = "string" }] |
-| `properties.content.description` | ``"Information content"`` |
-| `properties.content.isRequired` | ``true`` |
-| `properties.content.type` | ``"one-of"`` |
-| `properties.metadata` | \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"Optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.title` | \{ `description`: ``"Title describing what this bit of information contains"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.title.description` | ``"Title describing what this bit of information contains"`` |
-| `properties.title.isRequired` | ``true`` |
-| `properties.title.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$CreateDoc.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$CreateDoc.ts#L5)
-
-___
-
-### $CreateSessionRequest
-
-• `Const` **$CreateSessionRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"A valid request payload for creating a session"`` |
-| `properties` | \{ `agent_id`: \{ `description`: ``"Agent ID of agent to associate with this session"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `context_overflow`: \{ `description`: ``"Action to start on context window overflow"`` ; `type`: ``"string"`` = "string" } ; `metadata`: \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } ; `render_templates`: \{ `description`: ``"Render system and assistant message content as jinja templates"`` ; `type`: ``"boolean"`` = "boolean" } ; `situation`: \{ `description`: ``"A specific situation that sets the background for this session"`` ; `type`: ``"string"`` = "string" } ; `token_budget`: \{ `description`: ``"Threshold value for the adaptive context functionality"`` ; `type`: ``"number"`` = "number" } ; `user_id`: \{ `description`: ``"(Optional) User ID of user to associate with this session"`` ; `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } } |
-| `properties.agent_id` | \{ `description`: ``"Agent ID of agent to associate with this session"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.agent_id.description` | ``"Agent ID of agent to associate with this session"`` |
-| `properties.agent_id.format` | ``"uuid"`` |
-| `properties.agent_id.isRequired` | ``true`` |
-| `properties.agent_id.type` | ``"string"`` |
-| `properties.context_overflow` | \{ `description`: ``"Action to start on context window overflow"`` ; `type`: ``"string"`` = "string" } |
-| `properties.context_overflow.description` | ``"Action to start on context window overflow"`` |
-| `properties.context_overflow.type` | ``"string"`` |
-| `properties.metadata` | \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"Optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.render_templates` | \{ `description`: ``"Render system and assistant message content as jinja templates"`` ; `type`: ``"boolean"`` = "boolean" } |
-| `properties.render_templates.description` | ``"Render system and assistant message content as jinja templates"`` |
-| `properties.render_templates.type` | ``"boolean"`` |
-| `properties.situation` | \{ `description`: ``"A specific situation that sets the background for this session"`` ; `type`: ``"string"`` = "string" } |
-| `properties.situation.description` | ``"A specific situation that sets the background for this session"`` |
-| `properties.situation.type` | ``"string"`` |
-| `properties.token_budget` | \{ `description`: ``"Threshold value for the adaptive context functionality"`` ; `type`: ``"number"`` = "number" } |
-| `properties.token_budget.description` | ``"Threshold value for the adaptive context functionality"`` |
-| `properties.token_budget.type` | ``"number"`` |
-| `properties.user_id` | \{ `description`: ``"(Optional) User ID of user to associate with this session"`` ; `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } |
-| `properties.user_id.description` | ``"(Optional) User ID of user to associate with this session"`` |
-| `properties.user_id.format` | ``"uuid"`` |
-| `properties.user_id.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$CreateSessionRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$CreateSessionRequest.ts#L5)
-
-___
-
-### $CreateToolRequest
-
-• `Const` **$CreateToolRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `function`: \{ `contains`: readonly [\{ `type`: ``"FunctionDef"`` = "FunctionDef" }] ; `description`: ``"Function definition and parameters"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } ; `type`: \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } } |
-| `properties.function` | \{ `contains`: readonly [\{ `type`: ``"FunctionDef"`` = "FunctionDef" }] ; `description`: ``"Function definition and parameters"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } |
-| `properties.function.contains` | readonly [\{ `type`: ``"FunctionDef"`` = "FunctionDef" }] |
-| `properties.function.description` | ``"Function definition and parameters"`` |
-| `properties.function.isRequired` | ``true`` |
-| `properties.function.type` | ``"one-of"`` |
-| `properties.type` | \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } |
-| `properties.type.isRequired` | ``true`` |
-| `properties.type.type` | ``"Enum"`` |
-
-#### Defined in
-
-[src/api/schemas/$CreateToolRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$CreateToolRequest.ts#L5)
-
-___
-
-### $CreateUserRequest
-
-• `Const` **$CreateUserRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"A valid request payload for creating a user"`` |
-| `properties` | \{ `about`: \{ `description`: ``"About the user"`` ; `type`: ``"string"`` = "string" } ; `docs`: \{ `contains`: \{ `type`: ``"CreateDoc"`` = "CreateDoc" } ; `type`: ``"array"`` = "array" } ; `metadata`: \{ `description`: ``"(Optional) metadata"`` ; `properties`: {} = \{} } ; `name`: \{ `description`: ``"Name of the user"`` ; `type`: ``"string"`` = "string" } } |
-| `properties.about` | \{ `description`: ``"About the user"`` ; `type`: ``"string"`` = "string" } |
-| `properties.about.description` | ``"About the user"`` |
-| `properties.about.type` | ``"string"`` |
-| `properties.docs` | \{ `contains`: \{ `type`: ``"CreateDoc"`` = "CreateDoc" } ; `type`: ``"array"`` = "array" } |
-| `properties.docs.contains` | \{ `type`: ``"CreateDoc"`` = "CreateDoc" } |
-| `properties.docs.contains.type` | ``"CreateDoc"`` |
-| `properties.docs.type` | ``"array"`` |
-| `properties.metadata` | \{ `description`: ``"(Optional) metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"(Optional) metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.name` | \{ `description`: ``"Name of the user"`` ; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"Name of the user"`` |
-| `properties.name.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$CreateUserRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$CreateUserRequest.ts#L5)
-
-___
-
-### $Doc
-
-• `Const` **$Doc**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `content`: \{ `contains`: readonly [\{ `contains`: \{ `minItems`: ``1`` = 1; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }, \{ `description`: ``"A single document chunk"`` ; `type`: ``"string"`` = "string" }] ; `description`: ``"Information content"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } ; `created_at`: \{ `description`: ``"Doc created at"`` ; `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `id`: \{ `description`: ``"ID of doc"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `metadata`: \{ `description`: ``"optional metadata"`` ; `properties`: {} = \{} } ; `title`: \{ `description`: ``"Title describing what this bit of information contains"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } |
-| `properties.content` | \{ `contains`: readonly [\{ `contains`: \{ `minItems`: ``1`` = 1; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }, \{ `description`: ``"A single document chunk"`` ; `type`: ``"string"`` = "string" }] ; `description`: ``"Information content"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } |
-| `properties.content.contains` | readonly [\{ `contains`: \{ `minItems`: ``1`` = 1; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }, \{ `description`: ``"A single document chunk"`` ; `type`: ``"string"`` = "string" }] |
-| `properties.content.description` | ``"Information content"`` |
-| `properties.content.isRequired` | ``true`` |
-| `properties.content.type` | ``"one-of"`` |
-| `properties.created_at` | \{ `description`: ``"Doc created at"`` ; `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.created_at.description` | ``"Doc created at"`` |
-| `properties.created_at.format` | ``"date-time"`` |
-| `properties.created_at.isRequired` | ``true`` |
-| `properties.created_at.type` | ``"string"`` |
-| `properties.id` | \{ `description`: ``"ID of doc"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.description` | ``"ID of doc"`` |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.metadata` | \{ `description`: ``"optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.title` | \{ `description`: ``"Title describing what this bit of information contains"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.title.description` | ``"Title describing what this bit of information contains"`` |
-| `properties.title.isRequired` | ``true`` |
-| `properties.title.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$Doc.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$Doc.ts#L5)
-
-___
-
-### $DocIds
-
-• `Const` **$DocIds**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `agent_doc_ids`: \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `isRequired`: ``true`` = true; `type`: ``"array"`` = "array" } ; `user_doc_ids`: \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `isRequired`: ``true`` = true; `type`: ``"array"`` = "array" } } |
-| `properties.agent_doc_ids` | \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `isRequired`: ``true`` = true; `type`: ``"array"`` = "array" } |
-| `properties.agent_doc_ids.contains` | \{ `type`: ``"string"`` = "string" } |
-| `properties.agent_doc_ids.contains.type` | ``"string"`` |
-| `properties.agent_doc_ids.isRequired` | ``true`` |
-| `properties.agent_doc_ids.type` | ``"array"`` |
-| `properties.user_doc_ids` | \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `isRequired`: ``true`` = true; `type`: ``"array"`` = "array" } |
-| `properties.user_doc_ids.contains` | \{ `type`: ``"string"`` = "string" } |
-| `properties.user_doc_ids.contains.type` | ``"string"`` |
-| `properties.user_doc_ids.isRequired` | ``true`` |
-| `properties.user_doc_ids.type` | ``"array"`` |
-
-#### Defined in
-
-[src/api/schemas/$DocIds.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$DocIds.ts#L5)
-
-___
-
-### $FunctionCallOption
-
-• `Const` **$FunctionCallOption**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"Specifying a particular function via `{\"name\": \"my_function\"}` forces the model to call that function.\n "`` |
-| `properties` | \{ `name`: \{ `description`: ``"The name of the function to call."`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } |
-| `properties.name` | \{ `description`: ``"The name of the function to call."`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"The name of the function to call."`` |
-| `properties.name.isRequired` | ``true`` |
-| `properties.name.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$FunctionCallOption.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$FunctionCallOption.ts#L5)
-
-___
-
-### $FunctionDef
-
-• `Const` **$FunctionDef**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `description`: \{ `description`: ``"A description of what the function does, used by the model to choose when and how to call the function."`` ; `type`: ``"string"`` = "string" } ; `name`: \{ `description`: ``"The name of the function to be called. Must be a-z, A-Z, 0-9, or contain underscores and dashes, with a maximum length of 64."`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `parameters`: \{ `description`: ``"Parameters accepeted by this function"`` ; `isRequired`: ``true`` = true; `type`: ``"FunctionParameters"`` = "FunctionParameters" } } |
-| `properties.description` | \{ `description`: ``"A description of what the function does, used by the model to choose when and how to call the function."`` ; `type`: ``"string"`` = "string" } |
-| `properties.description.description` | ``"A description of what the function does, used by the model to choose when and how to call the function."`` |
-| `properties.description.type` | ``"string"`` |
-| `properties.name` | \{ `description`: ``"The name of the function to be called. Must be a-z, A-Z, 0-9, or contain underscores and dashes, with a maximum length of 64."`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"The name of the function to be called. Must be a-z, A-Z, 0-9, or contain underscores and dashes, with a maximum length of 64."`` |
-| `properties.name.isRequired` | ``true`` |
-| `properties.name.type` | ``"string"`` |
-| `properties.parameters` | \{ `description`: ``"Parameters accepeted by this function"`` ; `isRequired`: ``true`` = true; `type`: ``"FunctionParameters"`` = "FunctionParameters" } |
-| `properties.parameters.description` | ``"Parameters accepeted by this function"`` |
-| `properties.parameters.isRequired` | ``true`` |
-| `properties.parameters.type` | ``"FunctionParameters"`` |
-
-#### Defined in
-
-[src/api/schemas/$FunctionDef.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$FunctionDef.ts#L5)
-
-___
-
-### $FunctionParameters
-
-• `Const` **$FunctionParameters**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `contains` | \{ `properties`: {} = \{} } |
-| `contains.properties` | {} |
-| `type` | ``"dictionary"`` |
-
-#### Defined in
-
-[src/api/schemas/$FunctionParameters.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$FunctionParameters.ts#L5)
-
-___
-
-### $InputChatMLMessage
-
-• `Const` **$InputChatMLMessage**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `content`: \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }] ; `description`: ``"ChatML content"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } ; `continue`: \{ `description`: ``"Whether to continue this message or return a new one"`` ; `type`: ``"boolean"`` = "boolean" } ; `name`: \{ `description`: ``"ChatML name"`` ; `type`: ``"string"`` = "string" } ; `role`: \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } } |
-| `properties.content` | \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }] ; `description`: ``"ChatML content"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } |
-| `properties.content.contains` | readonly [\{ `type`: ``"string"`` = "string" }] |
-| `properties.content.description` | ``"ChatML content"`` |
-| `properties.content.isRequired` | ``true`` |
-| `properties.content.type` | ``"one-of"`` |
-| `properties.continue` | \{ `description`: ``"Whether to continue this message or return a new one"`` ; `type`: ``"boolean"`` = "boolean" } |
-| `properties.continue.description` | ``"Whether to continue this message or return a new one"`` |
-| `properties.continue.type` | ``"boolean"`` |
-| `properties.name` | \{ `description`: ``"ChatML name"`` ; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"ChatML name"`` |
-| `properties.name.type` | ``"string"`` |
-| `properties.role` | \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } |
-| `properties.role.isRequired` | ``true`` |
-| `properties.role.type` | ``"Enum"`` |
-
-#### Defined in
-
-[src/api/schemas/$InputChatMLMessage.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$InputChatMLMessage.ts#L5)
-
-___
-
-### $JobStatus
-
-• `Const` **$JobStatus**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `created_at`: \{ `description`: ``"Job created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `has_progress`: \{ `description`: ``"Whether this Job supports progress updates"`` ; `type`: ``"boolean"`` = "boolean" } ; `id`: \{ `description`: ``"Job id (UUID)"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `name`: \{ `description`: ``"Name of the job"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `progress`: \{ `description`: ``"Progress percentage"`` ; `maximum`: ``100`` = 100; `type`: ``"number"`` = "number" } ; `reason`: \{ `description`: ``"Reason for current state"`` ; `type`: ``"string"`` = "string" } ; `state`: \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } ; `updated_at`: \{ `description`: ``"Job updated at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } } |
-| `properties.created_at` | \{ `description`: ``"Job created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.created_at.description` | ``"Job created at (RFC-3339 format)"`` |
-| `properties.created_at.format` | ``"date-time"`` |
-| `properties.created_at.isRequired` | ``true`` |
-| `properties.created_at.type` | ``"string"`` |
-| `properties.has_progress` | \{ `description`: ``"Whether this Job supports progress updates"`` ; `type`: ``"boolean"`` = "boolean" } |
-| `properties.has_progress.description` | ``"Whether this Job supports progress updates"`` |
-| `properties.has_progress.type` | ``"boolean"`` |
-| `properties.id` | \{ `description`: ``"Job id (UUID)"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.description` | ``"Job id (UUID)"`` |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.name` | \{ `description`: ``"Name of the job"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"Name of the job"`` |
-| `properties.name.isRequired` | ``true`` |
-| `properties.name.type` | ``"string"`` |
-| `properties.progress` | \{ `description`: ``"Progress percentage"`` ; `maximum`: ``100`` = 100; `type`: ``"number"`` = "number" } |
-| `properties.progress.description` | ``"Progress percentage"`` |
-| `properties.progress.maximum` | ``100`` |
-| `properties.progress.type` | ``"number"`` |
-| `properties.reason` | \{ `description`: ``"Reason for current state"`` ; `type`: ``"string"`` = "string" } |
-| `properties.reason.description` | ``"Reason for current state"`` |
-| `properties.reason.type` | ``"string"`` |
-| `properties.state` | \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } |
-| `properties.state.isRequired` | ``true`` |
-| `properties.state.type` | ``"Enum"`` |
-| `properties.updated_at` | \{ `description`: ``"Job updated at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } |
-| `properties.updated_at.description` | ``"Job updated at (RFC-3339 format)"`` |
-| `properties.updated_at.format` | ``"date-time"`` |
-| `properties.updated_at.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$JobStatus.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$JobStatus.ts#L5)
-
-___
-
-### $Memory
-
-• `Const` **$Memory**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `agent_id`: \{ `description`: ``"ID of the agent"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `content`: \{ `description`: ``"Content of the memory"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `created_at`: \{ `description`: ``"Memory created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `entities`: \{ `contains`: \{ `properties`: {} = \{} } ; `isRequired`: ``true`` = true; `type`: ``"array"`` = "array" } ; `id`: \{ `description`: ``"Memory id (UUID)"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `last_accessed_at`: \{ `description`: ``"Memory last accessed at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } ; `sentiment`: \{ `description`: ``"Sentiment (valence) of the memory on a scale of -1 to 1"`` ; `maximum`: ``1`` = 1; `minimum`: ``-1`` = -1; `type`: ``"number"`` = "number" } ; `timestamp`: \{ `description`: ``"Memory happened at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } ; `user_id`: \{ `description`: ``"ID of the user"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } |
-| `properties.agent_id` | \{ `description`: ``"ID of the agent"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.agent_id.description` | ``"ID of the agent"`` |
-| `properties.agent_id.format` | ``"uuid"`` |
-| `properties.agent_id.isRequired` | ``true`` |
-| `properties.agent_id.type` | ``"string"`` |
-| `properties.content` | \{ `description`: ``"Content of the memory"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.content.description` | ``"Content of the memory"`` |
-| `properties.content.isRequired` | ``true`` |
-| `properties.content.type` | ``"string"`` |
-| `properties.created_at` | \{ `description`: ``"Memory created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.created_at.description` | ``"Memory created at (RFC-3339 format)"`` |
-| `properties.created_at.format` | ``"date-time"`` |
-| `properties.created_at.isRequired` | ``true`` |
-| `properties.created_at.type` | ``"string"`` |
-| `properties.entities` | \{ `contains`: \{ `properties`: {} = \{} } ; `isRequired`: ``true`` = true; `type`: ``"array"`` = "array" } |
-| `properties.entities.contains` | \{ `properties`: {} = \{} } |
-| `properties.entities.contains.properties` | {} |
-| `properties.entities.isRequired` | ``true`` |
-| `properties.entities.type` | ``"array"`` |
-| `properties.id` | \{ `description`: ``"Memory id (UUID)"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.description` | ``"Memory id (UUID)"`` |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.last_accessed_at` | \{ `description`: ``"Memory last accessed at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } |
-| `properties.last_accessed_at.description` | ``"Memory last accessed at (RFC-3339 format)"`` |
-| `properties.last_accessed_at.format` | ``"date-time"`` |
-| `properties.last_accessed_at.type` | ``"string"`` |
-| `properties.sentiment` | \{ `description`: ``"Sentiment (valence) of the memory on a scale of -1 to 1"`` ; `maximum`: ``1`` = 1; `minimum`: ``-1`` = -1; `type`: ``"number"`` = "number" } |
-| `properties.sentiment.description` | ``"Sentiment (valence) of the memory on a scale of -1 to 1"`` |
-| `properties.sentiment.maximum` | ``1`` |
-| `properties.sentiment.minimum` | ``-1`` |
-| `properties.sentiment.type` | ``"number"`` |
-| `properties.timestamp` | \{ `description`: ``"Memory happened at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } |
-| `properties.timestamp.description` | ``"Memory happened at (RFC-3339 format)"`` |
-| `properties.timestamp.format` | ``"date-time"`` |
-| `properties.timestamp.type` | ``"string"`` |
-| `properties.user_id` | \{ `description`: ``"ID of the user"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.user_id.description` | ``"ID of the user"`` |
-| `properties.user_id.format` | ``"uuid"`` |
-| `properties.user_id.isRequired` | ``true`` |
-| `properties.user_id.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$Memory.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$Memory.ts#L5)
-
-___
-
-### $MemoryAccessOptions
-
-• `Const` **$MemoryAccessOptions**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `recall`: \{ `description`: ``"Whether previous memories should be recalled or not"`` ; `type`: ``"boolean"`` = "boolean" } ; `record`: \{ `description`: ``"Whether this interaction should be recorded in history or not"`` ; `type`: ``"boolean"`` = "boolean" } ; `remember`: \{ `description`: ``"Whether this interaction should form memories or not"`` ; `type`: ``"boolean"`` = "boolean" } } |
-| `properties.recall` | \{ `description`: ``"Whether previous memories should be recalled or not"`` ; `type`: ``"boolean"`` = "boolean" } |
-| `properties.recall.description` | ``"Whether previous memories should be recalled or not"`` |
-| `properties.recall.type` | ``"boolean"`` |
-| `properties.record` | \{ `description`: ``"Whether this interaction should be recorded in history or not"`` ; `type`: ``"boolean"`` = "boolean" } |
-| `properties.record.description` | ``"Whether this interaction should be recorded in history or not"`` |
-| `properties.record.type` | ``"boolean"`` |
-| `properties.remember` | \{ `description`: ``"Whether this interaction should form memories or not"`` ; `type`: ``"boolean"`` = "boolean" } |
-| `properties.remember.description` | ``"Whether this interaction should form memories or not"`` |
-| `properties.remember.type` | ``"boolean"`` |
-
-#### Defined in
-
-[src/api/schemas/$MemoryAccessOptions.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$MemoryAccessOptions.ts#L5)
-
-___
-
-### $NamedToolChoice
-
-• `Const` **$NamedToolChoice**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"Specifies a tool the model should use. Use to force the model to call a specific function."`` |
-| `properties` | \{ `function`: \{ `isRequired`: ``true`` = true; `properties`: \{ `name`: \{ `description`: ``"The name of the function to call."`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } } ; `type`: \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } } |
-| `properties.function` | \{ `isRequired`: ``true`` = true; `properties`: \{ `name`: \{ `description`: ``"The name of the function to call."`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } } |
-| `properties.function.isRequired` | ``true`` |
-| `properties.function.properties` | \{ `name`: \{ `description`: ``"The name of the function to call."`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } |
-| `properties.function.properties.name` | \{ `description`: ``"The name of the function to call."`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.function.properties.name.description` | ``"The name of the function to call."`` |
-| `properties.function.properties.name.isRequired` | ``true`` |
-| `properties.function.properties.name.type` | ``"string"`` |
-| `properties.type` | \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } |
-| `properties.type.isRequired` | ``true`` |
-| `properties.type.type` | ``"Enum"`` |
-
-#### Defined in
-
-[src/api/schemas/$NamedToolChoice.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$NamedToolChoice.ts#L5)
-
-___
-
-### $PartialFunctionDef
-
-• `Const` **$PartialFunctionDef**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `description`: \{ `description`: ``"A description of what the function does, used by the model to choose when and how to call the function."`` ; `type`: ``"string"`` = "string" } ; `name`: \{ `description`: ``"The name of the function to be called. Must be a-z, A-Z, 0-9, or contain underscores and dashes, with a maximum length of 64."`` ; `type`: ``"string"`` = "string" } ; `parameters`: \{ `description`: ``"Parameters accepeted by this function"`` ; `type`: ``"FunctionParameters"`` = "FunctionParameters" } } |
-| `properties.description` | \{ `description`: ``"A description of what the function does, used by the model to choose when and how to call the function."`` ; `type`: ``"string"`` = "string" } |
-| `properties.description.description` | ``"A description of what the function does, used by the model to choose when and how to call the function."`` |
-| `properties.description.type` | ``"string"`` |
-| `properties.name` | \{ `description`: ``"The name of the function to be called. Must be a-z, A-Z, 0-9, or contain underscores and dashes, with a maximum length of 64."`` ; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"The name of the function to be called. Must be a-z, A-Z, 0-9, or contain underscores and dashes, with a maximum length of 64."`` |
-| `properties.name.type` | ``"string"`` |
-| `properties.parameters` | \{ `description`: ``"Parameters accepeted by this function"`` ; `type`: ``"FunctionParameters"`` = "FunctionParameters" } |
-| `properties.parameters.description` | ``"Parameters accepeted by this function"`` |
-| `properties.parameters.type` | ``"FunctionParameters"`` |
-
-#### Defined in
-
-[src/api/schemas/$PartialFunctionDef.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$PartialFunctionDef.ts#L5)
-
-___
-
-### $PatchAgentRequest
-
-• `Const` **$PatchAgentRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"A request for patching an agent"`` |
-| `properties` | \{ `about`: \{ `description`: ``"About the agent"`` ; `type`: ``"string"`` = "string" } ; `default_settings`: \{ `description`: ``"Default model settings to start every session with"`` ; `type`: ``"AgentDefaultSettings"`` = "AgentDefaultSettings" } ; `instructions`: \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] ; `description`: ``"Instructions for the agent"`` ; `type`: ``"one-of"`` = "one-of" } ; `metadata`: \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } ; `model`: \{ `description`: ``"Name of the model that the agent is supposed to use"`` ; `type`: ``"string"`` = "string" } ; `name`: \{ `description`: ``"Name of the agent"`` ; `type`: ``"string"`` = "string" } } |
-| `properties.about` | \{ `description`: ``"About the agent"`` ; `type`: ``"string"`` = "string" } |
-| `properties.about.description` | ``"About the agent"`` |
-| `properties.about.type` | ``"string"`` |
-| `properties.default_settings` | \{ `description`: ``"Default model settings to start every session with"`` ; `type`: ``"AgentDefaultSettings"`` = "AgentDefaultSettings" } |
-| `properties.default_settings.description` | ``"Default model settings to start every session with"`` |
-| `properties.default_settings.type` | ``"AgentDefaultSettings"`` |
-| `properties.instructions` | \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] ; `description`: ``"Instructions for the agent"`` ; `type`: ``"one-of"`` = "one-of" } |
-| `properties.instructions.contains` | readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] |
-| `properties.instructions.description` | ``"Instructions for the agent"`` |
-| `properties.instructions.type` | ``"one-of"`` |
-| `properties.metadata` | \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"Optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.model` | \{ `description`: ``"Name of the model that the agent is supposed to use"`` ; `type`: ``"string"`` = "string" } |
-| `properties.model.description` | ``"Name of the model that the agent is supposed to use"`` |
-| `properties.model.type` | ``"string"`` |
-| `properties.name` | \{ `description`: ``"Name of the agent"`` ; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"Name of the agent"`` |
-| `properties.name.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$PatchAgentRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$PatchAgentRequest.ts#L5)
-
-___
-
-### $PatchSessionRequest
-
-• `Const` **$PatchSessionRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"A request for patching a session"`` |
-| `properties` | \{ `context_overflow`: \{ `description`: ``"Action to start on context window overflow"`` ; `type`: ``"string"`` = "string" } ; `metadata`: \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } ; `situation`: \{ `description`: ``"Updated situation for this session"`` ; `type`: ``"string"`` = "string" } ; `token_budget`: \{ `description`: ``"Threshold value for the adaptive context functionality"`` ; `type`: ``"number"`` = "number" } } |
-| `properties.context_overflow` | \{ `description`: ``"Action to start on context window overflow"`` ; `type`: ``"string"`` = "string" } |
-| `properties.context_overflow.description` | ``"Action to start on context window overflow"`` |
-| `properties.context_overflow.type` | ``"string"`` |
-| `properties.metadata` | \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"Optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.situation` | \{ `description`: ``"Updated situation for this session"`` ; `type`: ``"string"`` = "string" } |
-| `properties.situation.description` | ``"Updated situation for this session"`` |
-| `properties.situation.type` | ``"string"`` |
-| `properties.token_budget` | \{ `description`: ``"Threshold value for the adaptive context functionality"`` ; `type`: ``"number"`` = "number" } |
-| `properties.token_budget.description` | ``"Threshold value for the adaptive context functionality"`` |
-| `properties.token_budget.type` | ``"number"`` |
-
-#### Defined in
-
-[src/api/schemas/$PatchSessionRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$PatchSessionRequest.ts#L5)
-
-___
-
-### $PatchToolRequest
-
-• `Const` **$PatchToolRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `function`: \{ `description`: ``"Function definition and parameters"`` ; `isRequired`: ``true`` = true; `type`: ``"PartialFunctionDef"`` = "PartialFunctionDef" } } |
-| `properties.function` | \{ `description`: ``"Function definition and parameters"`` ; `isRequired`: ``true`` = true; `type`: ``"PartialFunctionDef"`` = "PartialFunctionDef" } |
-| `properties.function.description` | ``"Function definition and parameters"`` |
-| `properties.function.isRequired` | ``true`` |
-| `properties.function.type` | ``"PartialFunctionDef"`` |
-
-#### Defined in
-
-[src/api/schemas/$PatchToolRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$PatchToolRequest.ts#L5)
-
-___
-
-### $PatchUserRequest
-
-• `Const` **$PatchUserRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"A request for patching a user"`` |
-| `properties` | \{ `about`: \{ `description`: ``"About the user"`` ; `type`: ``"string"`` = "string" } ; `metadata`: \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } ; `name`: \{ `description`: ``"Name of the user"`` ; `type`: ``"string"`` = "string" } } |
-| `properties.about` | \{ `description`: ``"About the user"`` ; `type`: ``"string"`` = "string" } |
-| `properties.about.description` | ``"About the user"`` |
-| `properties.about.type` | ``"string"`` |
-| `properties.metadata` | \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"Optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.name` | \{ `description`: ``"Name of the user"`` ; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"Name of the user"`` |
-| `properties.name.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$PatchUserRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$PatchUserRequest.ts#L5)
-
-___
-
-### $ResourceCreatedResponse
-
-• `Const` **$ResourceCreatedResponse**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `created_at`: \{ `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `id`: \{ `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `jobs`: \{ `contains`: \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" } } |
-| `properties.created_at` | \{ `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.created_at.format` | ``"date-time"`` |
-| `properties.created_at.isRequired` | ``true`` |
-| `properties.created_at.type` | ``"string"`` |
-| `properties.id` | \{ `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.jobs` | \{ `contains`: \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" } |
-| `properties.jobs.contains` | \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } |
-| `properties.jobs.contains.format` | ``"uuid"`` |
-| `properties.jobs.contains.type` | ``"string"`` |
-| `properties.jobs.type` | ``"array"`` |
-
-#### Defined in
-
-[src/api/schemas/$ResourceCreatedResponse.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ResourceCreatedResponse.ts#L5)
-
-___
-
-### $ResourceDeletedResponse
-
-• `Const` **$ResourceDeletedResponse**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `deleted_at`: \{ `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `id`: \{ `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `jobs`: \{ `contains`: \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" } } |
-| `properties.deleted_at` | \{ `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.deleted_at.format` | ``"date-time"`` |
-| `properties.deleted_at.isRequired` | ``true`` |
-| `properties.deleted_at.type` | ``"string"`` |
-| `properties.id` | \{ `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.jobs` | \{ `contains`: \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" } |
-| `properties.jobs.contains` | \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } |
-| `properties.jobs.contains.format` | ``"uuid"`` |
-| `properties.jobs.contains.type` | ``"string"`` |
-| `properties.jobs.type` | ``"array"`` |
-
-#### Defined in
-
-[src/api/schemas/$ResourceDeletedResponse.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ResourceDeletedResponse.ts#L5)
-
-___
-
-### $ResourceUpdatedResponse
-
-• `Const` **$ResourceUpdatedResponse**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `id`: \{ `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `jobs`: \{ `contains`: \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" } ; `updated_at`: \{ `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } |
-| `properties.id` | \{ `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.jobs` | \{ `contains`: \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" } |
-| `properties.jobs.contains` | \{ `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } |
-| `properties.jobs.contains.format` | ``"uuid"`` |
-| `properties.jobs.contains.type` | ``"string"`` |
-| `properties.jobs.type` | ``"array"`` |
-| `properties.updated_at` | \{ `format`: ``"date-time"`` = "date-time"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.updated_at.format` | ``"date-time"`` |
-| `properties.updated_at.isRequired` | ``true`` |
-| `properties.updated_at.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$ResourceUpdatedResponse.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ResourceUpdatedResponse.ts#L5)
-
-___
-
-### $Session
-
-• `Const` **$Session**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `agent_id`: \{ `description`: ``"Agent ID of agent associated with this session"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `context_overflow`: \{ `description`: ``"Action to start on context window overflow"`` ; `type`: ``"string"`` = "string" } ; `created_at`: \{ `description`: ``"Session created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } ; `id`: \{ `description`: ``"Session id (UUID)"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `metadata`: \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } ; `render_templates`: \{ `description`: ``"Render system and assistant message content as jinja templates"`` ; `type`: ``"boolean"`` = "boolean" } ; `situation`: \{ `description`: ``"A specific situation that sets the background for this session"`` ; `type`: ``"string"`` = "string" } ; `summary`: \{ `description`: ``"(null at the beginning) - generated automatically after every interaction"`` ; `type`: ``"string"`` = "string" } ; `token_budget`: \{ `description`: ``"Threshold value for the adaptive context functionality"`` ; `type`: ``"number"`` = "number" } ; `updated_at`: \{ `description`: ``"Session updated at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } ; `user_id`: \{ `description`: ``"User ID of user associated with this session"`` ; `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } } |
-| `properties.agent_id` | \{ `description`: ``"Agent ID of agent associated with this session"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.agent_id.description` | ``"Agent ID of agent associated with this session"`` |
-| `properties.agent_id.format` | ``"uuid"`` |
-| `properties.agent_id.isRequired` | ``true`` |
-| `properties.agent_id.type` | ``"string"`` |
-| `properties.context_overflow` | \{ `description`: ``"Action to start on context window overflow"`` ; `type`: ``"string"`` = "string" } |
-| `properties.context_overflow.description` | ``"Action to start on context window overflow"`` |
-| `properties.context_overflow.type` | ``"string"`` |
-| `properties.created_at` | \{ `description`: ``"Session created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } |
-| `properties.created_at.description` | ``"Session created at (RFC-3339 format)"`` |
-| `properties.created_at.format` | ``"date-time"`` |
-| `properties.created_at.type` | ``"string"`` |
-| `properties.id` | \{ `description`: ``"Session id (UUID)"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.description` | ``"Session id (UUID)"`` |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.metadata` | \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"Optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.render_templates` | \{ `description`: ``"Render system and assistant message content as jinja templates"`` ; `type`: ``"boolean"`` = "boolean" } |
-| `properties.render_templates.description` | ``"Render system and assistant message content as jinja templates"`` |
-| `properties.render_templates.type` | ``"boolean"`` |
-| `properties.situation` | \{ `description`: ``"A specific situation that sets the background for this session"`` ; `type`: ``"string"`` = "string" } |
-| `properties.situation.description` | ``"A specific situation that sets the background for this session"`` |
-| `properties.situation.type` | ``"string"`` |
-| `properties.summary` | \{ `description`: ``"(null at the beginning) - generated automatically after every interaction"`` ; `type`: ``"string"`` = "string" } |
-| `properties.summary.description` | ``"(null at the beginning) - generated automatically after every interaction"`` |
-| `properties.summary.type` | ``"string"`` |
-| `properties.token_budget` | \{ `description`: ``"Threshold value for the adaptive context functionality"`` ; `type`: ``"number"`` = "number" } |
-| `properties.token_budget.description` | ``"Threshold value for the adaptive context functionality"`` |
-| `properties.token_budget.type` | ``"number"`` |
-| `properties.updated_at` | \{ `description`: ``"Session updated at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } |
-| `properties.updated_at.description` | ``"Session updated at (RFC-3339 format)"`` |
-| `properties.updated_at.format` | ``"date-time"`` |
-| `properties.updated_at.type` | ``"string"`` |
-| `properties.user_id` | \{ `description`: ``"User ID of user associated with this session"`` ; `format`: ``"uuid"`` = "uuid"; `type`: ``"string"`` = "string" } |
-| `properties.user_id.description` | ``"User ID of user associated with this session"`` |
-| `properties.user_id.format` | ``"uuid"`` |
-| `properties.user_id.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$Session.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$Session.ts#L5)
-
-___
-
-### $Suggestion
-
-• `Const` **$Suggestion**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `content`: \{ `description`: ``"The content of the suggestion"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `created_at`: \{ `description`: ``"Suggestion created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } ; `message_id`: \{ `description`: ``"The message that produced it"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `session_id`: \{ `description`: ``"Session this suggestion belongs to"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `target`: \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } } |
-| `properties.content` | \{ `description`: ``"The content of the suggestion"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.content.description` | ``"The content of the suggestion"`` |
-| `properties.content.isRequired` | ``true`` |
-| `properties.content.type` | ``"string"`` |
-| `properties.created_at` | \{ `description`: ``"Suggestion created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } |
-| `properties.created_at.description` | ``"Suggestion created at (RFC-3339 format)"`` |
-| `properties.created_at.format` | ``"date-time"`` |
-| `properties.created_at.type` | ``"string"`` |
-| `properties.message_id` | \{ `description`: ``"The message that produced it"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.message_id.description` | ``"The message that produced it"`` |
-| `properties.message_id.format` | ``"uuid"`` |
-| `properties.message_id.isRequired` | ``true`` |
-| `properties.message_id.type` | ``"string"`` |
-| `properties.session_id` | \{ `description`: ``"Session this suggestion belongs to"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.session_id.description` | ``"Session this suggestion belongs to"`` |
-| `properties.session_id.format` | ``"uuid"`` |
-| `properties.session_id.isRequired` | ``true`` |
-| `properties.session_id.type` | ``"string"`` |
-| `properties.target` | \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } |
-| `properties.target.isRequired` | ``true`` |
-| `properties.target.type` | ``"Enum"`` |
-
-#### Defined in
-
-[src/api/schemas/$Suggestion.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$Suggestion.ts#L5)
-
-___
-
-### $Tool
-
-• `Const` **$Tool**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `function`: \{ `contains`: readonly [\{ `type`: ``"FunctionDef"`` = "FunctionDef" }] ; `description`: ``"Function definition and parameters"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } ; `id`: \{ `description`: ``"Tool ID"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `type`: \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } } |
-| `properties.function` | \{ `contains`: readonly [\{ `type`: ``"FunctionDef"`` = "FunctionDef" }] ; `description`: ``"Function definition and parameters"`` ; `isRequired`: ``true`` = true; `type`: ``"one-of"`` = "one-of" } |
-| `properties.function.contains` | readonly [\{ `type`: ``"FunctionDef"`` = "FunctionDef" }] |
-| `properties.function.description` | ``"Function definition and parameters"`` |
-| `properties.function.isRequired` | ``true`` |
-| `properties.function.type` | ``"one-of"`` |
-| `properties.id` | \{ `description`: ``"Tool ID"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.description` | ``"Tool ID"`` |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.type` | \{ `isRequired`: ``true`` = true; `type`: ``"Enum"`` = "Enum" } |
-| `properties.type.isRequired` | ``true`` |
-| `properties.type.type` | ``"Enum"`` |
-
-#### Defined in
-
-[src/api/schemas/$Tool.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$Tool.ts#L5)
-
-___
-
-### $ToolChoiceOption
-
-• `Const` **$ToolChoiceOption**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `contains` | readonly [\{ `type`: ``"Enum"`` = "Enum" }, \{ `type`: ``"NamedToolChoice"`` = "NamedToolChoice" }] |
-| `description` | ``"Controls which (if any) function is called by the model.\n `none` means the model will not call a function and instead generates a message.\n `auto` means the model can pick between generating a message or calling a function.\n Specifying a particular function via `{\"type: \"function\", \"function\": {\"name\": \"my_function\"}}` forces the model to call that function.\n `none` is the default when no functions are present. `auto` is the default if functions are present.\n "`` |
-| `type` | ``"one-of"`` |
-
-#### Defined in
-
-[src/api/schemas/$ToolChoiceOption.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$ToolChoiceOption.ts#L5)
-
-___
-
-### $UpdateAgentRequest
-
-• `Const` **$UpdateAgentRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"A valid request payload for updating an agent"`` |
-| `properties` | \{ `about`: \{ `description`: ``"About the agent"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `default_settings`: \{ `description`: ``"Default model settings to start every session with"`` ; `type`: ``"AgentDefaultSettings"`` = "AgentDefaultSettings" } ; `instructions`: \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] ; `description`: ``"Instructions for the agent"`` ; `type`: ``"one-of"`` = "one-of" } ; `metadata`: \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } ; `model`: \{ `description`: ``"Name of the model that the agent is supposed to use"`` ; `type`: ``"string"`` = "string" } ; `name`: \{ `description`: ``"Name of the agent"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } |
-| `properties.about` | \{ `description`: ``"About the agent"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.about.description` | ``"About the agent"`` |
-| `properties.about.isRequired` | ``true`` |
-| `properties.about.type` | ``"string"`` |
-| `properties.default_settings` | \{ `description`: ``"Default model settings to start every session with"`` ; `type`: ``"AgentDefaultSettings"`` = "AgentDefaultSettings" } |
-| `properties.default_settings.description` | ``"Default model settings to start every session with"`` |
-| `properties.default_settings.type` | ``"AgentDefaultSettings"`` |
-| `properties.instructions` | \{ `contains`: readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] ; `description`: ``"Instructions for the agent"`` ; `type`: ``"one-of"`` = "one-of" } |
-| `properties.instructions.contains` | readonly [\{ `type`: ``"string"`` = "string" }, \{ `contains`: \{ `type`: ``"string"`` = "string" } ; `type`: ``"array"`` = "array" }] |
-| `properties.instructions.description` | ``"Instructions for the agent"`` |
-| `properties.instructions.type` | ``"one-of"`` |
-| `properties.metadata` | \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"Optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.model` | \{ `description`: ``"Name of the model that the agent is supposed to use"`` ; `type`: ``"string"`` = "string" } |
-| `properties.model.description` | ``"Name of the model that the agent is supposed to use"`` |
-| `properties.model.type` | ``"string"`` |
-| `properties.name` | \{ `description`: ``"Name of the agent"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"Name of the agent"`` |
-| `properties.name.isRequired` | ``true`` |
-| `properties.name.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$UpdateAgentRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$UpdateAgentRequest.ts#L5)
-
-___
-
-### $UpdateSessionRequest
-
-• `Const` **$UpdateSessionRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"A valid request payload for updating a session"`` |
-| `properties` | \{ `context_overflow`: \{ `description`: ``"Action to start on context window overflow"`` ; `type`: ``"string"`` = "string" } ; `metadata`: \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } ; `situation`: \{ `description`: ``"Updated situation for this session"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `token_budget`: \{ `description`: ``"Threshold value for the adaptive context functionality"`` ; `type`: ``"number"`` = "number" } } |
-| `properties.context_overflow` | \{ `description`: ``"Action to start on context window overflow"`` ; `type`: ``"string"`` = "string" } |
-| `properties.context_overflow.description` | ``"Action to start on context window overflow"`` |
-| `properties.context_overflow.type` | ``"string"`` |
-| `properties.metadata` | \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"Optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.situation` | \{ `description`: ``"Updated situation for this session"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.situation.description` | ``"Updated situation for this session"`` |
-| `properties.situation.isRequired` | ``true`` |
-| `properties.situation.type` | ``"string"`` |
-| `properties.token_budget` | \{ `description`: ``"Threshold value for the adaptive context functionality"`` ; `type`: ``"number"`` = "number" } |
-| `properties.token_budget.description` | ``"Threshold value for the adaptive context functionality"`` |
-| `properties.token_budget.type` | ``"number"`` |
-
-#### Defined in
-
-[src/api/schemas/$UpdateSessionRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$UpdateSessionRequest.ts#L5)
-
-___
-
-### $UpdateToolRequest
-
-• `Const` **$UpdateToolRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `function`: \{ `description`: ``"Function definition and parameters"`` ; `isRequired`: ``true`` = true; `type`: ``"FunctionDef"`` = "FunctionDef" } } |
-| `properties.function` | \{ `description`: ``"Function definition and parameters"`` ; `isRequired`: ``true`` = true; `type`: ``"FunctionDef"`` = "FunctionDef" } |
-| `properties.function.description` | ``"Function definition and parameters"`` |
-| `properties.function.isRequired` | ``true`` |
-| `properties.function.type` | ``"FunctionDef"`` |
-
-#### Defined in
-
-[src/api/schemas/$UpdateToolRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$UpdateToolRequest.ts#L5)
-
-___
-
-### $UpdateUserRequest
-
-• `Const` **$UpdateUserRequest**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `description` | ``"A valid request payload for updating a user"`` |
-| `properties` | \{ `about`: \{ `description`: ``"About the user"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `metadata`: \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } ; `name`: \{ `description`: ``"Name of the user"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } } |
-| `properties.about` | \{ `description`: ``"About the user"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.about.description` | ``"About the user"`` |
-| `properties.about.isRequired` | ``true`` |
-| `properties.about.type` | ``"string"`` |
-| `properties.metadata` | \{ `description`: ``"Optional metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"Optional metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.name` | \{ `description`: ``"Name of the user"`` ; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"Name of the user"`` |
-| `properties.name.isRequired` | ``true`` |
-| `properties.name.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$UpdateUserRequest.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$UpdateUserRequest.ts#L5)
-
-___
-
-### $User
-
-• `Const` **$User**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `properties` | \{ `about`: \{ `description`: ``"About the user"`` ; `type`: ``"string"`` = "string" } ; `created_at`: \{ `description`: ``"User created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } ; `id`: \{ `description`: ``"User id (UUID)"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } ; `metadata`: \{ `description`: ``"(Optional) metadata"`` ; `properties`: {} = \{} } ; `name`: \{ `description`: ``"Name of the user"`` ; `type`: ``"string"`` = "string" } ; `updated_at`: \{ `description`: ``"User updated at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } } |
-| `properties.about` | \{ `description`: ``"About the user"`` ; `type`: ``"string"`` = "string" } |
-| `properties.about.description` | ``"About the user"`` |
-| `properties.about.type` | ``"string"`` |
-| `properties.created_at` | \{ `description`: ``"User created at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } |
-| `properties.created_at.description` | ``"User created at (RFC-3339 format)"`` |
-| `properties.created_at.format` | ``"date-time"`` |
-| `properties.created_at.type` | ``"string"`` |
-| `properties.id` | \{ `description`: ``"User id (UUID)"`` ; `format`: ``"uuid"`` = "uuid"; `isRequired`: ``true`` = true; `type`: ``"string"`` = "string" } |
-| `properties.id.description` | ``"User id (UUID)"`` |
-| `properties.id.format` | ``"uuid"`` |
-| `properties.id.isRequired` | ``true`` |
-| `properties.id.type` | ``"string"`` |
-| `properties.metadata` | \{ `description`: ``"(Optional) metadata"`` ; `properties`: {} = \{} } |
-| `properties.metadata.description` | ``"(Optional) metadata"`` |
-| `properties.metadata.properties` | {} |
-| `properties.name` | \{ `description`: ``"Name of the user"`` ; `type`: ``"string"`` = "string" } |
-| `properties.name.description` | ``"Name of the user"`` |
-| `properties.name.type` | ``"string"`` |
-| `properties.updated_at` | \{ `description`: ``"User updated at (RFC-3339 format)"`` ; `format`: ``"date-time"`` = "date-time"; `type`: ``"string"`` = "string" } |
-| `properties.updated_at.description` | ``"User updated at (RFC-3339 format)"`` |
-| `properties.updated_at.format` | ``"date-time"`` |
-| `properties.updated_at.type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$User.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$User.ts#L5)
-
-___
-
-### $agent\_id
-
-• `Const` **$agent\_id**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `format` | ``"uuid"`` |
-| `type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$agent_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$agent_id.ts#L5)
-
-___
-
-### $doc\_id
-
-• `Const` **$doc\_id**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `format` | ``"uuid"`` |
-| `type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$doc_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$doc_id.ts#L5)
-
-___
-
-### $job\_id
-
-• `Const` **$job\_id**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `format` | ``"uuid"`` |
-| `type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$job_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$job_id.ts#L5)
-
-___
-
-### $memory\_id
-
-• `Const` **$memory\_id**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `format` | ``"uuid"`` |
-| `type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$memory_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$memory_id.ts#L5)
-
-___
-
-### $message\_id
-
-• `Const` **$message\_id**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `format` | ``"uuid"`` |
-| `type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$message_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$message_id.ts#L5)
-
-___
-
-### $session\_id
-
-• `Const` **$session\_id**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `format` | ``"uuid"`` |
-| `type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$session_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$session_id.ts#L5)
-
-___
-
-### $tool\_id
-
-• `Const` **$tool\_id**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `format` | ``"uuid"`` |
-| `type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$tool_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$tool_id.ts#L5)
-
-___
-
-### $user\_id
-
-• `Const` **$user\_id**: `Object`
-
-#### Type declaration
-
-| Name | Type |
-| :------ | :------ |
-| `format` | ``"uuid"`` |
-| `type` | ``"string"`` |
-
-#### Defined in
-
-[src/api/schemas/$user_id.ts:5](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/schemas/$user_id.ts#L5)
-
-___
-
-### OpenAPI
-
-• `Const` **OpenAPI**: [`OpenAPIConfig`](api.md#openapiconfig)
-
-#### Defined in
-
-[src/api/core/OpenAPI.ts:22](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/api/core/OpenAPI.ts#L22)
diff --git a/docs/js-sdk-docs/modules/api_JulepApiClient.md b/docs/js-sdk-docs/modules/api_JulepApiClient.md
deleted file mode 100644
index 07f3cc365..000000000
--- a/docs/js-sdk-docs/modules/api_JulepApiClient.md
+++ /dev/null
@@ -1,9 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / api/JulepApiClient
-
-# Module: api/JulepApiClient
-
-## Table of contents
-
-### Classes
-
-- [JulepApiClient](../classes/api_JulepApiClient.JulepApiClient.md)
diff --git a/docs/js-sdk-docs/modules/managers_agent.md b/docs/js-sdk-docs/modules/managers_agent.md
deleted file mode 100644
index 6f5ea9677..000000000
--- a/docs/js-sdk-docs/modules/managers_agent.md
+++ /dev/null
@@ -1,9 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / managers/agent
-
-# Module: managers/agent
-
-## Table of contents
-
-### Classes
-
-- [AgentsManager](../classes/managers_agent.AgentsManager.md)
diff --git a/docs/js-sdk-docs/modules/managers_base.md b/docs/js-sdk-docs/modules/managers_base.md
deleted file mode 100644
index fd0e930a7..000000000
--- a/docs/js-sdk-docs/modules/managers_base.md
+++ /dev/null
@@ -1,9 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / managers/base
-
-# Module: managers/base
-
-## Table of contents
-
-### Classes
-
-- [BaseManager](../classes/managers_base.BaseManager.md)
diff --git a/docs/js-sdk-docs/modules/managers_doc.md b/docs/js-sdk-docs/modules/managers_doc.md
deleted file mode 100644
index b7a31fa3a..000000000
--- a/docs/js-sdk-docs/modules/managers_doc.md
+++ /dev/null
@@ -1,9 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / managers/doc
-
-# Module: managers/doc
-
-## Table of contents
-
-### Classes
-
-- [DocsManager](../classes/managers_doc.DocsManager.md)
diff --git a/docs/js-sdk-docs/modules/managers_memory.md b/docs/js-sdk-docs/modules/managers_memory.md
deleted file mode 100644
index 720bd4e70..000000000
--- a/docs/js-sdk-docs/modules/managers_memory.md
+++ /dev/null
@@ -1,9 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / managers/memory
-
-# Module: managers/memory
-
-## Table of contents
-
-### Classes
-
-- [MemoriesManager](../classes/managers_memory.MemoriesManager.md)
diff --git a/docs/js-sdk-docs/modules/managers_session.md b/docs/js-sdk-docs/modules/managers_session.md
deleted file mode 100644
index 38c9d75ef..000000000
--- a/docs/js-sdk-docs/modules/managers_session.md
+++ /dev/null
@@ -1,13 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / managers/session
-
-# Module: managers/session
-
-## Table of contents
-
-### Classes
-
-- [SessionsManager](../classes/managers_session.SessionsManager.md)
-
-### Interfaces
-
-- [CreateSessionPayload](../interfaces/managers_session.CreateSessionPayload.md)
diff --git a/docs/js-sdk-docs/modules/managers_tool.md b/docs/js-sdk-docs/modules/managers_tool.md
deleted file mode 100644
index 1c425999c..000000000
--- a/docs/js-sdk-docs/modules/managers_tool.md
+++ /dev/null
@@ -1,9 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / managers/tool
-
-# Module: managers/tool
-
-## Table of contents
-
-### Classes
-
-- [ToolsManager](../classes/managers_tool.ToolsManager.md)
diff --git a/docs/js-sdk-docs/modules/managers_user.md b/docs/js-sdk-docs/modules/managers_user.md
deleted file mode 100644
index d0d6bffbf..000000000
--- a/docs/js-sdk-docs/modules/managers_user.md
+++ /dev/null
@@ -1,9 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / managers/user
-
-# Module: managers/user
-
-## Table of contents
-
-### Classes
-
-- [UsersManager](../classes/managers_user.UsersManager.md)
diff --git a/docs/js-sdk-docs/modules/utils_invariant.md b/docs/js-sdk-docs/modules/utils_invariant.md
deleted file mode 100644
index 47dc67d54..000000000
--- a/docs/js-sdk-docs/modules/utils_invariant.md
+++ /dev/null
@@ -1,32 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / utils/invariant
-
-# Module: utils/invariant
-
-## Table of contents
-
-### Functions
-
-- [invariant](utils_invariant.md#invariant)
-
-## Functions
-
-### invariant
-
-▸ **invariant**(`condition`, `message?`): `void`
-
-Ensures that a condition is met, throwing a custom error message if not.
-
-#### Parameters
-
-| Name | Type | Default value | Description |
-| :------ | :------ | :------ | :------ |
-| `condition` | `any` | `undefined` | The condition to test. If falsy, an error is thrown. |
-| `message` | `string` | `"Invariant Violation"` | Optional. The error message to throw if the condition is not met. Defaults to "Invariant Violation". |
-
-#### Returns
-
-`void`
-
-#### Defined in
-
-[src/utils/invariant.ts:6](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/utils/invariant.ts#L6)
diff --git a/docs/js-sdk-docs/modules/utils_isValidUuid4.md b/docs/js-sdk-docs/modules/utils_isValidUuid4.md
deleted file mode 100644
index ea1ea5c8d..000000000
--- a/docs/js-sdk-docs/modules/utils_isValidUuid4.md
+++ /dev/null
@@ -1,36 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / utils/isValidUuid4
-
-# Module: utils/isValidUuid4
-
-## Table of contents
-
-### Functions
-
-- [isValidUuid4](utils_isValidUuid4.md#isvaliduuid4)
-
-## Functions
-
-### isValidUuid4
-
-▸ **isValidUuid4**(`uuidToTest`): `boolean`
-
-Validates if the input string is a valid UUID v4.
-This function performs a two-step validation process:
-1. Validates the format of the UUID using `uuidValidate`.
-2. Checks that the version of the UUID is 4 using `uuidVersion`.
-
-#### Parameters
-
-| Name | Type | Description |
-| :------ | :------ | :------ |
-| `uuidToTest` | `string` | The string to test for a valid UUID v4. |
-
-#### Returns
-
-`boolean`
-
-True if the input is a valid UUID v4, otherwise false.
-
-#### Defined in
-
-[src/utils/isValidUuid4.ts:11](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/utils/isValidUuid4.ts#L11)
diff --git a/docs/js-sdk-docs/modules/utils_openaiPatch.md b/docs/js-sdk-docs/modules/utils_openaiPatch.md
deleted file mode 100644
index adddee617..000000000
--- a/docs/js-sdk-docs/modules/utils_openaiPatch.md
+++ /dev/null
@@ -1,33 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / utils/openaiPatch
-
-# Module: utils/openaiPatch
-
-## Table of contents
-
-### Functions
-
-- [patchCreate](utils_openaiPatch.md#patchcreate)
-
-## Functions
-
-### patchCreate
-
-▸ **patchCreate**(`client`, `scope?`): `any`
-
-Patches the 'create' method of an OpenAI client instance to ensure a default model is used if none is specified.
-This is useful for enforcing a consistent model usage across different parts of the SDK.
-
-#### Parameters
-
-| Name | Type | Default value | Description |
-| :------ | :------ | :------ | :------ |
-| `client` | `any` | `undefined` | The OpenAI client instance to be patched. |
-| `scope` | `any` | `null` | Optional. The scope in which the original 'create' method is bound. Defaults to the client itself if not provided. |
-
-#### Returns
-
-`any`
-
-#### Defined in
-
-[src/utils/openaiPatch.ts:8](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/utils/openaiPatch.ts#L8)
diff --git a/docs/js-sdk-docs/modules/utils_requestConstructor.md b/docs/js-sdk-docs/modules/utils_requestConstructor.md
deleted file mode 100644
index a18bf52fe..000000000
--- a/docs/js-sdk-docs/modules/utils_requestConstructor.md
+++ /dev/null
@@ -1,9 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / utils/requestConstructor
-
-# Module: utils/requestConstructor
-
-## Table of contents
-
-### Classes
-
-- [CustomHttpRequest](../classes/utils_requestConstructor.CustomHttpRequest.md)
diff --git a/docs/js-sdk-docs/modules/utils_xor.md b/docs/js-sdk-docs/modules/utils_xor.md
deleted file mode 100644
index 7df656742..000000000
--- a/docs/js-sdk-docs/modules/utils_xor.md
+++ /dev/null
@@ -1,30 +0,0 @@
-[@julep/sdk](../README.md) / [Modules](../modules.md) / utils/xor
-
-# Module: utils/xor
-
-## Table of contents
-
-### Functions
-
-- [xor](utils_xor.md#xor)
-
-## Functions
-
-### xor
-
-▸ **xor**(`a`, `b`): `any`
-
-#### Parameters
-
-| Name | Type |
-| :------ | :------ |
-| `a` | `any` |
-| `b` | `any` |
-
-#### Returns
-
-`any`
-
-#### Defined in
-
-[src/utils/xor.ts:1](https://github.com/julep-ai/julep/blob/1aacc650d71dfc8cc6e2993599c2493784d992ef/sdks/ts/src/utils/xor.ts#L1)
diff --git a/docs/python-sdk-docs/README.md b/docs/python-sdk-docs/README.md
deleted file mode 100644
index cc09eca06..000000000
--- a/docs/python-sdk-docs/README.md
+++ /dev/null
@@ -1,211 +0,0 @@
-# Julep Python SDK Index
-
-> Auto-generated documentation index.
-
-A full list of `Julep Python SDK` project modules.
-
-- [Julep](julep/index.md#julep)
- - [Julep Python Library](julep/api/index.md#julep-python-library)
- - [Client](julep/api/client.md#client)
- - [Core](julep/api/core/index.md#core)
- - [ApiError](julep/api/core/api_error.md#apierror)
- - [Client Wrapper](julep/api/core/client_wrapper.md#client-wrapper)
- - [Datetime Utils](julep/api/core/datetime_utils.md#datetime-utils)
- - [File](julep/api/core/file.md#file)
- - [HttpClient](julep/api/core/http_client.md#httpclient)
- - [Jsonable Encoder](julep/api/core/jsonable_encoder.md#jsonable-encoder)
- - [Pydantic Utilities](julep/api/core/pydantic_utilities.md#pydantic-utilities)
- - [Query Encoder](julep/api/core/query_encoder.md#query-encoder)
- - [Remove None From Dict](julep/api/core/remove_none_from_dict.md#remove-none-from-dict)
- - [RequestOptions](julep/api/core/request_options.md#requestoptions)
- - [Environment](julep/api/environment.md#environment)
- - [Types](julep/api/types/index.md#types)
- - [Agent Docs Route List Request Direction](julep/api/types/agent_docs_route_list_request_direction.md#agent-docs-route-list-request-direction)
- - [Agent Docs Route List Request Sort By](julep/api/types/agent_docs_route_list_request_sort_by.md#agent-docs-route-list-request-sort-by)
- - [AgentDocsRouteListResponse](julep/api/types/agent_docs_route_list_response.md#agentdocsroutelistresponse)
- - [Agent Tools Route List Request Direction](julep/api/types/agent_tools_route_list_request_direction.md#agent-tools-route-list-request-direction)
- - [Agent Tools Route List Request Sort By](julep/api/types/agent_tools_route_list_request_sort_by.md#agent-tools-route-list-request-sort-by)
- - [AgentToolsRouteListResponse](julep/api/types/agent_tools_route_list_response.md#agenttoolsroutelistresponse)
- - [AgentsAgent](julep/api/types/agents_agent.md#agentsagent)
- - [Agents Agent Instructions](julep/api/types/agents_agent_instructions.md#agents-agent-instructions)
- - [AgentsCreateAgentRequest](julep/api/types/agents_create_agent_request.md#agentscreateagentrequest)
- - [Agents Create Agent Request Instructions](julep/api/types/agents_create_agent_request_instructions.md#agents-create-agent-request-instructions)
- - [AgentsCreateOrUpdateAgentRequest](julep/api/types/agents_create_or_update_agent_request.md#agentscreateorupdateagentrequest)
- - [Agents Docs Search Route Search Request Body](julep/api/types/agents_docs_search_route_search_request_body.md#agents-docs-search-route-search-request-body)
- - [Agents Patch Agent Request Instructions](julep/api/types/agents_patch_agent_request_instructions.md#agents-patch-agent-request-instructions)
- - [Agents Route List Request Direction](julep/api/types/agents_route_list_request_direction.md#agents-route-list-request-direction)
- - [Agents Route List Request Sort By](julep/api/types/agents_route_list_request_sort_by.md#agents-route-list-request-sort-by)
- - [AgentsRouteListResponse](julep/api/types/agents_route_list_response.md#agentsroutelistresponse)
- - [AgentsUpdateAgentRequest](julep/api/types/agents_update_agent_request.md#agentsupdateagentrequest)
- - [Agents Update Agent Request Instructions](julep/api/types/agents_update_agent_request_instructions.md#agents-update-agent-request-instructions)
- - [ChatBaseChatOutput](julep/api/types/chat_base_chat_output.md#chatbasechatoutput)
- - [ChatBaseChatResponse](julep/api/types/chat_base_chat_response.md#chatbasechatresponse)
- - [ChatBaseTokenLogProb](julep/api/types/chat_base_token_log_prob.md#chatbasetokenlogprob)
- - [ChatChatInputData](julep/api/types/chat_chat_input_data.md#chatchatinputdata)
- - [Chat Chat Input Data Tool Choice](julep/api/types/chat_chat_input_data_tool_choice.md#chat-chat-input-data-tool-choice)
- - [ChatChatOutputChunk](julep/api/types/chat_chat_output_chunk.md#chatchatoutputchunk)
- - [ChatChatSettings](julep/api/types/chat_chat_settings.md#chatchatsettings)
- - [ChatChunkChatResponse](julep/api/types/chat_chunk_chat_response.md#chatchunkchatresponse)
- - [ChatCompetionUsage](julep/api/types/chat_competion_usage.md#chatcompetionusage)
- - [ChatCompletionResponseFormat](julep/api/types/chat_completion_response_format.md#chatcompletionresponseformat)
- - [Chat Completion Response Format Type](julep/api/types/chat_completion_response_format_type.md#chat-completion-response-format-type)
- - [ChatDefaultChatSettings](julep/api/types/chat_default_chat_settings.md#chatdefaultchatsettings)
- - [Chat Finish Reason](julep/api/types/chat_finish_reason.md#chat-finish-reason)
- - [ChatLogProbResponse](julep/api/types/chat_log_prob_response.md#chatlogprobresponse)
- - [ChatMessageChatResponse](julep/api/types/chat_message_chat_response.md#chatmessagechatresponse)
- - [Chat Message Chat Response Choices Item](julep/api/types/chat_message_chat_response_choices_item.md#chat-message-chat-response-choices-item)
- - [ChatMultipleChatOutput](julep/api/types/chat_multiple_chat_output.md#chatmultiplechatoutput)
- - [ChatOpenAiSettings](julep/api/types/chat_open_ai_settings.md#chatopenaisettings)
- - [Chat Route Generate Response](julep/api/types/chat_route_generate_response.md#chat-route-generate-response)
- - [ChatSingleChatOutput](julep/api/types/chat_single_chat_output.md#chatsinglechatoutput)
- - [ChatTokenLogProb](julep/api/types/chat_token_log_prob.md#chattokenlogprob)
- - [Common Identifier Safe Unicode](julep/api/types/common_identifier_safe_unicode.md#common-identifier-safe-unicode)
- - [Common Limit](julep/api/types/common_limit.md#common-limit)
- - [Common Logit Bias](julep/api/types/common_logit_bias.md#common-logit-bias)
- - [Common Offset](julep/api/types/common_offset.md#common-offset)
- - [Common Py Expression](julep/api/types/common_py_expression.md#common-py-expression)
- - [CommonResourceCreatedResponse](julep/api/types/common_resource_created_response.md#commonresourcecreatedresponse)
- - [CommonResourceDeletedResponse](julep/api/types/common_resource_deleted_response.md#commonresourcedeletedresponse)
- - [CommonResourceUpdatedResponse](julep/api/types/common_resource_updated_response.md#commonresourceupdatedresponse)
- - [Common Tool Ref](julep/api/types/common_tool_ref.md#common-tool-ref)
- - [Common Uuid](julep/api/types/common_uuid.md#common-uuid)
- - [Common Valid Python Identifier](julep/api/types/common_valid_python_identifier.md#common-valid-python-identifier)
- - [DocsBaseDocSearchRequest](julep/api/types/docs_base_doc_search_request.md#docsbasedocsearchrequest)
- - [DocsCreateDocRequest](julep/api/types/docs_create_doc_request.md#docscreatedocrequest)
- - [Docs Create Doc Request Content](julep/api/types/docs_create_doc_request_content.md#docs-create-doc-request-content)
- - [DocsDoc](julep/api/types/docs_doc.md#docsdoc)
- - [Docs Doc Content](julep/api/types/docs_doc_content.md#docs-doc-content)
- - [DocsDocOwner](julep/api/types/docs_doc_owner.md#docsdocowner)
- - [Docs Doc Owner Role](julep/api/types/docs_doc_owner_role.md#docs-doc-owner-role)
- - [DocsDocReference](julep/api/types/docs_doc_reference.md#docsdocreference)
- - [DocsDocSearchResponse](julep/api/types/docs_doc_search_response.md#docsdocsearchresponse)
- - [DocsEmbedQueryRequest](julep/api/types/docs_embed_query_request.md#docsembedqueryrequest)
- - [Docs Embed Query Request Text](julep/api/types/docs_embed_query_request_text.md#docs-embed-query-request-text)
- - [DocsEmbedQueryResponse](julep/api/types/docs_embed_query_response.md#docsembedqueryresponse)
- - [DocsHybridDocSearchRequest](julep/api/types/docs_hybrid_doc_search_request.md#docshybriddocsearchrequest)
- - [DocsSnippet](julep/api/types/docs_snippet.md#docssnippet)
- - [DocsTextOnlyDocSearchRequest](julep/api/types/docs_text_only_doc_search_request.md#docstextonlydocsearchrequest)
- - [DocsVectorDocSearchRequest](julep/api/types/docs_vector_doc_search_request.md#docsvectordocsearchrequest)
- - [EntriesBaseEntry](julep/api/types/entries_base_entry.md#entriesbaseentry)
- - [Entries Base Entry Content](julep/api/types/entries_base_entry_content.md#entries-base-entry-content)
- - [Entries Base Entry Content Item](julep/api/types/entries_base_entry_content_item.md#entries-base-entry-content-item)
- - [Entries Base Entry Content Item Item](julep/api/types/entries_base_entry_content_item_item.md#entries-base-entry-content-item-item)
- - [Entries Base Entry Source](julep/api/types/entries_base_entry_source.md#entries-base-entry-source)
- - [EntriesChatMlImageContentPart](julep/api/types/entries_chat_ml_image_content_part.md#entrieschatmlimagecontentpart)
- - [Entries Chat Ml Role](julep/api/types/entries_chat_ml_role.md#entries-chat-ml-role)
- - [EntriesChatMlTextContentPart](julep/api/types/entries_chat_ml_text_content_part.md#entrieschatmltextcontentpart)
- - [EntriesEntry](julep/api/types/entries_entry.md#entriesentry)
- - [EntriesHistory](julep/api/types/entries_history.md#entrieshistory)
- - [Entries Image Detail](julep/api/types/entries_image_detail.md#entries-image-detail)
- - [EntriesImageUrl](julep/api/types/entries_image_url.md#entriesimageurl)
- - [EntriesInputChatMlMessage](julep/api/types/entries_input_chat_ml_message.md#entriesinputchatmlmessage)
- - [Entries Input Chat Ml Message Content](julep/api/types/entries_input_chat_ml_message_content.md#entries-input-chat-ml-message-content)
- - [Entries Input Chat Ml Message Content Item](julep/api/types/entries_input_chat_ml_message_content_item.md#entries-input-chat-ml-message-content-item)
- - [EntriesRelation](julep/api/types/entries_relation.md#entriesrelation)
- - [Execution Transitions Route List Request Direction](julep/api/types/execution_transitions_route_list_request_direction.md#execution-transitions-route-list-request-direction)
- - [Execution Transitions Route List Request Sort By](julep/api/types/execution_transitions_route_list_request_sort_by.md#execution-transitions-route-list-request-sort-by)
- - [ExecutionTransitionsRouteListResponse](julep/api/types/execution_transitions_route_list_response.md#executiontransitionsroutelistresponse)
- - [ExecutionTransitionsRouteListResponseResultsItem](julep/api/types/execution_transitions_route_list_response_results_item.md#executiontransitionsroutelistresponseresultsitem)
- - [ExecutionsExecution](julep/api/types/executions_execution.md#executionsexecution)
- - [Executions Execution Status](julep/api/types/executions_execution_status.md#executions-execution-status)
- - [ExecutionsResumeExecutionRequest](julep/api/types/executions_resume_execution_request.md#executionsresumeexecutionrequest)
- - [ExecutionsStopExecutionRequest](julep/api/types/executions_stop_execution_request.md#executionsstopexecutionrequest)
- - [ExecutionsTransition](julep/api/types/executions_transition.md#executionstransition)
- - [ExecutionsTransitionTarget](julep/api/types/executions_transition_target.md#executionstransitiontarget)
- - [Executions Transition Type](julep/api/types/executions_transition_type.md#executions-transition-type)
- - [Executions Update Execution Request](julep/api/types/executions_update_execution_request.md#executions-update-execution-request)
- - [Jobs Job State](julep/api/types/jobs_job_state.md#jobs-job-state)
- - [JobsJobStatus](julep/api/types/jobs_job_status.md#jobsjobstatus)
- - [Sessions Context Overflow Type](julep/api/types/sessions_context_overflow_type.md#sessions-context-overflow-type)
- - [SessionsCreateOrUpdateSessionRequest](julep/api/types/sessions_create_or_update_session_request.md#sessionscreateorupdatesessionrequest)
- - [SessionsCreateSessionRequest](julep/api/types/sessions_create_session_request.md#sessionscreatesessionrequest)
- - [SessionsMultiAgentMultiUserSession](julep/api/types/sessions_multi_agent_multi_user_session.md#sessionsmultiagentmultiusersession)
- - [SessionsMultiAgentNoUserSession](julep/api/types/sessions_multi_agent_no_user_session.md#sessionsmultiagentnousersession)
- - [SessionsMultiAgentSingleUserSession](julep/api/types/sessions_multi_agent_single_user_session.md#sessionsmultiagentsingleusersession)
- - [Sessions Route List Request Direction](julep/api/types/sessions_route_list_request_direction.md#sessions-route-list-request-direction)
- - [Sessions Route List Request Sort By](julep/api/types/sessions_route_list_request_sort_by.md#sessions-route-list-request-sort-by)
- - [SessionsRouteListResponse](julep/api/types/sessions_route_list_response.md#sessionsroutelistresponse)
- - [Sessions Session](julep/api/types/sessions_session.md#sessions-session)
- - [SessionsSingleAgentMultiUserSession](julep/api/types/sessions_single_agent_multi_user_session.md#sessionssingleagentmultiusersession)
- - [SessionsSingleAgentNoUserSession](julep/api/types/sessions_single_agent_no_user_session.md#sessionssingleagentnousersession)
- - [SessionsSingleAgentSingleUserSession](julep/api/types/sessions_single_agent_single_user_session.md#sessionssingleagentsingleusersession)
- - [Task Executions Route List Request Direction](julep/api/types/task_executions_route_list_request_direction.md#task-executions-route-list-request-direction)
- - [Task Executions Route List Request Sort By](julep/api/types/task_executions_route_list_request_sort_by.md#task-executions-route-list-request-sort-by)
- - [TaskExecutionsRouteListResponse](julep/api/types/task_executions_route_list_response.md#taskexecutionsroutelistresponse)
- - [Tasks Base Workflow Step](julep/api/types/tasks_base_workflow_step.md#tasks-base-workflow-step)
- - [TasksCaseThen](julep/api/types/tasks_case_then.md#taskscasethen)
- - [Tasks Case Then Then](julep/api/types/tasks_case_then_then.md#tasks-case-then-then)
- - [TasksCreateTaskRequest](julep/api/types/tasks_create_task_request.md#taskscreatetaskrequest)
- - [Tasks Create Task Request Main Item](julep/api/types/tasks_create_task_request_main_item.md#tasks-create-task-request-main-item)
- - [TasksEmbedStep](julep/api/types/tasks_embed_step.md#tasksembedstep)
- - [TasksErrorWorkflowStep](julep/api/types/tasks_error_workflow_step.md#taskserrorworkflowstep)
- - [TasksEvaluateStep](julep/api/types/tasks_evaluate_step.md#tasksevaluatestep)
- - [TasksForeachDo](julep/api/types/tasks_foreach_do.md#tasksforeachdo)
- - [Tasks Foreach Do Do](julep/api/types/tasks_foreach_do_do.md#tasks-foreach-do-do)
- - [TasksForeachStep](julep/api/types/tasks_foreach_step.md#tasksforeachstep)
- - [TasksGetStep](julep/api/types/tasks_get_step.md#tasksgetstep)
- - [TasksIfElseWorkflowStep](julep/api/types/tasks_if_else_workflow_step.md#tasksifelseworkflowstep)
- - [Tasks If Else Workflow Step Else](julep/api/types/tasks_if_else_workflow_step_else.md#tasks-if-else-workflow-step-else)
- - [Tasks If Else Workflow Step Then](julep/api/types/tasks_if_else_workflow_step_then.md#tasks-if-else-workflow-step-then)
- - [TasksLogStep](julep/api/types/tasks_log_step.md#taskslogstep)
- - [TasksMapOver](julep/api/types/tasks_map_over.md#tasksmapover)
- - [TasksMapReduceStep](julep/api/types/tasks_map_reduce_step.md#tasksmapreducestep)
- - [TasksParallelStep](julep/api/types/tasks_parallel_step.md#tasksparallelstep)
- - [Tasks Parallel Step Parallel Item](julep/api/types/tasks_parallel_step_parallel_item.md#tasks-parallel-step-parallel-item)
- - [Tasks Patch Task Request Main Item](julep/api/types/tasks_patch_task_request_main_item.md#tasks-patch-task-request-main-item)
- - [TasksPromptStep](julep/api/types/tasks_prompt_step.md#taskspromptstep)
- - [Tasks Prompt Step Prompt](julep/api/types/tasks_prompt_step_prompt.md#tasks-prompt-step-prompt)
- - [TasksReturnStep](julep/api/types/tasks_return_step.md#tasksreturnstep)
- - [Tasks Route List Request Direction](julep/api/types/tasks_route_list_request_direction.md#tasks-route-list-request-direction)
- - [Tasks Route List Request Sort By](julep/api/types/tasks_route_list_request_sort_by.md#tasks-route-list-request-sort-by)
- - [TasksRouteListResponse](julep/api/types/tasks_route_list_response.md#tasksroutelistresponse)
- - [TasksSearchStep](julep/api/types/tasks_search_step.md#taskssearchstep)
- - [Tasks Search Step Search](julep/api/types/tasks_search_step_search.md#tasks-search-step-search)
- - [TasksSetKey](julep/api/types/tasks_set_key.md#taskssetkey)
- - [TasksSetStep](julep/api/types/tasks_set_step.md#taskssetstep)
- - [Tasks Set Step Set](julep/api/types/tasks_set_step_set.md#tasks-set-step-set)
- - [TasksSleepFor](julep/api/types/tasks_sleep_for.md#taskssleepfor)
- - [TasksSleepStep](julep/api/types/tasks_sleep_step.md#taskssleepstep)
- - [TasksSwitchStep](julep/api/types/tasks_switch_step.md#tasksswitchstep)
- - [TasksTask](julep/api/types/tasks_task.md#taskstask)
- - [Tasks Task Main Item](julep/api/types/tasks_task_main_item.md#tasks-task-main-item)
- - [TasksTaskTool](julep/api/types/tasks_task_tool.md#taskstasktool)
- - [TasksToolCallStep](julep/api/types/tasks_tool_call_step.md#taskstoolcallstep)
- - [Tasks Update Task Request Main Item](julep/api/types/tasks_update_task_request_main_item.md#tasks-update-task-request-main-item)
- - [TasksWaitForInputStep](julep/api/types/tasks_wait_for_input_step.md#taskswaitforinputstep)
- - [TasksYieldStep](julep/api/types/tasks_yield_step.md#tasksyieldstep)
- - [ToolsChosenFunctionCall](julep/api/types/tools_chosen_function_call.md#toolschosenfunctioncall)
- - [Tools Chosen Tool Call](julep/api/types/tools_chosen_tool_call.md#tools-chosen-tool-call)
- - [ToolsCreateToolRequest](julep/api/types/tools_create_tool_request.md#toolscreatetoolrequest)
- - [ToolsFunctionCallOption](julep/api/types/tools_function_call_option.md#toolsfunctioncalloption)
- - [ToolsFunctionDef](julep/api/types/tools_function_def.md#toolsfunctiondef)
- - [ToolsFunctionTool](julep/api/types/tools_function_tool.md#toolsfunctiontool)
- - [ToolsNamedFunctionChoice](julep/api/types/tools_named_function_choice.md#toolsnamedfunctionchoice)
- - [Tools Named Tool Choice](julep/api/types/tools_named_tool_choice.md#tools-named-tool-choice)
- - [Tools Tool](julep/api/types/tools_tool.md#tools-tool)
- - [ToolsToolResponse](julep/api/types/tools_tool_response.md#toolstoolresponse)
- - [Tools Tool Type](julep/api/types/tools_tool_type.md#tools-tool-type)
- - [User Docs Route List Request Direction](julep/api/types/user_docs_route_list_request_direction.md#user-docs-route-list-request-direction)
- - [User Docs Route List Request Sort By](julep/api/types/user_docs_route_list_request_sort_by.md#user-docs-route-list-request-sort-by)
- - [UserDocsRouteListResponse](julep/api/types/user_docs_route_list_response.md#userdocsroutelistresponse)
- - [User Docs Search Route Search Request Body](julep/api/types/user_docs_search_route_search_request_body.md#user-docs-search-route-search-request-body)
- - [UsersCreateOrUpdateUserRequest](julep/api/types/users_create_or_update_user_request.md#userscreateorupdateuserrequest)
- - [UsersCreateUserRequest](julep/api/types/users_create_user_request.md#userscreateuserrequest)
- - [Users Route List Request Direction](julep/api/types/users_route_list_request_direction.md#users-route-list-request-direction)
- - [Users Route List Request Sort By](julep/api/types/users_route_list_request_sort_by.md#users-route-list-request-sort-by)
- - [UsersRouteListResponse](julep/api/types/users_route_list_response.md#usersroutelistresponse)
- - [UsersUser](julep/api/types/users_user.md#usersuser)
- - [Client](julep/client.md#client)
- - [Env](julep/env.md#env)
- - [Managers](julep/managers/index.md#managers)
- - [Agent](julep/managers/agent.md#agent)
- - [Base](julep/managers/base.md#base)
- - [Doc](julep/managers/doc.md#doc)
- - [Memory](julep/managers/memory.md#memory)
- - [Session](julep/managers/session.md#session)
- - [Task](julep/managers/task.md#task)
- - [Tool](julep/managers/tool.md#tool)
- - [Types](julep/managers/types.md#types)
- - [User](julep/managers/user.md#user)
- - [Utils](julep/utils/index.md#utils)
- - [Openai Patch](julep/utils/openai_patch.md#openai-patch)
diff --git a/docs/python-sdk-docs/julep/api/client.md b/docs/python-sdk-docs/julep/api/client.md
deleted file mode 100644
index 34fe3b1f4..000000000
--- a/docs/python-sdk-docs/julep/api/client.md
+++ /dev/null
@@ -1,6554 +0,0 @@
-# Client
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Julep Python Library](./index.md#julep-python-library) / Client
-
-> Auto-generated documentation for [julep.api.client](../../../../../../julep/api/client.py) module.
-
-#### Attributes
-
-- `OMIT` - this is used as the default value for optional parameters: typing.cast(typing.Any, ...)
-
-
-- [Client](#client)
- - [AsyncJulepApi](#asyncjulepapi)
- - [JulepApi](#julepapi)
-
-## AsyncJulepApi
-
-[Show source in client.py:3706](../../../../../../julep/api/client.py#L3706)
-
-Use this class to access the different functions within the SDK. You can instantiate any number of clients with different configuration that will propagate to these functions.
-
-Parameters
-----------
-base_url : typing.Optional[str]
- The base url to use for requests from the client.
-
-environment : JulepApiEnvironment
- The environment to use for requests from the client. from .environment import JulepApiEnvironment
-
-Defaults to JulepApiEnvironment.DEFAULT
-
-auth_key : str
-api_key : str
-timeout : typing.Optional[float]
- The timeout to be used, in seconds, for requests. By default the timeout is 300 seconds, unless a custom httpx client is used, in which case this default is not enforced.
-
-follow_redirects : typing.Optional[bool]
- Whether the default httpx client follows redirects or not, this is irrelevant if a custom httpx client is passed in.
-
-httpx_client : typing.Optional[httpx.AsyncClient]
- The httpx client to use for making requests, a preconfigured client is used by default, however this is useful should you want to pass in any custom httpx configuration.
-
-Examples
---------
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-#### Signature
-
-```python
-class AsyncJulepApi:
- def __init__(
- self,
- base_url: typing.Optional[str] = None,
- environment: JulepApiEnvironment = JulepApiEnvironment.DEFAULT,
- auth_key: str,
- api_key: str,
- timeout: typing.Optional[float] = None,
- follow_redirects: typing.Optional[bool] = True,
- httpx_client: typing.Optional[httpx.AsyncClient] = None,
- ): ...
-```
-
-### AsyncJulepApi().agent_docs_route_create
-
-[Show source in client.py:4404](../../../../../../julep/api/client.py#L4404)
-
-Create a Doc for this Agent
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-title : CommonIdentifierSafeUnicode
- Title describing what this document contains
-
-content : DocsCreateDocRequestContent
- Contents of the document
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agent_docs_route_create(
- id="id",
- title="title",
- content="content",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agent_docs_route_create(
- self,
- id: CommonUuid,
- title: CommonIdentifierSafeUnicode,
- content: DocsCreateDocRequestContent,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().agent_docs_route_delete
-
-[Show source in client.py:4474](../../../../../../julep/api/client.py#L4474)
-
-Delete a Doc for this Agent
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be deleted
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agent_docs_route_delete(
- id="id",
- child_id="child_id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agent_docs_route_delete(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceDeletedResponse: ...
-```
-
-### AsyncJulepApi().agent_docs_route_list
-
-[Show source in client.py:4317](../../../../../../julep/api/client.py#L4317)
-
-List Docs owned by an Agent
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : AgentDocsRouteListRequestSortBy
- Sort by a field
-
-direction : AgentDocsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-AgentDocsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agent_docs_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agent_docs_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: AgentDocsRouteListRequestSortBy,
- direction: AgentDocsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> AgentDocsRouteListResponse: ...
-```
-
-### AsyncJulepApi().agent_tools_route_create
-
-[Show source in client.py:5127](../../../../../../julep/api/client.py#L5127)
-
-Create a new tool for this agent
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-name : CommonIdentifierSafeUnicode
- Name of the agent
-
-about : str
- About the agent
-
-model : str
- Model name to use (gpt-4-turbo, gemini-nano etc)
-
-instructions : AgentsCreateAgentRequestInstructions
- Instructions for the agent
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-default_settings : typing.Optional[ChatDefaultChatSettings]
- Default settings for all sessions created by this agent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agent_tools_route_create(
- id="id",
- name="name",
- about="about",
- model="model",
- instructions="instructions",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agent_tools_route_create(
- self,
- id: CommonUuid,
- name: CommonIdentifierSafeUnicode,
- about: str,
- model: str,
- instructions: AgentsCreateAgentRequestInstructions,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- default_settings: typing.Optional[ChatDefaultChatSettings] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().agent_tools_route_delete
-
-[Show source in client.py:5309](../../../../../../julep/api/client.py#L5309)
-
-Delete an existing tool by id
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be deleted
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agent_tools_route_delete(
- id="id",
- child_id="child_id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agent_tools_route_delete(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceDeletedResponse: ...
-```
-
-### AsyncJulepApi().agent_tools_route_list
-
-[Show source in client.py:5040](../../../../../../julep/api/client.py#L5040)
-
-List tools of the given agent
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : AgentToolsRouteListRequestSortBy
- Sort by a field
-
-direction : AgentToolsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-AgentToolsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agent_tools_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agent_tools_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: AgentToolsRouteListRequestSortBy,
- direction: AgentToolsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> AgentToolsRouteListResponse: ...
-```
-
-### AsyncJulepApi().agent_tools_route_patch
-
-[Show source in client.py:5369](../../../../../../julep/api/client.py#L5369)
-
-Update an existing tool (merges with existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be patched
-
-type : typing.Optional[ToolsToolType]
- Whether this tool is a `function`, `api_call`, `system` etc. (Only `function` tool supported right now)
-
-name : typing.Optional[CommonValidPythonIdentifier]
- Name of the tool (must be unique for this agent and a valid python identifier string )
-
-function : typing.Optional[ToolsFunctionDef]
-
-integration : typing.Optional[typing.Any]
-
-system : typing.Optional[typing.Any]
-
-api_call : typing.Optional[typing.Any]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agent_tools_route_patch(
- id="id",
- child_id="child_id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agent_tools_route_patch(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- type: typing.Optional[ToolsToolType] = OMIT,
- name: typing.Optional[CommonValidPythonIdentifier] = OMIT,
- function: typing.Optional[ToolsFunctionDef] = OMIT,
- integration: typing.Optional[typing.Any] = OMIT,
- system: typing.Optional[typing.Any] = OMIT,
- api_call: typing.Optional[typing.Any] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().agent_tools_route_update
-
-[Show source in client.py:5218](../../../../../../julep/api/client.py#L5218)
-
-Update an existing tool (overwrite existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be updated
-
-type : ToolsToolType
- Whether this tool is a `function`, `api_call`, `system` etc. (Only `function` tool supported right now)
-
-name : CommonValidPythonIdentifier
- Name of the tool (must be unique for this agent and a valid python identifier string )
-
-function : typing.Optional[ToolsFunctionDef]
-
-integration : typing.Optional[typing.Any]
-
-system : typing.Optional[typing.Any]
-
-api_call : typing.Optional[typing.Any]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agent_tools_route_update(
- id="id",
- child_id="child_id",
- type="function",
- name="name",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agent_tools_route_update(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- type: ToolsToolType,
- name: CommonValidPythonIdentifier,
- function: typing.Optional[ToolsFunctionDef] = OMIT,
- integration: typing.Optional[typing.Any] = OMIT,
- system: typing.Optional[typing.Any] = OMIT,
- api_call: typing.Optional[typing.Any] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().agents_docs_search_route_search
-
-[Show source in client.py:4534](../../../../../../julep/api/client.py#L4534)
-
-Search Docs owned by an Agent
-
-Parameters
-----------
-id : CommonUuid
- ID of the parent
-
-body : AgentsDocsSearchRouteSearchRequestBody
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-DocsDocSearchResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep import DocsVectorDocSearchRequest
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agents_docs_search_route_search(
- id="id",
- body=DocsVectorDocSearchRequest(
- limit=1,
- confidence=1.1,
- vector=[1.1],
- ),
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agents_docs_search_route_search(
- self,
- id: CommonUuid,
- body: AgentsDocsSearchRouteSearchRequestBody,
- request_options: typing.Optional[RequestOptions] = None,
-) -> DocsDocSearchResponse: ...
-```
-
-### AsyncJulepApi().agents_route_create
-
-[Show source in client.py:3859](../../../../../../julep/api/client.py#L3859)
-
-Create a new Agent
-
-Parameters
-----------
-name : CommonIdentifierSafeUnicode
- Name of the agent
-
-about : str
- About the agent
-
-model : str
- Model name to use (gpt-4-turbo, gemini-nano etc)
-
-instructions : AgentsCreateAgentRequestInstructions
- Instructions for the agent
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-default_settings : typing.Optional[ChatDefaultChatSettings]
- Default settings for all sessions created by this agent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agents_route_create(
- name="name",
- about="about",
- model="model",
- instructions="instructions",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agents_route_create(
- self,
- name: CommonIdentifierSafeUnicode,
- about: str,
- model: str,
- instructions: AgentsCreateAgentRequestInstructions,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- default_settings: typing.Optional[ChatDefaultChatSettings] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().agents_route_create_or_update
-
-[Show source in client.py:3997](../../../../../../julep/api/client.py#L3997)
-
-Create or update an Agent
-
-Parameters
-----------
-id : CommonUuid
-
-name : CommonIdentifierSafeUnicode
- Name of the agent
-
-about : str
- About the agent
-
-model : str
- Model name to use (gpt-4-turbo, gemini-nano etc)
-
-instructions : AgentsUpdateAgentRequestInstructions
- Instructions for the agent
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-default_settings : typing.Optional[ChatDefaultChatSettings]
- Default settings for all sessions created by this agent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agents_route_create_or_update(
- id="id",
- name="name",
- about="about",
- model="model",
- instructions="instructions",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agents_route_create_or_update(
- self,
- id: CommonUuid,
- name: CommonIdentifierSafeUnicode,
- about: str,
- model: str,
- instructions: AgentsUpdateAgentRequestInstructions,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- default_settings: typing.Optional[ChatDefaultChatSettings] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().agents_route_delete
-
-[Show source in client.py:4178](../../../../../../julep/api/client.py#L4178)
-
-Delete Agent by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agents_route_delete(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agents_route_delete(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> CommonResourceDeletedResponse: ...
-```
-
-### AsyncJulepApi().agents_route_get
-
-[Show source in client.py:3945](../../../../../../julep/api/client.py#L3945)
-
-Get an Agent by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-AgentsAgent
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agents_route_get(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agents_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> AgentsAgent: ...
-```
-
-### AsyncJulepApi().agents_route_list
-
-[Show source in client.py:3777](../../../../../../julep/api/client.py#L3777)
-
-List Agents (paginated)
-
-Parameters
-----------
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : AgentsRouteListRequestSortBy
- Sort by a field
-
-direction : AgentsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-AgentsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agents_route_list(
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agents_route_list(
- self,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: AgentsRouteListRequestSortBy,
- direction: AgentsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> AgentsRouteListResponse: ...
-```
-
-### AsyncJulepApi().agents_route_patch
-
-[Show source in client.py:4230](../../../../../../julep/api/client.py#L4230)
-
-Update an existing Agent by id (merges with existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-name : typing.Optional[CommonIdentifierSafeUnicode]
- Name of the agent
-
-about : typing.Optional[str]
- About the agent
-
-model : typing.Optional[str]
- Model name to use (gpt-4-turbo, gemini-nano etc)
-
-instructions : typing.Optional[AgentsPatchAgentRequestInstructions]
- Instructions for the agent
-
-default_settings : typing.Optional[ChatDefaultChatSettings]
- Default settings for all sessions created by this agent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agents_route_patch(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agents_route_patch(
- self,
- id: CommonUuid,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- name: typing.Optional[CommonIdentifierSafeUnicode] = OMIT,
- about: typing.Optional[str] = OMIT,
- model: typing.Optional[str] = OMIT,
- instructions: typing.Optional[AgentsPatchAgentRequestInstructions] = OMIT,
- default_settings: typing.Optional[ChatDefaultChatSettings] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().agents_route_update
-
-[Show source in client.py:4087](../../../../../../julep/api/client.py#L4087)
-
-Update an existing Agent by id (overwrites existing values; use PATCH for merging instead)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-name : CommonIdentifierSafeUnicode
- Name of the agent
-
-about : str
- About the agent
-
-model : str
- Model name to use (gpt-4-turbo, gemini-nano etc)
-
-instructions : AgentsUpdateAgentRequestInstructions
- Instructions for the agent
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-default_settings : typing.Optional[ChatDefaultChatSettings]
- Default settings for all sessions created by this agent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.agents_route_update(
- id="id",
- name="name",
- about="about",
- model="model",
- instructions="instructions",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def agents_route_update(
- self,
- id: CommonUuid,
- name: CommonIdentifierSafeUnicode,
- about: str,
- model: str,
- instructions: AgentsUpdateAgentRequestInstructions,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- default_settings: typing.Optional[ChatDefaultChatSettings] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().chat_route_generate
-
-[Show source in client.py:6541](../../../../../../julep/api/client.py#L6541)
-
-Generate a response from the model
-
-Parameters
-----------
-id : CommonUuid
- The session ID
-
-remember : bool
- DISABLED: Whether this interaction should form new memories or not (will be enabled in a future release)
-
-recall : bool
- Whether previous memories and docs should be recalled or not
-
-save : bool
- Whether this interaction should be stored in the session history or not
-
-stream : bool
- Indicates if the server should stream the response as it's generated
-
-messages : typing.Sequence[EntriesInputChatMlMessage]
- A list of new input messages comprising the conversation so far.
-
-model : typing.Optional[CommonIdentifierSafeUnicode]
- Identifier of the model to be used
-
-stop : typing.Optional[typing.Sequence[str]]
- Up to 4 sequences where the API will stop generating further tokens.
-
-seed : typing.Optional[int]
- If specified, the system will make a best effort to sample deterministically for that particular seed value
-
-max_tokens : typing.Optional[int]
- The maximum number of tokens to generate in the chat completion
-
-logit_bias : typing.Optional[typing.Dict[str, CommonLogitBias]]
- Modify the likelihood of specified tokens appearing in the completion
-
-response_format : typing.Optional[ChatCompletionResponseFormat]
- Response format (set to `json_object` to restrict output to JSON)
-
-agent : typing.Optional[CommonUuid]
- Agent ID of the agent to use for this interaction. (Only applicable for multi-agent sessions)
-
-repetition_penalty : typing.Optional[float]
- Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim.
-
-length_penalty : typing.Optional[float]
- Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize number of tokens generated.
-
-min_p : typing.Optional[float]
- Minimum probability compared to leading token to be considered
-
-frequency_penalty : typing.Optional[float]
- Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim.
-
-presence_penalty : typing.Optional[float]
- Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim.
-
-temperature : typing.Optional[float]
- What sampling temperature to use, between 0 and 2. Higher values like 0.8 will make the output more random, while lower values like 0.2 will make it more focused and deterministic.
-
-top_p : typing.Optional[float]
- Defaults to 1 An alternative to sampling with temperature, called nucleus sampling, where the model considers the results of the tokens with top_p probability mass. So 0.1 means only the tokens comprising the top 10% probability mass are considered. We generally recommend altering this or temperature but not both.
-
-tools : typing.Optional[typing.Sequence[ToolsFunctionTool]]
- (Advanced) List of tools that are provided in addition to agent's default set of tools.
-
-tool_choice : typing.Optional[ChatChatInputDataToolChoice]
- Can be one of existing tools given to the agent earlier or the ones provided in this request.
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-ChatRouteGenerateResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep import EntriesInputChatMlMessage
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.chat_route_generate(
- id="id",
- messages=[
- EntriesInputChatMlMessage(
- role="user",
- content="content",
- )
- ],
- remember=True,
- recall=True,
- save=True,
- stream=True,
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def chat_route_generate(
- self,
- id: CommonUuid,
- remember: bool,
- recall: bool,
- save: bool,
- stream: bool,
- messages: typing.Sequence[EntriesInputChatMlMessage],
- model: typing.Optional[CommonIdentifierSafeUnicode] = OMIT,
- stop: typing.Optional[typing.Sequence[str]] = OMIT,
- seed: typing.Optional[int] = OMIT,
- max_tokens: typing.Optional[int] = OMIT,
- logit_bias: typing.Optional[typing.Dict[str, CommonLogitBias]] = OMIT,
- response_format: typing.Optional[ChatCompletionResponseFormat] = OMIT,
- agent: typing.Optional[CommonUuid] = OMIT,
- repetition_penalty: typing.Optional[float] = OMIT,
- length_penalty: typing.Optional[float] = OMIT,
- min_p: typing.Optional[float] = OMIT,
- frequency_penalty: typing.Optional[float] = OMIT,
- presence_penalty: typing.Optional[float] = OMIT,
- temperature: typing.Optional[float] = OMIT,
- top_p: typing.Optional[float] = OMIT,
- tools: typing.Optional[typing.Sequence[ToolsFunctionTool]] = OMIT,
- tool_choice: typing.Optional[ChatChatInputDataToolChoice] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> ChatRouteGenerateResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().embed_route_embed
-
-[Show source in client.py:5615](../../../../../../julep/api/client.py#L5615)
-
-Embed a query for search
-
-Parameters
-----------
-body : DocsEmbedQueryRequest
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-DocsEmbedQueryResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep import DocsEmbedQueryRequest
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.embed_route_embed(
- body=DocsEmbedQueryRequest(
- text="text",
- ),
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def embed_route_embed(
- self,
- body: DocsEmbedQueryRequest,
- request_options: typing.Optional[RequestOptions] = None,
-) -> DocsEmbedQueryResponse: ...
-```
-
-### AsyncJulepApi().execution_transitions_route_list
-
-[Show source in client.py:5852](../../../../../../julep/api/client.py#L5852)
-
-List the Transitions of an Execution by id
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : ExecutionTransitionsRouteListRequestSortBy
- Sort by a field
-
-direction : ExecutionTransitionsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-ExecutionTransitionsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.execution_transitions_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def execution_transitions_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: ExecutionTransitionsRouteListRequestSortBy,
- direction: ExecutionTransitionsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> ExecutionTransitionsRouteListResponse: ...
-```
-
-### AsyncJulepApi().executions_route_get
-
-[Show source in client.py:5736](../../../../../../julep/api/client.py#L5736)
-
-Get an Execution by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-ExecutionsExecution
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.executions_route_get(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def executions_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> ExecutionsExecution: ...
-```
-
-### AsyncJulepApi().executions_route_resume_with_task_token
-
-[Show source in client.py:5674](../../../../../../julep/api/client.py#L5674)
-
-Resume an execution with a task token
-
-Parameters
-----------
-task_token : str
- A Task Token is a unique identifier for a specific Task Execution.
-
-input : typing.Optional[typing.Dict[str, typing.Any]]
- The input to resume the execution with
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.executions_route_resume_with_task_token(
- task_token="task_token",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def executions_route_resume_with_task_token(
- self,
- task_token: str,
- input: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().executions_route_update
-
-[Show source in client.py:5788](../../../../../../julep/api/client.py#L5788)
-
-Update an existing Execution
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request : ExecutionsUpdateExecutionRequest
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep import ExecutionsUpdateExecutionRequest_Cancelled
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.executions_route_update(
- id="string",
- request=ExecutionsUpdateExecutionRequest_Cancelled(
- reason="string",
- ),
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def executions_route_update(
- self,
- id: CommonUuid,
- request: ExecutionsUpdateExecutionRequest,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-### AsyncJulepApi().history_route_delete
-
-[Show source in client.py:6767](../../../../../../julep/api/client.py#L6767)
-
-Clear the history of a Session (resets the Session)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.history_route_delete(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def history_route_delete(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> CommonResourceDeletedResponse: ...
-```
-
-### AsyncJulepApi().history_route_history
-
-[Show source in client.py:6715](../../../../../../julep/api/client.py#L6715)
-
-Get history of a Session
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-EntriesHistory
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.history_route_history(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def history_route_history(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> EntriesHistory: ...
-```
-
-### AsyncJulepApi().individual_docs_route_get
-
-[Show source in client.py:5563](../../../../../../julep/api/client.py#L5563)
-
-Get Doc by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-DocsDoc
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.individual_docs_route_get(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def individual_docs_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> DocsDoc: ...
-```
-
-### AsyncJulepApi().job_route_get
-
-[Show source in client.py:5939](../../../../../../julep/api/client.py#L5939)
-
-Get the status of an existing Job by its id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-JobsJobStatus
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.job_route_get(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def job_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> JobsJobStatus: ...
-```
-
-### AsyncJulepApi().sessions_route_create
-
-[Show source in client.py:6073](../../../../../../julep/api/client.py#L6073)
-
-Create a new session
-
-Parameters
-----------
-situation : str
- A specific situation that sets the background for this session
-
-render_templates : bool
- Render system and assistant message content as jinja templates
-
-user : typing.Optional[CommonUuid]
- User ID of user associated with this session
-
-users : typing.Optional[typing.Sequence[CommonUuid]]
-
-agent : typing.Optional[CommonUuid]
- Agent ID of agent associated with this session
-
-agents : typing.Optional[typing.Sequence[CommonUuid]]
-
-token_budget : typing.Optional[int]
- Threshold value for the adaptive context functionality
-
-context_overflow : typing.Optional[SessionsContextOverflowType]
- Action to start on context window overflow
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.sessions_route_create(
- situation="situation",
- render_templates=True,
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def sessions_route_create(
- self,
- situation: str,
- render_templates: bool,
- user: typing.Optional[CommonUuid] = OMIT,
- users: typing.Optional[typing.Sequence[CommonUuid]] = OMIT,
- agent: typing.Optional[CommonUuid] = OMIT,
- agents: typing.Optional[typing.Sequence[CommonUuid]] = OMIT,
- token_budget: typing.Optional[int] = OMIT,
- context_overflow: typing.Optional[SessionsContextOverflowType] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().sessions_route_create_or_update
-
-[Show source in client.py:6222](../../../../../../julep/api/client.py#L6222)
-
-Create or update a session
-
-Parameters
-----------
-id : CommonUuid
-
-situation : str
- A specific situation that sets the background for this session
-
-render_templates : bool
- Render system and assistant message content as jinja templates
-
-user : typing.Optional[CommonUuid]
- User ID of user associated with this session
-
-users : typing.Optional[typing.Sequence[CommonUuid]]
-
-agent : typing.Optional[CommonUuid]
- Agent ID of agent associated with this session
-
-agents : typing.Optional[typing.Sequence[CommonUuid]]
-
-token_budget : typing.Optional[int]
- Threshold value for the adaptive context functionality
-
-context_overflow : typing.Optional[SessionsContextOverflowType]
- Action to start on context window overflow
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.sessions_route_create_or_update(
- id="id",
- situation="situation",
- render_templates=True,
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def sessions_route_create_or_update(
- self,
- id: CommonUuid,
- situation: str,
- render_templates: bool,
- user: typing.Optional[CommonUuid] = OMIT,
- users: typing.Optional[typing.Sequence[CommonUuid]] = OMIT,
- agent: typing.Optional[CommonUuid] = OMIT,
- agents: typing.Optional[typing.Sequence[CommonUuid]] = OMIT,
- token_budget: typing.Optional[int] = OMIT,
- context_overflow: typing.Optional[SessionsContextOverflowType] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().sessions_route_delete
-
-[Show source in client.py:6407](../../../../../../julep/api/client.py#L6407)
-
-Delete a session by its id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.sessions_route_delete(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def sessions_route_delete(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> CommonResourceDeletedResponse: ...
-```
-
-### AsyncJulepApi().sessions_route_get
-
-[Show source in client.py:6170](../../../../../../julep/api/client.py#L6170)
-
-Get a session by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-SessionsSession
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.sessions_route_get(
- id="string",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def sessions_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> SessionsSession: ...
-```
-
-### AsyncJulepApi().sessions_route_list
-
-[Show source in client.py:5991](../../../../../../julep/api/client.py#L5991)
-
-List sessions (paginated)
-
-Parameters
-----------
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : SessionsRouteListRequestSortBy
- Sort by a field
-
-direction : SessionsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-SessionsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.sessions_route_list(
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def sessions_route_list(
- self,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: SessionsRouteListRequestSortBy,
- direction: SessionsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> SessionsRouteListResponse: ...
-```
-
-### AsyncJulepApi().sessions_route_patch
-
-[Show source in client.py:6459](../../../../../../julep/api/client.py#L6459)
-
-Update an existing session by its id (merges with existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-situation : typing.Optional[str]
- A specific situation that sets the background for this session
-
-render_templates : typing.Optional[bool]
- Render system and assistant message content as jinja templates
-
-token_budget : typing.Optional[int]
- Threshold value for the adaptive context functionality
-
-context_overflow : typing.Optional[SessionsContextOverflowType]
- Action to start on context window overflow
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.sessions_route_patch(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def sessions_route_patch(
- self,
- id: CommonUuid,
- situation: typing.Optional[str] = OMIT,
- render_templates: typing.Optional[bool] = OMIT,
- token_budget: typing.Optional[int] = OMIT,
- context_overflow: typing.Optional[SessionsContextOverflowType] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().sessions_route_update
-
-[Show source in client.py:6323](../../../../../../julep/api/client.py#L6323)
-
-Update an existing session by its id (overwrites all existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-situation : str
- A specific situation that sets the background for this session
-
-render_templates : bool
- Render system and assistant message content as jinja templates
-
-token_budget : typing.Optional[int]
- Threshold value for the adaptive context functionality
-
-context_overflow : typing.Optional[SessionsContextOverflowType]
- Action to start on context window overflow
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.sessions_route_update(
- id="id",
- situation="situation",
- render_templates=True,
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def sessions_route_update(
- self,
- id: CommonUuid,
- situation: str,
- render_templates: bool,
- token_budget: typing.Optional[int] = OMIT,
- context_overflow: typing.Optional[SessionsContextOverflowType] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().task_executions_route_create
-
-[Show source in client.py:6906](../../../../../../julep/api/client.py#L6906)
-
-Create an execution for the given task
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-input : typing.Dict[str, typing.Any]
- The input to the execution
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.task_executions_route_create(
- id="id",
- input={"key": "value"},
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def task_executions_route_create(
- self,
- id: CommonUuid,
- input: typing.Dict[str, typing.Any],
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().task_executions_route_list
-
-[Show source in client.py:6819](../../../../../../julep/api/client.py#L6819)
-
-List executions of the given task
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : TaskExecutionsRouteListRequestSortBy
- Sort by a field
-
-direction : TaskExecutionsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-TaskExecutionsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.task_executions_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def task_executions_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: TaskExecutionsRouteListRequestSortBy,
- direction: TaskExecutionsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> TaskExecutionsRouteListResponse: ...
-```
-
-### AsyncJulepApi().tasks_create_or_update_route_create_or_update
-
-[Show source in client.py:5458](../../../../../../julep/api/client.py#L5458)
-
-Create or update a task
-
-Parameters
-----------
-parent_id : CommonUuid
- ID of the agent
-
-id : CommonUuid
-
-name : str
-
-description : str
-
-main : typing.Sequence[TasksCreateTaskRequestMainItem]
- The entrypoint of the task.
-
-tools : typing.Sequence[TasksTaskTool]
- Tools defined specifically for this task not included in the Agent itself.
-
-inherit_tools : bool
- Whether to inherit tools from the parent agent or not. Defaults to true.
-
-input_schema : typing.Optional[typing.Dict[str, typing.Any]]
- The schema for the input to the task. `null` means all inputs are valid.
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-import asyncio
-
-from julep import TasksTaskTool
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.tasks_create_or_update_route_create_or_update(
- parent_id="parent_id",
- id="id",
- name="name",
- description="description",
- main=[],
- tools=[
- TasksTaskTool(
- type="function",
- name="name",
- )
- ],
- inherit_tools=True,
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def tasks_create_or_update_route_create_or_update(
- self,
- parent_id: CommonUuid,
- id: CommonUuid,
- name: str,
- description: str,
- main: typing.Sequence[TasksCreateTaskRequestMainItem],
- tools: typing.Sequence[TasksTaskTool],
- inherit_tools: bool,
- input_schema: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().tasks_route_create
-
-[Show source in client.py:4687](../../../../../../julep/api/client.py#L4687)
-
-Create a new task
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-name : str
-
-description : str
-
-main : typing.Sequence[TasksCreateTaskRequestMainItem]
- The entrypoint of the task.
-
-tools : typing.Sequence[TasksTaskTool]
- Tools defined specifically for this task not included in the Agent itself.
-
-inherit_tools : bool
- Whether to inherit tools from the parent agent or not. Defaults to true.
-
-input_schema : typing.Optional[typing.Dict[str, typing.Any]]
- The schema for the input to the task. `null` means all inputs are valid.
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep import TasksTaskTool
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.tasks_route_create(
- id="id",
- name="name",
- description="description",
- main=[],
- tools=[
- TasksTaskTool(
- type="function",
- name="name",
- )
- ],
- inherit_tools=True,
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def tasks_route_create(
- self,
- id: CommonUuid,
- name: str,
- description: str,
- main: typing.Sequence[TasksCreateTaskRequestMainItem],
- tools: typing.Sequence[TasksTaskTool],
- inherit_tools: bool,
- input_schema: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().tasks_route_delete
-
-[Show source in client.py:4889](../../../../../../julep/api/client.py#L4889)
-
-Delete a task by its id
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be deleted
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.tasks_route_delete(
- id="id",
- child_id="child_id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def tasks_route_delete(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceDeletedResponse: ...
-```
-
-### AsyncJulepApi().tasks_route_list
-
-[Show source in client.py:4600](../../../../../../julep/api/client.py#L4600)
-
-List tasks (paginated)
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : TasksRouteListRequestSortBy
- Sort by a field
-
-direction : TasksRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-TasksRouteListResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.tasks_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def tasks_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: TasksRouteListRequestSortBy,
- direction: TasksRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> TasksRouteListResponse: ...
-```
-
-### AsyncJulepApi().tasks_route_patch
-
-[Show source in client.py:4949](../../../../../../julep/api/client.py#L4949)
-
-Update an existing task (merges with existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be patched
-
-description : typing.Optional[str]
-
-main : typing.Optional[typing.Sequence[TasksPatchTaskRequestMainItem]]
- The entrypoint of the task.
-
-input_schema : typing.Optional[typing.Dict[str, typing.Any]]
- The schema for the input to the task. `null` means all inputs are valid.
-
-tools : typing.Optional[typing.Sequence[TasksTaskTool]]
- Tools defined specifically for this task not included in the Agent itself.
-
-inherit_tools : typing.Optional[bool]
- Whether to inherit tools from the parent agent or not. Defaults to true.
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.tasks_route_patch(
- id="id",
- child_id="child_id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def tasks_route_patch(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- description: typing.Optional[str] = OMIT,
- main: typing.Optional[typing.Sequence[TasksPatchTaskRequestMainItem]] = OMIT,
- input_schema: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- tools: typing.Optional[typing.Sequence[TasksTaskTool]] = OMIT,
- inherit_tools: typing.Optional[bool] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().tasks_route_update
-
-[Show source in client.py:4788](../../../../../../julep/api/client.py#L4788)
-
-Update an existing task (overwrite existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be updated
-
-description : str
-
-main : typing.Sequence[TasksUpdateTaskRequestMainItem]
- The entrypoint of the task.
-
-tools : typing.Sequence[TasksTaskTool]
- Tools defined specifically for this task not included in the Agent itself.
-
-inherit_tools : bool
- Whether to inherit tools from the parent agent or not. Defaults to true.
-
-input_schema : typing.Optional[typing.Dict[str, typing.Any]]
- The schema for the input to the task. `null` means all inputs are valid.
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep import TasksTaskTool
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.tasks_route_update(
- id="id",
- child_id="child_id",
- description="description",
- main=[],
- tools=[
- TasksTaskTool(
- type="function",
- name="name",
- )
- ],
- inherit_tools=True,
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def tasks_route_update(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- description: str,
- main: typing.Sequence[TasksUpdateTaskRequestMainItem],
- tools: typing.Sequence[TasksTaskTool],
- inherit_tools: bool,
- input_schema: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().user_docs_route_create
-
-[Show source in client.py:7516](../../../../../../julep/api/client.py#L7516)
-
-Create a Doc for this User
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-title : CommonIdentifierSafeUnicode
- Title describing what this document contains
-
-content : DocsCreateDocRequestContent
- Contents of the document
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.user_docs_route_create(
- id="id",
- title="title",
- content="content",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def user_docs_route_create(
- self,
- id: CommonUuid,
- title: CommonIdentifierSafeUnicode,
- content: DocsCreateDocRequestContent,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().user_docs_route_delete
-
-[Show source in client.py:7586](../../../../../../julep/api/client.py#L7586)
-
-Delete a Doc for this User
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be deleted
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.user_docs_route_delete(
- id="id",
- child_id="child_id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def user_docs_route_delete(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceDeletedResponse: ...
-```
-
-### AsyncJulepApi().user_docs_route_list
-
-[Show source in client.py:7429](../../../../../../julep/api/client.py#L7429)
-
-List Docs owned by a User
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : UserDocsRouteListRequestSortBy
- Sort by a field
-
-direction : UserDocsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-UserDocsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.user_docs_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def user_docs_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: UserDocsRouteListRequestSortBy,
- direction: UserDocsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> UserDocsRouteListResponse: ...
-```
-
-### AsyncJulepApi().user_docs_search_route_search
-
-[Show source in client.py:7646](../../../../../../julep/api/client.py#L7646)
-
-Search Docs owned by a User
-
-Parameters
-----------
-id : CommonUuid
- ID of the parent
-
-body : UserDocsSearchRouteSearchRequestBody
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-DocsDocSearchResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep import DocsVectorDocSearchRequest
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.user_docs_search_route_search(
- id="id",
- body=DocsVectorDocSearchRequest(
- limit=1,
- confidence=1.1,
- vector=[1.1],
- ),
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def user_docs_search_route_search(
- self,
- id: CommonUuid,
- body: UserDocsSearchRouteSearchRequestBody,
- request_options: typing.Optional[RequestOptions] = None,
-) -> DocsDocSearchResponse: ...
-```
-
-### AsyncJulepApi().users_route_create
-
-[Show source in client.py:7053](../../../../../../julep/api/client.py#L7053)
-
-Create a new user
-
-Parameters
-----------
-name : CommonIdentifierSafeUnicode
- Name of the user
-
-about : str
- About the user
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.users_route_create(
- name="name",
- about="about",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def users_route_create(
- self,
- name: CommonIdentifierSafeUnicode,
- about: str,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().users_route_create_or_update
-
-[Show source in client.py:7170](../../../../../../julep/api/client.py#L7170)
-
-Create or update a user
-
-Parameters
-----------
-id : CommonUuid
-
-name : CommonIdentifierSafeUnicode
- Name of the user
-
-about : str
- About the user
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.users_route_create_or_update(
- id="id",
- name="name",
- about="about",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def users_route_create_or_update(
- self,
- id: CommonUuid,
- name: CommonIdentifierSafeUnicode,
- about: str,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().users_route_delete
-
-[Show source in client.py:7309](../../../../../../julep/api/client.py#L7309)
-
-Delete a user by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.users_route_delete(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def users_route_delete(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> CommonResourceDeletedResponse: ...
-```
-
-### AsyncJulepApi().users_route_get
-
-[Show source in client.py:7118](../../../../../../julep/api/client.py#L7118)
-
-Get a user by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-UsersUser
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.users_route_get(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def users_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> UsersUser: ...
-```
-
-### AsyncJulepApi().users_route_list
-
-[Show source in client.py:6971](../../../../../../julep/api/client.py#L6971)
-
-List users (paginated)
-
-Parameters
-----------
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : UsersRouteListRequestSortBy
- Sort by a field
-
-direction : UsersRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-UsersRouteListResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.users_route_list(
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def users_route_list(
- self,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: UsersRouteListRequestSortBy,
- direction: UsersRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> UsersRouteListResponse: ...
-```
-
-### AsyncJulepApi().users_route_patch
-
-[Show source in client.py:7361](../../../../../../julep/api/client.py#L7361)
-
-Update an existing user by id (merge with existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-name : typing.Optional[CommonIdentifierSafeUnicode]
- Name of the user
-
-about : typing.Optional[str]
- About the user
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.users_route_patch(
- id="id",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def users_route_patch(
- self,
- id: CommonUuid,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- name: typing.Optional[CommonIdentifierSafeUnicode] = OMIT,
- about: typing.Optional[str] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### AsyncJulepApi().users_route_update
-
-[Show source in client.py:7239](../../../../../../julep/api/client.py#L7239)
-
-Update an existing user by id (overwrite existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-name : CommonIdentifierSafeUnicode
- Name of the user
-
-about : str
- About the user
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-import asyncio
-
-from julep.client import AsyncJulepApi
-
-client = AsyncJulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-async def main() -> None:
- await client.users_route_update(
- id="id",
- name="name",
- about="about",
- )
-
-asyncio.run(main())
-
-#### Signature
-
-```python
-async def users_route_update(
- self,
- id: CommonUuid,
- name: CommonIdentifierSafeUnicode,
- about: str,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-
-
-## JulepApi
-
-[Show source in client.py:115](../../../../../../julep/api/client.py#L115)
-
-Use this class to access the different functions within the SDK. You can instantiate any number of clients with different configuration that will propagate to these functions.
-
-Parameters
-----------
-base_url : typing.Optional[str]
- The base url to use for requests from the client.
-
-environment : JulepApiEnvironment
- The environment to use for requests from the client. from .environment import JulepApiEnvironment
-
-Defaults to JulepApiEnvironment.DEFAULT
-
-auth_key : str
-api_key : str
-timeout : typing.Optional[float]
- The timeout to be used, in seconds, for requests. By default the timeout is 300 seconds, unless a custom httpx client is used, in which case this default is not enforced.
-
-follow_redirects : typing.Optional[bool]
- Whether the default httpx client follows redirects or not, this is irrelevant if a custom httpx client is passed in.
-
-httpx_client : typing.Optional[httpx.Client]
- The httpx client to use for making requests, a preconfigured client is used by default, however this is useful should you want to pass in any custom httpx configuration.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-
-#### Signature
-
-```python
-class JulepApi:
- def __init__(
- self,
- base_url: typing.Optional[str] = None,
- environment: JulepApiEnvironment = JulepApiEnvironment.DEFAULT,
- auth_key: str,
- api_key: str,
- timeout: typing.Optional[float] = None,
- follow_redirects: typing.Optional[bool] = True,
- httpx_client: typing.Optional[httpx.Client] = None,
- ): ...
-```
-
-### JulepApi().agent_docs_route_create
-
-[Show source in client.py:749](../../../../../../julep/api/client.py#L749)
-
-Create a Doc for this Agent
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-title : CommonIdentifierSafeUnicode
- Title describing what this document contains
-
-content : DocsCreateDocRequestContent
- Contents of the document
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agent_docs_route_create(
- id="id",
- title="title",
- content="content",
-)
-
-#### Signature
-
-```python
-def agent_docs_route_create(
- self,
- id: CommonUuid,
- title: CommonIdentifierSafeUnicode,
- content: DocsCreateDocRequestContent,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().agent_docs_route_delete
-
-[Show source in client.py:811](../../../../../../julep/api/client.py#L811)
-
-Delete a Doc for this Agent
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be deleted
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agent_docs_route_delete(
- id="id",
- child_id="child_id",
-)
-
-#### Signature
-
-```python
-def agent_docs_route_delete(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceDeletedResponse: ...
-```
-
-### JulepApi().agent_docs_route_list
-
-[Show source in client.py:670](../../../../../../julep/api/client.py#L670)
-
-List Docs owned by an Agent
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : AgentDocsRouteListRequestSortBy
- Sort by a field
-
-direction : AgentDocsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-AgentDocsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agent_docs_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
-)
-
-#### Signature
-
-```python
-def agent_docs_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: AgentDocsRouteListRequestSortBy,
- direction: AgentDocsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> AgentDocsRouteListResponse: ...
-```
-
-### JulepApi().agent_tools_route_create
-
-[Show source in client.py:1400](../../../../../../julep/api/client.py#L1400)
-
-Create a new tool for this agent
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-name : CommonIdentifierSafeUnicode
- Name of the agent
-
-about : str
- About the agent
-
-model : str
- Model name to use (gpt-4-turbo, gemini-nano etc)
-
-instructions : AgentsCreateAgentRequestInstructions
- Instructions for the agent
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-default_settings : typing.Optional[ChatDefaultChatSettings]
- Default settings for all sessions created by this agent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agent_tools_route_create(
- id="id",
- name="name",
- about="about",
- model="model",
- instructions="instructions",
-)
-
-#### Signature
-
-```python
-def agent_tools_route_create(
- self,
- id: CommonUuid,
- name: CommonIdentifierSafeUnicode,
- about: str,
- model: str,
- instructions: AgentsCreateAgentRequestInstructions,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- default_settings: typing.Optional[ChatDefaultChatSettings] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().agent_tools_route_delete
-
-[Show source in client.py:1566](../../../../../../julep/api/client.py#L1566)
-
-Delete an existing tool by id
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be deleted
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agent_tools_route_delete(
- id="id",
- child_id="child_id",
-)
-
-#### Signature
-
-```python
-def agent_tools_route_delete(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceDeletedResponse: ...
-```
-
-### JulepApi().agent_tools_route_list
-
-[Show source in client.py:1321](../../../../../../julep/api/client.py#L1321)
-
-List tools of the given agent
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : AgentToolsRouteListRequestSortBy
- Sort by a field
-
-direction : AgentToolsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-AgentToolsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agent_tools_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
-)
-
-#### Signature
-
-```python
-def agent_tools_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: AgentToolsRouteListRequestSortBy,
- direction: AgentToolsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> AgentToolsRouteListResponse: ...
-```
-
-### JulepApi().agent_tools_route_patch
-
-[Show source in client.py:1618](../../../../../../julep/api/client.py#L1618)
-
-Update an existing tool (merges with existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be patched
-
-type : typing.Optional[ToolsToolType]
- Whether this tool is a `function`, `api_call`, `system` etc. (Only `function` tool supported right now)
-
-name : typing.Optional[CommonValidPythonIdentifier]
- Name of the tool (must be unique for this agent and a valid python identifier string )
-
-function : typing.Optional[ToolsFunctionDef]
-
-integration : typing.Optional[typing.Any]
-
-system : typing.Optional[typing.Any]
-
-api_call : typing.Optional[typing.Any]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agent_tools_route_patch(
- id="id",
- child_id="child_id",
-)
-
-#### Signature
-
-```python
-def agent_tools_route_patch(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- type: typing.Optional[ToolsToolType] = OMIT,
- name: typing.Optional[CommonValidPythonIdentifier] = OMIT,
- function: typing.Optional[ToolsFunctionDef] = OMIT,
- integration: typing.Optional[typing.Any] = OMIT,
- system: typing.Optional[typing.Any] = OMIT,
- api_call: typing.Optional[typing.Any] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().agent_tools_route_update
-
-[Show source in client.py:1483](../../../../../../julep/api/client.py#L1483)
-
-Update an existing tool (overwrite existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be updated
-
-type : ToolsToolType
- Whether this tool is a `function`, `api_call`, `system` etc. (Only `function` tool supported right now)
-
-name : CommonValidPythonIdentifier
- Name of the tool (must be unique for this agent and a valid python identifier string )
-
-function : typing.Optional[ToolsFunctionDef]
-
-integration : typing.Optional[typing.Any]
-
-system : typing.Optional[typing.Any]
-
-api_call : typing.Optional[typing.Any]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agent_tools_route_update(
- id="id",
- child_id="child_id",
- type="function",
- name="name",
-)
-
-#### Signature
-
-```python
-def agent_tools_route_update(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- type: ToolsToolType,
- name: CommonValidPythonIdentifier,
- function: typing.Optional[ToolsFunctionDef] = OMIT,
- integration: typing.Optional[typing.Any] = OMIT,
- system: typing.Optional[typing.Any] = OMIT,
- api_call: typing.Optional[typing.Any] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().agents_docs_search_route_search
-
-[Show source in client.py:863](../../../../../../julep/api/client.py#L863)
-
-Search Docs owned by an Agent
-
-Parameters
-----------
-id : CommonUuid
- ID of the parent
-
-body : AgentsDocsSearchRouteSearchRequestBody
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-DocsDocSearchResponse
- The request has succeeded.
-
-Examples
---------
-from julep import DocsVectorDocSearchRequest
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agents_docs_search_route_search(
- id="id",
- body=DocsVectorDocSearchRequest(
- limit=1,
- confidence=1.1,
- vector=[1.1],
- ),
-)
-
-#### Signature
-
-```python
-def agents_docs_search_route_search(
- self,
- id: CommonUuid,
- body: AgentsDocsSearchRouteSearchRequestBody,
- request_options: typing.Optional[RequestOptions] = None,
-) -> DocsDocSearchResponse: ...
-```
-
-### JulepApi().agents_route_create
-
-[Show source in client.py:260](../../../../../../julep/api/client.py#L260)
-
-Create a new Agent
-
-Parameters
-----------
-name : CommonIdentifierSafeUnicode
- Name of the agent
-
-about : str
- About the agent
-
-model : str
- Model name to use (gpt-4-turbo, gemini-nano etc)
-
-instructions : AgentsCreateAgentRequestInstructions
- Instructions for the agent
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-default_settings : typing.Optional[ChatDefaultChatSettings]
- Default settings for all sessions created by this agent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agents_route_create(
- name="name",
- about="about",
- model="model",
- instructions="instructions",
-)
-
-#### Signature
-
-```python
-def agents_route_create(
- self,
- name: CommonIdentifierSafeUnicode,
- about: str,
- model: str,
- instructions: AgentsCreateAgentRequestInstructions,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- default_settings: typing.Optional[ChatDefaultChatSettings] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().agents_route_create_or_update
-
-[Show source in client.py:382](../../../../../../julep/api/client.py#L382)
-
-Create or update an Agent
-
-Parameters
-----------
-id : CommonUuid
-
-name : CommonIdentifierSafeUnicode
- Name of the agent
-
-about : str
- About the agent
-
-model : str
- Model name to use (gpt-4-turbo, gemini-nano etc)
-
-instructions : AgentsUpdateAgentRequestInstructions
- Instructions for the agent
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-default_settings : typing.Optional[ChatDefaultChatSettings]
- Default settings for all sessions created by this agent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agents_route_create_or_update(
- id="id",
- name="name",
- about="about",
- model="model",
- instructions="instructions",
-)
-
-#### Signature
-
-```python
-def agents_route_create_or_update(
- self,
- id: CommonUuid,
- name: CommonIdentifierSafeUnicode,
- about: str,
- model: str,
- instructions: AgentsUpdateAgentRequestInstructions,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- default_settings: typing.Optional[ChatDefaultChatSettings] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().agents_route_delete
-
-[Show source in client.py:547](../../../../../../julep/api/client.py#L547)
-
-Delete Agent by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agents_route_delete(
- id="id",
-)
-
-#### Signature
-
-```python
-def agents_route_delete(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> CommonResourceDeletedResponse: ...
-```
-
-### JulepApi().agents_route_get
-
-[Show source in client.py:338](../../../../../../julep/api/client.py#L338)
-
-Get an Agent by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-AgentsAgent
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agents_route_get(
- id="id",
-)
-
-#### Signature
-
-```python
-def agents_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> AgentsAgent: ...
-```
-
-### JulepApi().agents_route_list
-
-[Show source in client.py:186](../../../../../../julep/api/client.py#L186)
-
-List Agents (paginated)
-
-Parameters
-----------
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : AgentsRouteListRequestSortBy
- Sort by a field
-
-direction : AgentsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-AgentsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agents_route_list(
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
-)
-
-#### Signature
-
-```python
-def agents_route_list(
- self,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: AgentsRouteListRequestSortBy,
- direction: AgentsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> AgentsRouteListResponse: ...
-```
-
-### JulepApi().agents_route_patch
-
-[Show source in client.py:591](../../../../../../julep/api/client.py#L591)
-
-Update an existing Agent by id (merges with existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-name : typing.Optional[CommonIdentifierSafeUnicode]
- Name of the agent
-
-about : typing.Optional[str]
- About the agent
-
-model : typing.Optional[str]
- Model name to use (gpt-4-turbo, gemini-nano etc)
-
-instructions : typing.Optional[AgentsPatchAgentRequestInstructions]
- Instructions for the agent
-
-default_settings : typing.Optional[ChatDefaultChatSettings]
- Default settings for all sessions created by this agent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agents_route_patch(
- id="id",
-)
-
-#### Signature
-
-```python
-def agents_route_patch(
- self,
- id: CommonUuid,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- name: typing.Optional[CommonIdentifierSafeUnicode] = OMIT,
- about: typing.Optional[str] = OMIT,
- model: typing.Optional[str] = OMIT,
- instructions: typing.Optional[AgentsPatchAgentRequestInstructions] = OMIT,
- default_settings: typing.Optional[ChatDefaultChatSettings] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().agents_route_update
-
-[Show source in client.py:464](../../../../../../julep/api/client.py#L464)
-
-Update an existing Agent by id (overwrites existing values; use PATCH for merging instead)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-name : CommonIdentifierSafeUnicode
- Name of the agent
-
-about : str
- About the agent
-
-model : str
- Model name to use (gpt-4-turbo, gemini-nano etc)
-
-instructions : AgentsUpdateAgentRequestInstructions
- Instructions for the agent
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-default_settings : typing.Optional[ChatDefaultChatSettings]
- Default settings for all sessions created by this agent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.agents_route_update(
- id="id",
- name="name",
- about="about",
- model="model",
- instructions="instructions",
-)
-
-#### Signature
-
-```python
-def agents_route_update(
- self,
- id: CommonUuid,
- name: CommonIdentifierSafeUnicode,
- about: str,
- model: str,
- instructions: AgentsUpdateAgentRequestInstructions,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- default_settings: typing.Optional[ChatDefaultChatSettings] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().chat_route_generate
-
-[Show source in client.py:2662](../../../../../../julep/api/client.py#L2662)
-
-Generate a response from the model
-
-Parameters
-----------
-id : CommonUuid
- The session ID
-
-remember : bool
- DISABLED: Whether this interaction should form new memories or not (will be enabled in a future release)
-
-recall : bool
- Whether previous memories and docs should be recalled or not
-
-save : bool
- Whether this interaction should be stored in the session history or not
-
-stream : bool
- Indicates if the server should stream the response as it's generated
-
-messages : typing.Sequence[EntriesInputChatMlMessage]
- A list of new input messages comprising the conversation so far.
-
-model : typing.Optional[CommonIdentifierSafeUnicode]
- Identifier of the model to be used
-
-stop : typing.Optional[typing.Sequence[str]]
- Up to 4 sequences where the API will stop generating further tokens.
-
-seed : typing.Optional[int]
- If specified, the system will make a best effort to sample deterministically for that particular seed value
-
-max_tokens : typing.Optional[int]
- The maximum number of tokens to generate in the chat completion
-
-logit_bias : typing.Optional[typing.Dict[str, CommonLogitBias]]
- Modify the likelihood of specified tokens appearing in the completion
-
-response_format : typing.Optional[ChatCompletionResponseFormat]
- Response format (set to `json_object` to restrict output to JSON)
-
-agent : typing.Optional[CommonUuid]
- Agent ID of the agent to use for this interaction. (Only applicable for multi-agent sessions)
-
-repetition_penalty : typing.Optional[float]
- Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim.
-
-length_penalty : typing.Optional[float]
- Number between 0 and 2.0. 1.0 is neutral and values larger than that penalize number of tokens generated.
-
-min_p : typing.Optional[float]
- Minimum probability compared to leading token to be considered
-
-frequency_penalty : typing.Optional[float]
- Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim.
-
-presence_penalty : typing.Optional[float]
- Number between -2.0 and 2.0. Positive values penalize new tokens based on their existing frequency in the text so far, decreasing the model's likelihood to repeat the same line verbatim.
-
-temperature : typing.Optional[float]
- What sampling temperature to use, between 0 and 2. Higher values like 0.8 will make the output more random, while lower values like 0.2 will make it more focused and deterministic.
-
-top_p : typing.Optional[float]
- Defaults to 1 An alternative to sampling with temperature, called nucleus sampling, where the model considers the results of the tokens with top_p probability mass. So 0.1 means only the tokens comprising the top 10% probability mass are considered. We generally recommend altering this or temperature but not both.
-
-tools : typing.Optional[typing.Sequence[ToolsFunctionTool]]
- (Advanced) List of tools that are provided in addition to agent's default set of tools.
-
-tool_choice : typing.Optional[ChatChatInputDataToolChoice]
- Can be one of existing tools given to the agent earlier or the ones provided in this request.
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-ChatRouteGenerateResponse
- The request has succeeded.
-
-Examples
---------
-from julep import EntriesInputChatMlMessage
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.chat_route_generate(
- id="id",
- messages=[
- EntriesInputChatMlMessage(
- role="user",
- content="content",
- )
- ],
- remember=True,
- recall=True,
- save=True,
- stream=True,
-)
-
-#### Signature
-
-```python
-def chat_route_generate(
- self,
- id: CommonUuid,
- remember: bool,
- recall: bool,
- save: bool,
- stream: bool,
- messages: typing.Sequence[EntriesInputChatMlMessage],
- model: typing.Optional[CommonIdentifierSafeUnicode] = OMIT,
- stop: typing.Optional[typing.Sequence[str]] = OMIT,
- seed: typing.Optional[int] = OMIT,
- max_tokens: typing.Optional[int] = OMIT,
- logit_bias: typing.Optional[typing.Dict[str, CommonLogitBias]] = OMIT,
- response_format: typing.Optional[ChatCompletionResponseFormat] = OMIT,
- agent: typing.Optional[CommonUuid] = OMIT,
- repetition_penalty: typing.Optional[float] = OMIT,
- length_penalty: typing.Optional[float] = OMIT,
- min_p: typing.Optional[float] = OMIT,
- frequency_penalty: typing.Optional[float] = OMIT,
- presence_penalty: typing.Optional[float] = OMIT,
- temperature: typing.Optional[float] = OMIT,
- top_p: typing.Optional[float] = OMIT,
- tools: typing.Optional[typing.Sequence[ToolsFunctionTool]] = OMIT,
- tool_choice: typing.Optional[ChatChatInputDataToolChoice] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> ChatRouteGenerateResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().embed_route_embed
-
-[Show source in client.py:1840](../../../../../../julep/api/client.py#L1840)
-
-Embed a query for search
-
-Parameters
-----------
-body : DocsEmbedQueryRequest
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-DocsEmbedQueryResponse
- The request has succeeded.
-
-Examples
---------
-from julep import DocsEmbedQueryRequest
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.embed_route_embed(
- body=DocsEmbedQueryRequest(
- text="text",
- ),
-)
-
-#### Signature
-
-```python
-def embed_route_embed(
- self,
- body: DocsEmbedQueryRequest,
- request_options: typing.Optional[RequestOptions] = None,
-) -> DocsEmbedQueryResponse: ...
-```
-
-### JulepApi().execution_transitions_route_list
-
-[Show source in client.py:2045](../../../../../../julep/api/client.py#L2045)
-
-List the Transitions of an Execution by id
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : ExecutionTransitionsRouteListRequestSortBy
- Sort by a field
-
-direction : ExecutionTransitionsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-ExecutionTransitionsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.execution_transitions_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
-)
-
-#### Signature
-
-```python
-def execution_transitions_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: ExecutionTransitionsRouteListRequestSortBy,
- direction: ExecutionTransitionsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> ExecutionTransitionsRouteListResponse: ...
-```
-
-### JulepApi().executions_route_get
-
-[Show source in client.py:1945](../../../../../../julep/api/client.py#L1945)
-
-Get an Execution by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-ExecutionsExecution
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.executions_route_get(
- id="id",
-)
-
-#### Signature
-
-```python
-def executions_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> ExecutionsExecution: ...
-```
-
-### JulepApi().executions_route_resume_with_task_token
-
-[Show source in client.py:1891](../../../../../../julep/api/client.py#L1891)
-
-Resume an execution with a task token
-
-Parameters
-----------
-task_token : str
- A Task Token is a unique identifier for a specific Task Execution.
-
-input : typing.Optional[typing.Dict[str, typing.Any]]
- The input to resume the execution with
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.executions_route_resume_with_task_token(
- task_token="task_token",
-)
-
-#### Signature
-
-```python
-def executions_route_resume_with_task_token(
- self,
- task_token: str,
- input: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().executions_route_update
-
-[Show source in client.py:1989](../../../../../../julep/api/client.py#L1989)
-
-Update an existing Execution
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request : ExecutionsUpdateExecutionRequest
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep import ExecutionsUpdateExecutionRequest_Cancelled
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.executions_route_update(
- id="string",
- request=ExecutionsUpdateExecutionRequest_Cancelled(
- reason="string",
- ),
-)
-
-#### Signature
-
-```python
-def executions_route_update(
- self,
- id: CommonUuid,
- request: ExecutionsUpdateExecutionRequest,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-### JulepApi().history_route_delete
-
-[Show source in client.py:2872](../../../../../../julep/api/client.py#L2872)
-
-Clear the history of a Session (resets the Session)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.history_route_delete(
- id="id",
-)
-
-#### Signature
-
-```python
-def history_route_delete(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> CommonResourceDeletedResponse: ...
-```
-
-### JulepApi().history_route_history
-
-[Show source in client.py:2828](../../../../../../julep/api/client.py#L2828)
-
-Get history of a Session
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-EntriesHistory
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.history_route_history(
- id="id",
-)
-
-#### Signature
-
-```python
-def history_route_history(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> EntriesHistory: ...
-```
-
-### JulepApi().individual_docs_route_get
-
-[Show source in client.py:1796](../../../../../../julep/api/client.py#L1796)
-
-Get Doc by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-DocsDoc
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.individual_docs_route_get(
- id="id",
-)
-
-#### Signature
-
-```python
-def individual_docs_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> DocsDoc: ...
-```
-
-### JulepApi().job_route_get
-
-[Show source in client.py:2124](../../../../../../julep/api/client.py#L2124)
-
-Get the status of an existing Job by its id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-JobsJobStatus
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.job_route_get(
- id="id",
-)
-
-#### Signature
-
-```python
-def job_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> JobsJobStatus: ...
-```
-
-### JulepApi().sessions_route_create
-
-[Show source in client.py:2242](../../../../../../julep/api/client.py#L2242)
-
-Create a new session
-
-Parameters
-----------
-situation : str
- A specific situation that sets the background for this session
-
-render_templates : bool
- Render system and assistant message content as jinja templates
-
-user : typing.Optional[CommonUuid]
- User ID of user associated with this session
-
-users : typing.Optional[typing.Sequence[CommonUuid]]
-
-agent : typing.Optional[CommonUuid]
- Agent ID of agent associated with this session
-
-agents : typing.Optional[typing.Sequence[CommonUuid]]
-
-token_budget : typing.Optional[int]
- Threshold value for the adaptive context functionality
-
-context_overflow : typing.Optional[SessionsContextOverflowType]
- Action to start on context window overflow
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.sessions_route_create(
- situation="situation",
- render_templates=True,
-)
-
-#### Signature
-
-```python
-def sessions_route_create(
- self,
- situation: str,
- render_templates: bool,
- user: typing.Optional[CommonUuid] = OMIT,
- users: typing.Optional[typing.Sequence[CommonUuid]] = OMIT,
- agent: typing.Optional[CommonUuid] = OMIT,
- agents: typing.Optional[typing.Sequence[CommonUuid]] = OMIT,
- token_budget: typing.Optional[int] = OMIT,
- context_overflow: typing.Optional[SessionsContextOverflowType] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().sessions_route_create_or_update
-
-[Show source in client.py:2375](../../../../../../julep/api/client.py#L2375)
-
-Create or update a session
-
-Parameters
-----------
-id : CommonUuid
-
-situation : str
- A specific situation that sets the background for this session
-
-render_templates : bool
- Render system and assistant message content as jinja templates
-
-user : typing.Optional[CommonUuid]
- User ID of user associated with this session
-
-users : typing.Optional[typing.Sequence[CommonUuid]]
-
-agent : typing.Optional[CommonUuid]
- Agent ID of agent associated with this session
-
-agents : typing.Optional[typing.Sequence[CommonUuid]]
-
-token_budget : typing.Optional[int]
- Threshold value for the adaptive context functionality
-
-context_overflow : typing.Optional[SessionsContextOverflowType]
- Action to start on context window overflow
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.sessions_route_create_or_update(
- id="id",
- situation="situation",
- render_templates=True,
-)
-
-#### Signature
-
-```python
-def sessions_route_create_or_update(
- self,
- id: CommonUuid,
- situation: str,
- render_templates: bool,
- user: typing.Optional[CommonUuid] = OMIT,
- users: typing.Optional[typing.Sequence[CommonUuid]] = OMIT,
- agent: typing.Optional[CommonUuid] = OMIT,
- agents: typing.Optional[typing.Sequence[CommonUuid]] = OMIT,
- token_budget: typing.Optional[int] = OMIT,
- context_overflow: typing.Optional[SessionsContextOverflowType] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().sessions_route_delete
-
-[Show source in client.py:2544](../../../../../../julep/api/client.py#L2544)
-
-Delete a session by its id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.sessions_route_delete(
- id="id",
-)
-
-#### Signature
-
-```python
-def sessions_route_delete(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> CommonResourceDeletedResponse: ...
-```
-
-### JulepApi().sessions_route_get
-
-[Show source in client.py:2331](../../../../../../julep/api/client.py#L2331)
-
-Get a session by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-SessionsSession
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.sessions_route_get(
- id="string",
-)
-
-#### Signature
-
-```python
-def sessions_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> SessionsSession: ...
-```
-
-### JulepApi().sessions_route_list
-
-[Show source in client.py:2168](../../../../../../julep/api/client.py#L2168)
-
-List sessions (paginated)
-
-Parameters
-----------
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : SessionsRouteListRequestSortBy
- Sort by a field
-
-direction : SessionsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-SessionsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.sessions_route_list(
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
-)
-
-#### Signature
-
-```python
-def sessions_route_list(
- self,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: SessionsRouteListRequestSortBy,
- direction: SessionsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> SessionsRouteListResponse: ...
-```
-
-### JulepApi().sessions_route_patch
-
-[Show source in client.py:2588](../../../../../../julep/api/client.py#L2588)
-
-Update an existing session by its id (merges with existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-situation : typing.Optional[str]
- A specific situation that sets the background for this session
-
-render_templates : typing.Optional[bool]
- Render system and assistant message content as jinja templates
-
-token_budget : typing.Optional[int]
- Threshold value for the adaptive context functionality
-
-context_overflow : typing.Optional[SessionsContextOverflowType]
- Action to start on context window overflow
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.sessions_route_patch(
- id="id",
-)
-
-#### Signature
-
-```python
-def sessions_route_patch(
- self,
- id: CommonUuid,
- situation: typing.Optional[str] = OMIT,
- render_templates: typing.Optional[bool] = OMIT,
- token_budget: typing.Optional[int] = OMIT,
- context_overflow: typing.Optional[SessionsContextOverflowType] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().sessions_route_update
-
-[Show source in client.py:2468](../../../../../../julep/api/client.py#L2468)
-
-Update an existing session by its id (overwrites all existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-situation : str
- A specific situation that sets the background for this session
-
-render_templates : bool
- Render system and assistant message content as jinja templates
-
-token_budget : typing.Optional[int]
- Threshold value for the adaptive context functionality
-
-context_overflow : typing.Optional[SessionsContextOverflowType]
- Action to start on context window overflow
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.sessions_route_update(
- id="id",
- situation="situation",
- render_templates=True,
-)
-
-#### Signature
-
-```python
-def sessions_route_update(
- self,
- id: CommonUuid,
- situation: str,
- render_templates: bool,
- token_budget: typing.Optional[int] = OMIT,
- context_overflow: typing.Optional[SessionsContextOverflowType] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().task_executions_route_create
-
-[Show source in client.py:2995](../../../../../../julep/api/client.py#L2995)
-
-Create an execution for the given task
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-input : typing.Dict[str, typing.Any]
- The input to the execution
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.task_executions_route_create(
- id="id",
- input={"key": "value"},
-)
-
-#### Signature
-
-```python
-def task_executions_route_create(
- self,
- id: CommonUuid,
- input: typing.Dict[str, typing.Any],
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().task_executions_route_list
-
-[Show source in client.py:2916](../../../../../../julep/api/client.py#L2916)
-
-List executions of the given task
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : TaskExecutionsRouteListRequestSortBy
- Sort by a field
-
-direction : TaskExecutionsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-TaskExecutionsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.task_executions_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
-)
-
-#### Signature
-
-```python
-def task_executions_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: TaskExecutionsRouteListRequestSortBy,
- direction: TaskExecutionsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> TaskExecutionsRouteListResponse: ...
-```
-
-### JulepApi().tasks_create_or_update_route_create_or_update
-
-[Show source in client.py:1699](../../../../../../julep/api/client.py#L1699)
-
-Create or update a task
-
-Parameters
-----------
-parent_id : CommonUuid
- ID of the agent
-
-id : CommonUuid
-
-name : str
-
-description : str
-
-main : typing.Sequence[TasksCreateTaskRequestMainItem]
- The entrypoint of the task.
-
-tools : typing.Sequence[TasksTaskTool]
- Tools defined specifically for this task not included in the Agent itself.
-
-inherit_tools : bool
- Whether to inherit tools from the parent agent or not. Defaults to true.
-
-input_schema : typing.Optional[typing.Dict[str, typing.Any]]
- The schema for the input to the task. `null` means all inputs are valid.
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-from julep import TasksTaskTool
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.tasks_create_or_update_route_create_or_update(
- parent_id="parent_id",
- id="id",
- name="name",
- description="description",
- main=[],
- tools=[
- TasksTaskTool(
- type="function",
- name="name",
- )
- ],
- inherit_tools=True,
-)
-
-#### Signature
-
-```python
-def tasks_create_or_update_route_create_or_update(
- self,
- parent_id: CommonUuid,
- id: CommonUuid,
- name: str,
- description: str,
- main: typing.Sequence[TasksCreateTaskRequestMainItem],
- tools: typing.Sequence[TasksTaskTool],
- inherit_tools: bool,
- input_schema: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().tasks_route_create
-
-[Show source in client.py:1000](../../../../../../julep/api/client.py#L1000)
-
-Create a new task
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-name : str
-
-description : str
-
-main : typing.Sequence[TasksCreateTaskRequestMainItem]
- The entrypoint of the task.
-
-tools : typing.Sequence[TasksTaskTool]
- Tools defined specifically for this task not included in the Agent itself.
-
-inherit_tools : bool
- Whether to inherit tools from the parent agent or not. Defaults to true.
-
-input_schema : typing.Optional[typing.Dict[str, typing.Any]]
- The schema for the input to the task. `null` means all inputs are valid.
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep import TasksTaskTool
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.tasks_route_create(
- id="id",
- name="name",
- description="description",
- main=[],
- tools=[
- TasksTaskTool(
- type="function",
- name="name",
- )
- ],
- inherit_tools=True,
-)
-
-#### Signature
-
-```python
-def tasks_route_create(
- self,
- id: CommonUuid,
- name: str,
- description: str,
- main: typing.Sequence[TasksCreateTaskRequestMainItem],
- tools: typing.Sequence[TasksTaskTool],
- inherit_tools: bool,
- input_schema: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().tasks_route_delete
-
-[Show source in client.py:1186](../../../../../../julep/api/client.py#L1186)
-
-Delete a task by its id
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be deleted
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.tasks_route_delete(
- id="id",
- child_id="child_id",
-)
-
-#### Signature
-
-```python
-def tasks_route_delete(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceDeletedResponse: ...
-```
-
-### JulepApi().tasks_route_list
-
-[Show source in client.py:921](../../../../../../julep/api/client.py#L921)
-
-List tasks (paginated)
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : TasksRouteListRequestSortBy
- Sort by a field
-
-direction : TasksRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-TasksRouteListResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.tasks_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
-)
-
-#### Signature
-
-```python
-def tasks_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: TasksRouteListRequestSortBy,
- direction: TasksRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> TasksRouteListResponse: ...
-```
-
-### JulepApi().tasks_route_patch
-
-[Show source in client.py:1238](../../../../../../julep/api/client.py#L1238)
-
-Update an existing task (merges with existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be patched
-
-description : typing.Optional[str]
-
-main : typing.Optional[typing.Sequence[TasksPatchTaskRequestMainItem]]
- The entrypoint of the task.
-
-input_schema : typing.Optional[typing.Dict[str, typing.Any]]
- The schema for the input to the task. `null` means all inputs are valid.
-
-tools : typing.Optional[typing.Sequence[TasksTaskTool]]
- Tools defined specifically for this task not included in the Agent itself.
-
-inherit_tools : typing.Optional[bool]
- Whether to inherit tools from the parent agent or not. Defaults to true.
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.tasks_route_patch(
- id="id",
- child_id="child_id",
-)
-
-#### Signature
-
-```python
-def tasks_route_patch(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- description: typing.Optional[str] = OMIT,
- main: typing.Optional[typing.Sequence[TasksPatchTaskRequestMainItem]] = OMIT,
- input_schema: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- tools: typing.Optional[typing.Sequence[TasksTaskTool]] = OMIT,
- inherit_tools: typing.Optional[bool] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().tasks_route_update
-
-[Show source in client.py:1093](../../../../../../julep/api/client.py#L1093)
-
-Update an existing task (overwrite existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be updated
-
-description : str
-
-main : typing.Sequence[TasksUpdateTaskRequestMainItem]
- The entrypoint of the task.
-
-tools : typing.Sequence[TasksTaskTool]
- Tools defined specifically for this task not included in the Agent itself.
-
-inherit_tools : bool
- Whether to inherit tools from the parent agent or not. Defaults to true.
-
-input_schema : typing.Optional[typing.Dict[str, typing.Any]]
- The schema for the input to the task. `null` means all inputs are valid.
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep import TasksTaskTool
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.tasks_route_update(
- id="id",
- child_id="child_id",
- description="description",
- main=[],
- tools=[
- TasksTaskTool(
- type="function",
- name="name",
- )
- ],
- inherit_tools=True,
-)
-
-#### Signature
-
-```python
-def tasks_route_update(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- description: str,
- main: typing.Sequence[TasksUpdateTaskRequestMainItem],
- tools: typing.Sequence[TasksTaskTool],
- inherit_tools: bool,
- input_schema: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().user_docs_route_create
-
-[Show source in client.py:3533](../../../../../../julep/api/client.py#L3533)
-
-Create a Doc for this User
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-title : CommonIdentifierSafeUnicode
- Title describing what this document contains
-
-content : DocsCreateDocRequestContent
- Contents of the document
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.user_docs_route_create(
- id="id",
- title="title",
- content="content",
-)
-
-#### Signature
-
-```python
-def user_docs_route_create(
- self,
- id: CommonUuid,
- title: CommonIdentifierSafeUnicode,
- content: DocsCreateDocRequestContent,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().user_docs_route_delete
-
-[Show source in client.py:3595](../../../../../../julep/api/client.py#L3595)
-
-Delete a Doc for this User
-
-Parameters
-----------
-id : CommonUuid
- ID of parent resource
-
-child_id : CommonUuid
- ID of the resource to be deleted
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.user_docs_route_delete(
- id="id",
- child_id="child_id",
-)
-
-#### Signature
-
-```python
-def user_docs_route_delete(
- self,
- id: CommonUuid,
- child_id: CommonUuid,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceDeletedResponse: ...
-```
-
-### JulepApi().user_docs_route_list
-
-[Show source in client.py:3454](../../../../../../julep/api/client.py#L3454)
-
-List Docs owned by a User
-
-Parameters
-----------
-id : CommonUuid
- ID of parent
-
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : UserDocsRouteListRequestSortBy
- Sort by a field
-
-direction : UserDocsRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-UserDocsRouteListResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.user_docs_route_list(
- id="id",
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
-)
-
-#### Signature
-
-```python
-def user_docs_route_list(
- self,
- id: CommonUuid,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: UserDocsRouteListRequestSortBy,
- direction: UserDocsRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> UserDocsRouteListResponse: ...
-```
-
-### JulepApi().user_docs_search_route_search
-
-[Show source in client.py:3647](../../../../../../julep/api/client.py#L3647)
-
-Search Docs owned by a User
-
-Parameters
-----------
-id : CommonUuid
- ID of the parent
-
-body : UserDocsSearchRouteSearchRequestBody
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-DocsDocSearchResponse
- The request has succeeded.
-
-Examples
---------
-from julep import DocsVectorDocSearchRequest
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.user_docs_search_route_search(
- id="id",
- body=DocsVectorDocSearchRequest(
- limit=1,
- confidence=1.1,
- vector=[1.1],
- ),
-)
-
-#### Signature
-
-```python
-def user_docs_search_route_search(
- self,
- id: CommonUuid,
- body: UserDocsSearchRouteSearchRequestBody,
- request_options: typing.Optional[RequestOptions] = None,
-) -> DocsDocSearchResponse: ...
-```
-
-### JulepApi().users_route_create
-
-[Show source in client.py:3126](../../../../../../julep/api/client.py#L3126)
-
-Create a new user
-
-Parameters
-----------
-name : CommonIdentifierSafeUnicode
- Name of the user
-
-about : str
- About the user
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceCreatedResponse
- The request has succeeded and a new resource has been created as a result.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.users_route_create(
- name="name",
- about="about",
-)
-
-#### Signature
-
-```python
-def users_route_create(
- self,
- name: CommonIdentifierSafeUnicode,
- about: str,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceCreatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().users_route_create_or_update
-
-[Show source in client.py:3227](../../../../../../julep/api/client.py#L3227)
-
-Create or update a user
-
-Parameters
-----------
-id : CommonUuid
-
-name : CommonIdentifierSafeUnicode
- Name of the user
-
-about : str
- About the user
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.users_route_create_or_update(
- id="id",
- name="name",
- about="about",
-)
-
-#### Signature
-
-```python
-def users_route_create_or_update(
- self,
- id: CommonUuid,
- name: CommonIdentifierSafeUnicode,
- about: str,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().users_route_delete
-
-[Show source in client.py:3350](../../../../../../julep/api/client.py#L3350)
-
-Delete a user by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceDeletedResponse
- The request has been accepted for processing, but processing has not yet completed.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.users_route_delete(
- id="id",
-)
-
-#### Signature
-
-```python
-def users_route_delete(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> CommonResourceDeletedResponse: ...
-```
-
-### JulepApi().users_route_get
-
-[Show source in client.py:3183](../../../../../../julep/api/client.py#L3183)
-
-Get a user by id
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-UsersUser
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.users_route_get(
- id="id",
-)
-
-#### Signature
-
-```python
-def users_route_get(
- self, id: CommonUuid, request_options: typing.Optional[RequestOptions] = None
-) -> UsersUser: ...
-```
-
-### JulepApi().users_route_list
-
-[Show source in client.py:3052](../../../../../../julep/api/client.py#L3052)
-
-List users (paginated)
-
-Parameters
-----------
-limit : CommonLimit
- Limit the number of items returned
-
-offset : CommonOffset
- Offset the items returned
-
-sort_by : UsersRouteListRequestSortBy
- Sort by a field
-
-direction : UsersRouteListRequestDirection
- Sort direction
-
-metadata_filter : str
- JSON string of object that should be used to filter objects by metadata
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-UsersRouteListResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.users_route_list(
- limit=1,
- offset=1,
- sort_by="created_at",
- direction="asc",
- metadata_filter="metadata_filter",
-)
-
-#### Signature
-
-```python
-def users_route_list(
- self,
- limit: CommonLimit,
- offset: CommonOffset,
- sort_by: UsersRouteListRequestSortBy,
- direction: UsersRouteListRequestDirection,
- metadata_filter: str,
- request_options: typing.Optional[RequestOptions] = None,
-) -> UsersRouteListResponse: ...
-```
-
-### JulepApi().users_route_patch
-
-[Show source in client.py:3394](../../../../../../julep/api/client.py#L3394)
-
-Update an existing user by id (merge with existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-name : typing.Optional[CommonIdentifierSafeUnicode]
- Name of the user
-
-about : typing.Optional[str]
- About the user
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.users_route_patch(
- id="id",
-)
-
-#### Signature
-
-```python
-def users_route_patch(
- self,
- id: CommonUuid,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- name: typing.Optional[CommonIdentifierSafeUnicode] = OMIT,
- about: typing.Optional[str] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
-
-### JulepApi().users_route_update
-
-[Show source in client.py:3288](../../../../../../julep/api/client.py#L3288)
-
-Update an existing user by id (overwrite existing values)
-
-Parameters
-----------
-id : CommonUuid
- ID of the resource
-
-name : CommonIdentifierSafeUnicode
- Name of the user
-
-about : str
- About the user
-
-metadata : typing.Optional[typing.Dict[str, typing.Any]]
-
-request_options : typing.Optional[RequestOptions]
- Request-specific configuration.
-
-Returns
--------
-CommonResourceUpdatedResponse
- The request has succeeded.
-
-Examples
---------
-from julep.client import JulepApi
-
-client = JulepApi(
- auth_key="YOUR_AUTH_KEY",
- api_key="YOUR_API_KEY",
-)
-client.users_route_update(
- id="id",
- name="name",
- about="about",
-)
-
-#### Signature
-
-```python
-def users_route_update(
- self,
- id: CommonUuid,
- name: CommonIdentifierSafeUnicode,
- about: str,
- metadata: typing.Optional[typing.Dict[str, typing.Any]] = OMIT,
- request_options: typing.Optional[RequestOptions] = None,
-) -> CommonResourceUpdatedResponse: ...
-```
-
-#### See also
-
-- [OMIT](#omit)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/core/api_error.md b/docs/python-sdk-docs/julep/api/core/api_error.md
deleted file mode 100644
index 7a1374c8a..000000000
--- a/docs/python-sdk-docs/julep/api/core/api_error.md
+++ /dev/null
@@ -1,21 +0,0 @@
-# ApiError
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Core](./index.md#core) / ApiError
-
-> Auto-generated documentation for [julep.api.core.api_error](../../../../../../../julep/api/core/api_error.py) module.
-
-- [ApiError](#apierror)
- - [ApiError](#apierror-1)
-
-## ApiError
-
-[Show source in api_error.py:6](../../../../../../../julep/api/core/api_error.py#L6)
-
-#### Signature
-
-```python
-class ApiError(Exception):
- def __init__(
- self, status_code: typing.Optional[int] = None, body: typing.Any = None
- ): ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/core/client_wrapper.md b/docs/python-sdk-docs/julep/api/core/client_wrapper.md
deleted file mode 100644
index 876018f69..000000000
--- a/docs/python-sdk-docs/julep/api/core/client_wrapper.md
+++ /dev/null
@@ -1,105 +0,0 @@
-# Client Wrapper
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Core](./index.md#core) / Client Wrapper
-
-> Auto-generated documentation for [julep.api.core.client_wrapper](../../../../../../../julep/api/core/client_wrapper.py) module.
-
-- [Client Wrapper](#client-wrapper)
- - [AsyncClientWrapper](#asyncclientwrapper)
- - [BaseClientWrapper](#baseclientwrapper)
- - [SyncClientWrapper](#syncclientwrapper)
-
-## AsyncClientWrapper
-
-[Show source in client_wrapper.py:58](../../../../../../../julep/api/core/client_wrapper.py#L58)
-
-#### Signature
-
-```python
-class AsyncClientWrapper(BaseClientWrapper):
- def __init__(
- self,
- auth_key: str,
- api_key: str,
- base_url: str,
- timeout: typing.Optional[float] = None,
- httpx_client: httpx.AsyncClient,
- ): ...
-```
-
-#### See also
-
-- [BaseClientWrapper](#baseclientwrapper)
-
-
-
-## BaseClientWrapper
-
-[Show source in client_wrapper.py:10](../../../../../../../julep/api/core/client_wrapper.py#L10)
-
-#### Signature
-
-```python
-class BaseClientWrapper:
- def __init__(
- self,
- auth_key: str,
- api_key: str,
- base_url: str,
- timeout: typing.Optional[float] = None,
- ): ...
-```
-
-### BaseClientWrapper().get_base_url
-
-[Show source in client_wrapper.py:30](../../../../../../../julep/api/core/client_wrapper.py#L30)
-
-#### Signature
-
-```python
-def get_base_url(self) -> str: ...
-```
-
-### BaseClientWrapper().get_headers
-
-[Show source in client_wrapper.py:24](../../../../../../../julep/api/core/client_wrapper.py#L24)
-
-#### Signature
-
-```python
-def get_headers(self) -> typing.Dict[str, str]: ...
-```
-
-### BaseClientWrapper().get_timeout
-
-[Show source in client_wrapper.py:33](../../../../../../../julep/api/core/client_wrapper.py#L33)
-
-#### Signature
-
-```python
-def get_timeout(self) -> typing.Optional[float]: ...
-```
-
-
-
-## SyncClientWrapper
-
-[Show source in client_wrapper.py:37](../../../../../../../julep/api/core/client_wrapper.py#L37)
-
-#### Signature
-
-```python
-class SyncClientWrapper(BaseClientWrapper):
- def __init__(
- self,
- auth_key: str,
- api_key: str,
- base_url: str,
- timeout: typing.Optional[float] = None,
- httpx_client: httpx.Client,
- ): ...
-```
-
-#### See also
-
-- [BaseClientWrapper](#baseclientwrapper)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/core/datetime_utils.md b/docs/python-sdk-docs/julep/api/core/datetime_utils.md
deleted file mode 100644
index 079e9b9c1..000000000
--- a/docs/python-sdk-docs/julep/api/core/datetime_utils.md
+++ /dev/null
@@ -1,24 +0,0 @@
-# Datetime Utils
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Core](./index.md#core) / Datetime Utils
-
-> Auto-generated documentation for [julep.api.core.datetime_utils](../../../../../../../julep/api/core/datetime_utils.py) module.
-
-- [Datetime Utils](#datetime-utils)
- - [serialize_datetime](#serialize_datetime)
-
-## serialize_datetime
-
-[Show source in datetime_utils.py:6](../../../../../../../julep/api/core/datetime_utils.py#L6)
-
-Serialize a datetime including timezone info.
-
-Uses the timezone info provided if present, otherwise uses the current runtime's timezone info.
-
-UTC datetimes end in "Z" while all other timezones are represented as offset from UTC, e.g. +05:00.
-
-#### Signature
-
-```python
-def serialize_datetime(v: dt.datetime) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/core/file.md b/docs/python-sdk-docs/julep/api/core/file.md
deleted file mode 100644
index 79d76c4cf..000000000
--- a/docs/python-sdk-docs/julep/api/core/file.md
+++ /dev/null
@@ -1,36 +0,0 @@
-# File
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Core](./index.md#core) / File
-
-> Auto-generated documentation for [julep.api.core.file](../../../../../../../julep/api/core/file.py) module.
-
-#### Attributes
-
-- `FileContent` - File typing inspired by the flexibility of types within the httpx library
- https://github.com/encode/httpx/blob/master/httpx/_types.py: typing.Union[typing.IO[bytes], bytes, str]
-
-
-- [File](#file)
- - [convert_file_dict_to_httpx_tuples](#convert_file_dict_to_httpx_tuples)
-
-## convert_file_dict_to_httpx_tuples
-
-[Show source in file.py:25](../../../../../../../julep/api/core/file.py#L25)
-
-The format we use is a list of tuples, where the first element is the
-name of the file and the second is the file object. Typically HTTPX wants
-a dict, but to be able to send lists of files, you have to use the list
-approach (which also works for non-lists)
-https://github.com/encode/httpx/pull/1032
-
-#### Signature
-
-```python
-def convert_file_dict_to_httpx_tuples(
- d: typing.Dict[str, typing.Union[File, typing.List[File]]],
-) -> typing.List[typing.Tuple[str, File]]: ...
-```
-
-#### See also
-
-- [File](#file)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/core/http_client.md b/docs/python-sdk-docs/julep/api/core/http_client.md
deleted file mode 100644
index bdfc9598a..000000000
--- a/docs/python-sdk-docs/julep/api/core/http_client.md
+++ /dev/null
@@ -1,264 +0,0 @@
-# HttpClient
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Core](./index.md#core) / HttpClient
-
-> Auto-generated documentation for [julep.api.core.http_client](../../../../../../../julep/api/core/http_client.py) module.
-
-- [HttpClient](#httpclient)
- - [AsyncHttpClient](#asynchttpclient)
- - [HttpClient](#httpclient-1)
- - [_parse_retry_after](#_parse_retry_after)
- - [_retry_timeout](#_retry_timeout)
- - [get_request_body](#get_request_body)
- - [maybe_filter_request_body](#maybe_filter_request_body)
- - [remove_omit_from_dict](#remove_omit_from_dict)
-
-## AsyncHttpClient
-
-[Show source in http_client.py:357](../../../../../../../julep/api/core/http_client.py#L357)
-
-#### Signature
-
-```python
-class AsyncHttpClient:
- def __init__(
- self,
- httpx_client: httpx.AsyncClient,
- base_timeout: typing.Optional[float],
- base_headers: typing.Dict[str, str],
- base_url: typing.Optional[str] = None,
- ): ...
-```
-
-### AsyncHttpClient().get_base_url
-
-[Show source in http_client.py:371](../../../../../../../julep/api/core/http_client.py#L371)
-
-#### Signature
-
-```python
-def get_base_url(self, maybe_base_url: typing.Optional[str]) -> str: ...
-```
-
-### AsyncHttpClient().request
-
-[Show source in http_client.py:379](../../../../../../../julep/api/core/http_client.py#L379)
-
-#### Signature
-
-```python
-async def request(
- self,
- path: typing.Optional[str] = None,
- method: str,
- base_url: typing.Optional[str] = None,
- params: typing.Optional[typing.Dict[str, typing.Any]] = None,
- json: typing.Optional[typing.Any] = None,
- data: typing.Optional[typing.Any] = None,
- content: typing.Optional[
- typing.Union[bytes, typing.Iterator[bytes], typing.AsyncIterator[bytes]]
- ] = None,
- files: typing.Optional[
- typing.Dict[str, typing.Optional[typing.Union[File, typing.List[File]]]]
- ] = None,
- headers: typing.Optional[typing.Dict[str, typing.Any]] = None,
- request_options: typing.Optional[RequestOptions] = None,
- retries: int = 0,
- omit: typing.Optional[typing.Any] = None,
-) -> httpx.Response: ...
-```
-
-### AsyncHttpClient().stream
-
-[Show source in http_client.py:480](../../../../../../../julep/api/core/http_client.py#L480)
-
-#### Signature
-
-```python
-@asynccontextmanager
-async def stream(
- self,
- path: typing.Optional[str] = None,
- method: str,
- base_url: typing.Optional[str] = None,
- params: typing.Optional[typing.Dict[str, typing.Any]] = None,
- json: typing.Optional[typing.Any] = None,
- data: typing.Optional[typing.Any] = None,
- content: typing.Optional[
- typing.Union[bytes, typing.Iterator[bytes], typing.AsyncIterator[bytes]]
- ] = None,
- files: typing.Optional[
- typing.Dict[str, typing.Optional[typing.Union[File, typing.List[File]]]]
- ] = None,
- headers: typing.Optional[typing.Dict[str, typing.Any]] = None,
- request_options: typing.Optional[RequestOptions] = None,
- retries: int = 0,
- omit: typing.Optional[typing.Any] = None,
-) -> typing.AsyncIterator[httpx.Response]: ...
-```
-
-
-
-## HttpClient
-
-[Show source in http_client.py:153](../../../../../../../julep/api/core/http_client.py#L153)
-
-#### Signature
-
-```python
-class HttpClient:
- def __init__(
- self,
- httpx_client: httpx.Client,
- base_timeout: typing.Optional[float],
- base_headers: typing.Dict[str, str],
- base_url: typing.Optional[str] = None,
- ): ...
-```
-
-### HttpClient().get_base_url
-
-[Show source in http_client.py:167](../../../../../../../julep/api/core/http_client.py#L167)
-
-#### Signature
-
-```python
-def get_base_url(self, maybe_base_url: typing.Optional[str]) -> str: ...
-```
-
-### HttpClient().request
-
-[Show source in http_client.py:175](../../../../../../../julep/api/core/http_client.py#L175)
-
-#### Signature
-
-```python
-def request(
- self,
- path: typing.Optional[str] = None,
- method: str,
- base_url: typing.Optional[str] = None,
- params: typing.Optional[typing.Dict[str, typing.Any]] = None,
- json: typing.Optional[typing.Any] = None,
- data: typing.Optional[typing.Any] = None,
- content: typing.Optional[
- typing.Union[bytes, typing.Iterator[bytes], typing.AsyncIterator[bytes]]
- ] = None,
- files: typing.Optional[
- typing.Dict[str, typing.Optional[typing.Union[File, typing.List[File]]]]
- ] = None,
- headers: typing.Optional[typing.Dict[str, typing.Any]] = None,
- request_options: typing.Optional[RequestOptions] = None,
- retries: int = 0,
- omit: typing.Optional[typing.Any] = None,
-) -> httpx.Response: ...
-```
-
-### HttpClient().stream
-
-[Show source in http_client.py:276](../../../../../../../julep/api/core/http_client.py#L276)
-
-#### Signature
-
-```python
-@contextmanager
-def stream(
- self,
- path: typing.Optional[str] = None,
- method: str,
- base_url: typing.Optional[str] = None,
- params: typing.Optional[typing.Dict[str, typing.Any]] = None,
- json: typing.Optional[typing.Any] = None,
- data: typing.Optional[typing.Any] = None,
- content: typing.Optional[
- typing.Union[bytes, typing.Iterator[bytes], typing.AsyncIterator[bytes]]
- ] = None,
- files: typing.Optional[
- typing.Dict[str, typing.Optional[typing.Union[File, typing.List[File]]]]
- ] = None,
- headers: typing.Optional[typing.Dict[str, typing.Any]] = None,
- request_options: typing.Optional[RequestOptions] = None,
- retries: int = 0,
- omit: typing.Optional[typing.Any] = None,
-) -> typing.Iterator[httpx.Response]: ...
-```
-
-
-
-## _parse_retry_after
-
-[Show source in http_client.py:26](../../../../../../../julep/api/core/http_client.py#L26)
-
-This function parses the `Retry-After` header in a HTTP response and returns the number of seconds to wait.
-
-Inspired by the urllib3 retry implementation.
-
-#### Signature
-
-```python
-def _parse_retry_after(response_headers: httpx.Headers) -> typing.Optional[float]: ...
-```
-
-
-
-## _retry_timeout
-
-[Show source in http_client.py:67](../../../../../../../julep/api/core/http_client.py#L67)
-
-Determine the amount of time to wait before retrying a request.
-This function begins by trying to parse a retry-after header from the response, and then proceeds to use exponential backoff
-with a jitter to determine the number of seconds to wait.
-
-#### Signature
-
-```python
-def _retry_timeout(response: httpx.Response, retries: int) -> float: ...
-```
-
-
-
-## get_request_body
-
-[Show source in http_client.py:135](../../../../../../../julep/api/core/http_client.py#L135)
-
-#### Signature
-
-```python
-def get_request_body(
- json: typing.Optional[typing.Any],
- data: typing.Optional[typing.Any],
- request_options: typing.Optional[RequestOptions],
- omit: typing.Optional[typing.Any],
-) -> typing.Tuple[typing.Optional[typing.Any], typing.Optional[typing.Any]]: ...
-```
-
-
-
-## maybe_filter_request_body
-
-[Show source in http_client.py:107](../../../../../../../julep/api/core/http_client.py#L107)
-
-#### Signature
-
-```python
-def maybe_filter_request_body(
- data: typing.Optional[typing.Any],
- request_options: typing.Optional[RequestOptions],
- omit: typing.Optional[typing.Any],
-) -> typing.Optional[typing.Any]: ...
-```
-
-
-
-## remove_omit_from_dict
-
-[Show source in http_client.py:94](../../../../../../../julep/api/core/http_client.py#L94)
-
-#### Signature
-
-```python
-def remove_omit_from_dict(
- original: typing.Dict[str, typing.Optional[typing.Any]],
- omit: typing.Optional[typing.Any],
-) -> typing.Dict[str, typing.Any]: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/core/index.md b/docs/python-sdk-docs/julep/api/core/index.md
deleted file mode 100644
index 66561bb3a..000000000
--- a/docs/python-sdk-docs/julep/api/core/index.md
+++ /dev/null
@@ -1,21 +0,0 @@
-# Core
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / Core
-
-> Auto-generated documentation for [julep.api.core](../../../../../../../julep/api/core/__init__.py) module.
-
-- [Core](#core)
- - [Modules](#modules)
-
-## Modules
-
-- [ApiError](./api_error.md)
-- [Client Wrapper](./client_wrapper.md)
-- [Datetime Utils](./datetime_utils.md)
-- [File](./file.md)
-- [HttpClient](./http_client.md)
-- [Jsonable Encoder](./jsonable_encoder.md)
-- [Pydantic Utilities](./pydantic_utilities.md)
-- [Query Encoder](./query_encoder.md)
-- [Remove None From Dict](./remove_none_from_dict.md)
-- [RequestOptions](./request_options.md)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/core/jsonable_encoder.md b/docs/python-sdk-docs/julep/api/core/jsonable_encoder.md
deleted file mode 100644
index 0f9ec18f8..000000000
--- a/docs/python-sdk-docs/julep/api/core/jsonable_encoder.md
+++ /dev/null
@@ -1,35 +0,0 @@
-# Jsonable Encoder
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Core](./index.md#core) / Jsonable Encoder
-
-> Auto-generated documentation for [julep.api.core.jsonable_encoder](../../../../../../../julep/api/core/jsonable_encoder.py) module.
-
-- [Jsonable Encoder](#jsonable-encoder)
- - [generate_encoders_by_class_tuples](#generate_encoders_by_class_tuples)
- - [jsonable_encoder](#jsonable_encoder)
-
-## generate_encoders_by_class_tuples
-
-[Show source in jsonable_encoder.py:26](../../../../../../../julep/api/core/jsonable_encoder.py#L26)
-
-#### Signature
-
-```python
-def generate_encoders_by_class_tuples(
- type_encoder_map: Dict[Any, Callable[[Any], Any]],
-) -> Dict[Callable[[Any], Any], Tuple[Any, ...]]: ...
-```
-
-
-
-## jsonable_encoder
-
-[Show source in jsonable_encoder.py:42](../../../../../../../julep/api/core/jsonable_encoder.py#L42)
-
-#### Signature
-
-```python
-def jsonable_encoder(
- obj: Any, custom_encoder: Optional[Dict[Any, Callable[[Any], Any]]] = None
-) -> Any: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/core/pydantic_utilities.md b/docs/python-sdk-docs/julep/api/core/pydantic_utilities.md
deleted file mode 100644
index 032fa4805..000000000
--- a/docs/python-sdk-docs/julep/api/core/pydantic_utilities.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Pydantic Utilities
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Core](./index.md#core) / Pydantic Utilities
-
-> Auto-generated documentation for [julep.api.core.pydantic_utilities](../../../../../../../julep/api/core/pydantic_utilities.py) module.
-- [Pydantic Utilities](#pydantic-utilities)
diff --git a/docs/python-sdk-docs/julep/api/core/query_encoder.md b/docs/python-sdk-docs/julep/api/core/query_encoder.md
deleted file mode 100644
index 2c4b4f65d..000000000
--- a/docs/python-sdk-docs/julep/api/core/query_encoder.md
+++ /dev/null
@@ -1,46 +0,0 @@
-# Query Encoder
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Core](./index.md#core) / Query Encoder
-
-> Auto-generated documentation for [julep.api.core.query_encoder](../../../../../../../julep/api/core/query_encoder.py) module.
-
-- [Query Encoder](#query-encoder)
- - [encode_query](#encode_query)
- - [single_query_encoder](#single_query_encoder)
- - [traverse_query_dict](#traverse_query_dict)
-
-## encode_query
-
-[Show source in query_encoder.py:34](../../../../../../../julep/api/core/query_encoder.py#L34)
-
-#### Signature
-
-```python
-def encode_query(query: Optional[Dict[str, Any]]) -> Optional[Dict[str, Any]]: ...
-```
-
-
-
-## single_query_encoder
-
-[Show source in query_encoder.py:23](../../../../../../../julep/api/core/query_encoder.py#L23)
-
-#### Signature
-
-```python
-def single_query_encoder(query_key: str, query_value: Any) -> Dict[str, Any]: ...
-```
-
-
-
-## traverse_query_dict
-
-[Show source in query_encoder.py:10](../../../../../../../julep/api/core/query_encoder.py#L10)
-
-#### Signature
-
-```python
-def traverse_query_dict(
- dict_flat: Dict[str, Any], key_prefix: Optional[str] = None
-) -> Dict[str, Any]: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/core/remove_none_from_dict.md b/docs/python-sdk-docs/julep/api/core/remove_none_from_dict.md
deleted file mode 100644
index 532583b48..000000000
--- a/docs/python-sdk-docs/julep/api/core/remove_none_from_dict.md
+++ /dev/null
@@ -1,18 +0,0 @@
-# Remove None From Dict
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Core](./index.md#core) / Remove None From Dict
-
-> Auto-generated documentation for [julep.api.core.remove_none_from_dict](../../../../../../../julep/api/core/remove_none_from_dict.py) module.
-
-- [Remove None From Dict](#remove-none-from-dict)
- - [remove_none_from_dict](#remove_none_from_dict)
-
-## remove_none_from_dict
-
-[Show source in remove_none_from_dict.py:6](../../../../../../../julep/api/core/remove_none_from_dict.py#L6)
-
-#### Signature
-
-```python
-def remove_none_from_dict(original: Mapping[str, Optional[Any]]) -> Dict[str, Any]: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/core/request_options.md b/docs/python-sdk-docs/julep/api/core/request_options.md
deleted file mode 100644
index cac44806f..000000000
--- a/docs/python-sdk-docs/julep/api/core/request_options.md
+++ /dev/null
@@ -1,33 +0,0 @@
-# RequestOptions
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Core](./index.md#core) / RequestOptions
-
-> Auto-generated documentation for [julep.api.core.request_options](../../../../../../../julep/api/core/request_options.py) module.
-
-- [RequestOptions](#requestoptions)
- - [RequestOptions](#requestoptions-1)
-
-## RequestOptions
-
-[Show source in request_options.py:11](../../../../../../../julep/api/core/request_options.py#L11)
-
-Additional options for request-specific configuration when calling APIs via the SDK.
-This is used primarily as an optional final parameter for service functions.
-
-#### Attributes
-
-- `-` *timeout_in_seconds* - int. The number of seconds to await an API call before timing out.
-
-- `-` *max_retries* - int. The max number of retries to attempt if the API call fails.
-
-- `-` *additional_headers* - typing.Dict[str, typing.Any]. A dictionary containing additional parameters to spread into the request's header dict
-
-- `-` *additional_query_parameters* - typing.Dict[str, typing.Any]. A dictionary containing additional parameters to spread into the request's query parameters dict
-
-- `-` *additional_body_parameters* - typing.Dict[str, typing.Any]. A dictionary containing additional parameters to spread into the request's body parameters dict
-
-#### Signature
-
-```python
-class RequestOptions(typing.TypedDict): ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/environment.md b/docs/python-sdk-docs/julep/api/environment.md
deleted file mode 100644
index d10e1aa22..000000000
--- a/docs/python-sdk-docs/julep/api/environment.md
+++ /dev/null
@@ -1,18 +0,0 @@
-# Environment
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Julep Python Library](./index.md#julep-python-library) / Environment
-
-> Auto-generated documentation for [julep.api.environment](../../../../../../julep/api/environment.py) module.
-
-- [Environment](#environment)
- - [JulepApiEnvironment](#julepapienvironment)
-
-## JulepApiEnvironment
-
-[Show source in environment.py:6](../../../../../../julep/api/environment.py#L6)
-
-#### Signature
-
-```python
-class JulepApiEnvironment(enum.Enum): ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/index.md b/docs/python-sdk-docs/julep/api/index.md
deleted file mode 100644
index f943d9357..000000000
--- a/docs/python-sdk-docs/julep/api/index.md
+++ /dev/null
@@ -1,15 +0,0 @@
-# Julep Python Library
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / Julep Python Library
-
-> Auto-generated documentation for [julep.api](../../../../../../julep/api/__init__.py) module.
-
-- [Julep Python Library](#julep-python-library)
- - [Modules](#modules)
-
-## Modules
-
-- [Client](./client.md)
-- [Core](core/index.md)
-- [Environment](./environment.md)
-- [Types](types/index.md)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/agent_docs_route_list_request_direction.md b/docs/python-sdk-docs/julep/api/types/agent_docs_route_list_request_direction.md
deleted file mode 100644
index 6073fd184..000000000
--- a/docs/python-sdk-docs/julep/api/types/agent_docs_route_list_request_direction.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agent Docs Route List Request Direction
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agent Docs Route List Request Direction
-
-> Auto-generated documentation for [julep.api.types.agent_docs_route_list_request_direction](../../../../../../../julep/api/types/agent_docs_route_list_request_direction.py) module.
-- [Agent Docs Route List Request Direction](#agent-docs-route-list-request-direction)
diff --git a/docs/python-sdk-docs/julep/api/types/agent_docs_route_list_request_sort_by.md b/docs/python-sdk-docs/julep/api/types/agent_docs_route_list_request_sort_by.md
deleted file mode 100644
index 5c28c8198..000000000
--- a/docs/python-sdk-docs/julep/api/types/agent_docs_route_list_request_sort_by.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agent Docs Route List Request Sort By
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agent Docs Route List Request Sort By
-
-> Auto-generated documentation for [julep.api.types.agent_docs_route_list_request_sort_by](../../../../../../../julep/api/types/agent_docs_route_list_request_sort_by.py) module.
-- [Agent Docs Route List Request Sort By](#agent-docs-route-list-request-sort-by)
diff --git a/docs/python-sdk-docs/julep/api/types/agent_docs_route_list_response.md b/docs/python-sdk-docs/julep/api/types/agent_docs_route_list_response.md
deleted file mode 100644
index 07b9352e5..000000000
--- a/docs/python-sdk-docs/julep/api/types/agent_docs_route_list_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# AgentDocsRouteListResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / AgentDocsRouteListResponse
-
-> Auto-generated documentation for [julep.api.types.agent_docs_route_list_response](../../../../../../../julep/api/types/agent_docs_route_list_response.py) module.
-
-- [AgentDocsRouteListResponse](#agentdocsroutelistresponse)
- - [AgentDocsRouteListResponse](#agentdocsroutelistresponse-1)
-
-## AgentDocsRouteListResponse
-
-[Show source in agent_docs_route_list_response.py:11](../../../../../../../julep/api/types/agent_docs_route_list_response.py#L11)
-
-#### Signature
-
-```python
-class AgentDocsRouteListResponse(pydantic_v1.BaseModel): ...
-```
-
-### AgentDocsRouteListResponse().dict
-
-[Show source in agent_docs_route_list_response.py:22](../../../../../../../julep/api/types/agent_docs_route_list_response.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### AgentDocsRouteListResponse().json
-
-[Show source in agent_docs_route_list_response.py:14](../../../../../../../julep/api/types/agent_docs_route_list_response.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/agent_tools_route_list_request_direction.md b/docs/python-sdk-docs/julep/api/types/agent_tools_route_list_request_direction.md
deleted file mode 100644
index 6a9f1e4c2..000000000
--- a/docs/python-sdk-docs/julep/api/types/agent_tools_route_list_request_direction.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agent Tools Route List Request Direction
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agent Tools Route List Request Direction
-
-> Auto-generated documentation for [julep.api.types.agent_tools_route_list_request_direction](../../../../../../../julep/api/types/agent_tools_route_list_request_direction.py) module.
-- [Agent Tools Route List Request Direction](#agent-tools-route-list-request-direction)
diff --git a/docs/python-sdk-docs/julep/api/types/agent_tools_route_list_request_sort_by.md b/docs/python-sdk-docs/julep/api/types/agent_tools_route_list_request_sort_by.md
deleted file mode 100644
index f8ce5d292..000000000
--- a/docs/python-sdk-docs/julep/api/types/agent_tools_route_list_request_sort_by.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agent Tools Route List Request Sort By
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agent Tools Route List Request Sort By
-
-> Auto-generated documentation for [julep.api.types.agent_tools_route_list_request_sort_by](../../../../../../../julep/api/types/agent_tools_route_list_request_sort_by.py) module.
-- [Agent Tools Route List Request Sort By](#agent-tools-route-list-request-sort-by)
diff --git a/docs/python-sdk-docs/julep/api/types/agent_tools_route_list_response.md b/docs/python-sdk-docs/julep/api/types/agent_tools_route_list_response.md
deleted file mode 100644
index 49377b911..000000000
--- a/docs/python-sdk-docs/julep/api/types/agent_tools_route_list_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# AgentToolsRouteListResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / AgentToolsRouteListResponse
-
-> Auto-generated documentation for [julep.api.types.agent_tools_route_list_response](../../../../../../../julep/api/types/agent_tools_route_list_response.py) module.
-
-- [AgentToolsRouteListResponse](#agenttoolsroutelistresponse)
- - [AgentToolsRouteListResponse](#agenttoolsroutelistresponse-1)
-
-## AgentToolsRouteListResponse
-
-[Show source in agent_tools_route_list_response.py:11](../../../../../../../julep/api/types/agent_tools_route_list_response.py#L11)
-
-#### Signature
-
-```python
-class AgentToolsRouteListResponse(pydantic_v1.BaseModel): ...
-```
-
-### AgentToolsRouteListResponse().dict
-
-[Show source in agent_tools_route_list_response.py:22](../../../../../../../julep/api/types/agent_tools_route_list_response.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### AgentToolsRouteListResponse().json
-
-[Show source in agent_tools_route_list_response.py:14](../../../../../../../julep/api/types/agent_tools_route_list_response.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/agents_agent.md b/docs/python-sdk-docs/julep/api/types/agents_agent.md
deleted file mode 100644
index 0e1b52be6..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_agent.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# AgentsAgent
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / AgentsAgent
-
-> Auto-generated documentation for [julep.api.types.agents_agent](../../../../../../../julep/api/types/agents_agent.py) module.
-
-- [AgentsAgent](#agentsagent)
- - [AgentsAgent](#agentsagent-1)
-
-## AgentsAgent
-
-[Show source in agents_agent.py:14](../../../../../../../julep/api/types/agents_agent.py#L14)
-
-#### Signature
-
-```python
-class AgentsAgent(pydantic_v1.BaseModel): ...
-```
-
-### AgentsAgent().dict
-
-[Show source in agents_agent.py:62](../../../../../../../julep/api/types/agents_agent.py#L62)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### AgentsAgent().json
-
-[Show source in agents_agent.py:54](../../../../../../../julep/api/types/agents_agent.py#L54)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/agents_agent_instructions.md b/docs/python-sdk-docs/julep/api/types/agents_agent_instructions.md
deleted file mode 100644
index fde3264fe..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_agent_instructions.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agents Agent Instructions
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agents Agent Instructions
-
-> Auto-generated documentation for [julep.api.types.agents_agent_instructions](../../../../../../../julep/api/types/agents_agent_instructions.py) module.
-- [Agents Agent Instructions](#agents-agent-instructions)
diff --git a/docs/python-sdk-docs/julep/api/types/agents_create_agent_request.md b/docs/python-sdk-docs/julep/api/types/agents_create_agent_request.md
deleted file mode 100644
index 0102d2005..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_create_agent_request.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# AgentsCreateAgentRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / AgentsCreateAgentRequest
-
-> Auto-generated documentation for [julep.api.types.agents_create_agent_request](../../../../../../../julep/api/types/agents_create_agent_request.py) module.
-
-- [AgentsCreateAgentRequest](#agentscreateagentrequest)
- - [AgentsCreateAgentRequest](#agentscreateagentrequest-1)
-
-## AgentsCreateAgentRequest
-
-[Show source in agents_create_agent_request.py:15](../../../../../../../julep/api/types/agents_create_agent_request.py#L15)
-
-Payload for creating a agent (and associated documents)
-
-#### Signature
-
-```python
-class AgentsCreateAgentRequest(pydantic_v1.BaseModel): ...
-```
-
-### AgentsCreateAgentRequest().dict
-
-[Show source in agents_create_agent_request.py:56](../../../../../../../julep/api/types/agents_create_agent_request.py#L56)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### AgentsCreateAgentRequest().json
-
-[Show source in agents_create_agent_request.py:48](../../../../../../../julep/api/types/agents_create_agent_request.py#L48)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/agents_create_agent_request_instructions.md b/docs/python-sdk-docs/julep/api/types/agents_create_agent_request_instructions.md
deleted file mode 100644
index 3b7d98899..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_create_agent_request_instructions.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agents Create Agent Request Instructions
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agents Create Agent Request Instructions
-
-> Auto-generated documentation for [julep.api.types.agents_create_agent_request_instructions](../../../../../../../julep/api/types/agents_create_agent_request_instructions.py) module.
-- [Agents Create Agent Request Instructions](#agents-create-agent-request-instructions)
diff --git a/docs/python-sdk-docs/julep/api/types/agents_create_or_update_agent_request.md b/docs/python-sdk-docs/julep/api/types/agents_create_or_update_agent_request.md
deleted file mode 100644
index e13f3c7e3..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_create_or_update_agent_request.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# AgentsCreateOrUpdateAgentRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / AgentsCreateOrUpdateAgentRequest
-
-> Auto-generated documentation for [julep.api.types.agents_create_or_update_agent_request](../../../../../../../julep/api/types/agents_create_or_update_agent_request.py) module.
-
-- [AgentsCreateOrUpdateAgentRequest](#agentscreateorupdateagentrequest)
- - [AgentsCreateOrUpdateAgentRequest](#agentscreateorupdateagentrequest-1)
-
-## AgentsCreateOrUpdateAgentRequest
-
-[Show source in agents_create_or_update_agent_request.py:16](../../../../../../../julep/api/types/agents_create_or_update_agent_request.py#L16)
-
-#### Signature
-
-```python
-class AgentsCreateOrUpdateAgentRequest(pydantic_v1.BaseModel): ...
-```
-
-### AgentsCreateOrUpdateAgentRequest().dict
-
-[Show source in agents_create_or_update_agent_request.py:54](../../../../../../../julep/api/types/agents_create_or_update_agent_request.py#L54)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### AgentsCreateOrUpdateAgentRequest().json
-
-[Show source in agents_create_or_update_agent_request.py:46](../../../../../../../julep/api/types/agents_create_or_update_agent_request.py#L46)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/agents_docs_search_route_search_request_body.md b/docs/python-sdk-docs/julep/api/types/agents_docs_search_route_search_request_body.md
deleted file mode 100644
index bb7c047be..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_docs_search_route_search_request_body.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agents Docs Search Route Search Request Body
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agents Docs Search Route Search Request Body
-
-> Auto-generated documentation for [julep.api.types.agents_docs_search_route_search_request_body](../../../../../../../julep/api/types/agents_docs_search_route_search_request_body.py) module.
-- [Agents Docs Search Route Search Request Body](#agents-docs-search-route-search-request-body)
diff --git a/docs/python-sdk-docs/julep/api/types/agents_patch_agent_request_instructions.md b/docs/python-sdk-docs/julep/api/types/agents_patch_agent_request_instructions.md
deleted file mode 100644
index d05f16482..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_patch_agent_request_instructions.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agents Patch Agent Request Instructions
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agents Patch Agent Request Instructions
-
-> Auto-generated documentation for [julep.api.types.agents_patch_agent_request_instructions](../../../../../../../julep/api/types/agents_patch_agent_request_instructions.py) module.
-- [Agents Patch Agent Request Instructions](#agents-patch-agent-request-instructions)
diff --git a/docs/python-sdk-docs/julep/api/types/agents_route_list_request_direction.md b/docs/python-sdk-docs/julep/api/types/agents_route_list_request_direction.md
deleted file mode 100644
index c723dd549..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_route_list_request_direction.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agents Route List Request Direction
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agents Route List Request Direction
-
-> Auto-generated documentation for [julep.api.types.agents_route_list_request_direction](../../../../../../../julep/api/types/agents_route_list_request_direction.py) module.
-- [Agents Route List Request Direction](#agents-route-list-request-direction)
diff --git a/docs/python-sdk-docs/julep/api/types/agents_route_list_request_sort_by.md b/docs/python-sdk-docs/julep/api/types/agents_route_list_request_sort_by.md
deleted file mode 100644
index dae7a82ba..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_route_list_request_sort_by.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agents Route List Request Sort By
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agents Route List Request Sort By
-
-> Auto-generated documentation for [julep.api.types.agents_route_list_request_sort_by](../../../../../../../julep/api/types/agents_route_list_request_sort_by.py) module.
-- [Agents Route List Request Sort By](#agents-route-list-request-sort-by)
diff --git a/docs/python-sdk-docs/julep/api/types/agents_route_list_response.md b/docs/python-sdk-docs/julep/api/types/agents_route_list_response.md
deleted file mode 100644
index cbe615c1e..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_route_list_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# AgentsRouteListResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / AgentsRouteListResponse
-
-> Auto-generated documentation for [julep.api.types.agents_route_list_response](../../../../../../../julep/api/types/agents_route_list_response.py) module.
-
-- [AgentsRouteListResponse](#agentsroutelistresponse)
- - [AgentsRouteListResponse](#agentsroutelistresponse-1)
-
-## AgentsRouteListResponse
-
-[Show source in agents_route_list_response.py:11](../../../../../../../julep/api/types/agents_route_list_response.py#L11)
-
-#### Signature
-
-```python
-class AgentsRouteListResponse(pydantic_v1.BaseModel): ...
-```
-
-### AgentsRouteListResponse().dict
-
-[Show source in agents_route_list_response.py:22](../../../../../../../julep/api/types/agents_route_list_response.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### AgentsRouteListResponse().json
-
-[Show source in agents_route_list_response.py:14](../../../../../../../julep/api/types/agents_route_list_response.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/agents_update_agent_request.md b/docs/python-sdk-docs/julep/api/types/agents_update_agent_request.md
deleted file mode 100644
index 8f906f097..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_update_agent_request.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# AgentsUpdateAgentRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / AgentsUpdateAgentRequest
-
-> Auto-generated documentation for [julep.api.types.agents_update_agent_request](../../../../../../../julep/api/types/agents_update_agent_request.py) module.
-
-- [AgentsUpdateAgentRequest](#agentsupdateagentrequest)
- - [AgentsUpdateAgentRequest](#agentsupdateagentrequest-1)
-
-## AgentsUpdateAgentRequest
-
-[Show source in agents_update_agent_request.py:15](../../../../../../../julep/api/types/agents_update_agent_request.py#L15)
-
-Payload for updating a agent
-
-#### Signature
-
-```python
-class AgentsUpdateAgentRequest(pydantic_v1.BaseModel): ...
-```
-
-### AgentsUpdateAgentRequest().dict
-
-[Show source in agents_update_agent_request.py:56](../../../../../../../julep/api/types/agents_update_agent_request.py#L56)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### AgentsUpdateAgentRequest().json
-
-[Show source in agents_update_agent_request.py:48](../../../../../../../julep/api/types/agents_update_agent_request.py#L48)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/agents_update_agent_request_instructions.md b/docs/python-sdk-docs/julep/api/types/agents_update_agent_request_instructions.md
deleted file mode 100644
index a2a61914f..000000000
--- a/docs/python-sdk-docs/julep/api/types/agents_update_agent_request_instructions.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Agents Update Agent Request Instructions
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Agents Update Agent Request Instructions
-
-> Auto-generated documentation for [julep.api.types.agents_update_agent_request_instructions](../../../../../../../julep/api/types/agents_update_agent_request_instructions.py) module.
-- [Agents Update Agent Request Instructions](#agents-update-agent-request-instructions)
diff --git a/docs/python-sdk-docs/julep/api/types/chat_base_chat_output.md b/docs/python-sdk-docs/julep/api/types/chat_base_chat_output.md
deleted file mode 100644
index 4f6fde8bc..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_base_chat_output.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatBaseChatOutput
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatBaseChatOutput
-
-> Auto-generated documentation for [julep.api.types.chat_base_chat_output](../../../../../../../julep/api/types/chat_base_chat_output.py) module.
-
-- [ChatBaseChatOutput](#chatbasechatoutput)
- - [ChatBaseChatOutput](#chatbasechatoutput-1)
-
-## ChatBaseChatOutput
-
-[Show source in chat_base_chat_output.py:12](../../../../../../../julep/api/types/chat_base_chat_output.py#L12)
-
-#### Signature
-
-```python
-class ChatBaseChatOutput(pydantic_v1.BaseModel): ...
-```
-
-### ChatBaseChatOutput().dict
-
-[Show source in chat_base_chat_output.py:32](../../../../../../../julep/api/types/chat_base_chat_output.py#L32)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatBaseChatOutput().json
-
-[Show source in chat_base_chat_output.py:24](../../../../../../../julep/api/types/chat_base_chat_output.py#L24)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_base_chat_response.md b/docs/python-sdk-docs/julep/api/types/chat_base_chat_response.md
deleted file mode 100644
index 9eef6113b..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_base_chat_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatBaseChatResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatBaseChatResponse
-
-> Auto-generated documentation for [julep.api.types.chat_base_chat_response](../../../../../../../julep/api/types/chat_base_chat_response.py) module.
-
-- [ChatBaseChatResponse](#chatbasechatresponse)
- - [ChatBaseChatResponse](#chatbasechatresponse-1)
-
-## ChatBaseChatResponse
-
-[Show source in chat_base_chat_response.py:13](../../../../../../../julep/api/types/chat_base_chat_response.py#L13)
-
-#### Signature
-
-```python
-class ChatBaseChatResponse(pydantic_v1.BaseModel): ...
-```
-
-### ChatBaseChatResponse().dict
-
-[Show source in chat_base_chat_response.py:44](../../../../../../../julep/api/types/chat_base_chat_response.py#L44)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatBaseChatResponse().json
-
-[Show source in chat_base_chat_response.py:36](../../../../../../../julep/api/types/chat_base_chat_response.py#L36)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_base_token_log_prob.md b/docs/python-sdk-docs/julep/api/types/chat_base_token_log_prob.md
deleted file mode 100644
index 02074dd4e..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_base_token_log_prob.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatBaseTokenLogProb
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatBaseTokenLogProb
-
-> Auto-generated documentation for [julep.api.types.chat_base_token_log_prob](../../../../../../../julep/api/types/chat_base_token_log_prob.py) module.
-
-- [ChatBaseTokenLogProb](#chatbasetokenlogprob)
- - [ChatBaseTokenLogProb](#chatbasetokenlogprob-1)
-
-## ChatBaseTokenLogProb
-
-[Show source in chat_base_token_log_prob.py:10](../../../../../../../julep/api/types/chat_base_token_log_prob.py#L10)
-
-#### Signature
-
-```python
-class ChatBaseTokenLogProb(pydantic_v1.BaseModel): ...
-```
-
-### ChatBaseTokenLogProb().dict
-
-[Show source in chat_base_token_log_prob.py:27](../../../../../../../julep/api/types/chat_base_token_log_prob.py#L27)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatBaseTokenLogProb().json
-
-[Show source in chat_base_token_log_prob.py:19](../../../../../../../julep/api/types/chat_base_token_log_prob.py#L19)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_chat_input_data.md b/docs/python-sdk-docs/julep/api/types/chat_chat_input_data.md
deleted file mode 100644
index a830d7fa5..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_chat_input_data.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatChatInputData
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatChatInputData
-
-> Auto-generated documentation for [julep.api.types.chat_chat_input_data](../../../../../../../julep/api/types/chat_chat_input_data.py) module.
-
-- [ChatChatInputData](#chatchatinputdata)
- - [ChatChatInputData](#chatchatinputdata-1)
-
-## ChatChatInputData
-
-[Show source in chat_chat_input_data.py:13](../../../../../../../julep/api/types/chat_chat_input_data.py#L13)
-
-#### Signature
-
-```python
-class ChatChatInputData(pydantic_v1.BaseModel): ...
-```
-
-### ChatChatInputData().dict
-
-[Show source in chat_chat_input_data.py:41](../../../../../../../julep/api/types/chat_chat_input_data.py#L41)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatChatInputData().json
-
-[Show source in chat_chat_input_data.py:33](../../../../../../../julep/api/types/chat_chat_input_data.py#L33)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_chat_input_data_tool_choice.md b/docs/python-sdk-docs/julep/api/types/chat_chat_input_data_tool_choice.md
deleted file mode 100644
index 819c98d14..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_chat_input_data_tool_choice.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Chat Chat Input Data Tool Choice
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Chat Chat Input Data Tool Choice
-
-> Auto-generated documentation for [julep.api.types.chat_chat_input_data_tool_choice](../../../../../../../julep/api/types/chat_chat_input_data_tool_choice.py) module.
-- [Chat Chat Input Data Tool Choice](#chat-chat-input-data-tool-choice)
diff --git a/docs/python-sdk-docs/julep/api/types/chat_chat_output_chunk.md b/docs/python-sdk-docs/julep/api/types/chat_chat_output_chunk.md
deleted file mode 100644
index 25f16b4ba..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_chat_output_chunk.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# ChatChatOutputChunk
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatChatOutputChunk
-
-> Auto-generated documentation for [julep.api.types.chat_chat_output_chunk](../../../../../../../julep/api/types/chat_chat_output_chunk.py) module.
-
-- [ChatChatOutputChunk](#chatchatoutputchunk)
- - [ChatChatOutputChunk](#chatchatoutputchunk-1)
-
-## ChatChatOutputChunk
-
-[Show source in chat_chat_output_chunk.py:12](../../../../../../../julep/api/types/chat_chat_output_chunk.py#L12)
-
-Streaming chat completion output
-
-#### Signature
-
-```python
-class ChatChatOutputChunk(ChatBaseChatOutput): ...
-```
-
-### ChatChatOutputChunk().dict
-
-[Show source in chat_chat_output_chunk.py:30](../../../../../../../julep/api/types/chat_chat_output_chunk.py#L30)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatChatOutputChunk().json
-
-[Show source in chat_chat_output_chunk.py:22](../../../../../../../julep/api/types/chat_chat_output_chunk.py#L22)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_chat_settings.md b/docs/python-sdk-docs/julep/api/types/chat_chat_settings.md
deleted file mode 100644
index af2b74943..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_chat_settings.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatChatSettings
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatChatSettings
-
-> Auto-generated documentation for [julep.api.types.chat_chat_settings](../../../../../../../julep/api/types/chat_chat_settings.py) module.
-
-- [ChatChatSettings](#chatchatsettings)
- - [ChatChatSettings](#chatchatsettings-1)
-
-## ChatChatSettings
-
-[Show source in chat_chat_settings.py:15](../../../../../../../julep/api/types/chat_chat_settings.py#L15)
-
-#### Signature
-
-```python
-class ChatChatSettings(ChatDefaultChatSettings): ...
-```
-
-### ChatChatSettings().dict
-
-[Show source in chat_chat_settings.py:70](../../../../../../../julep/api/types/chat_chat_settings.py#L70)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatChatSettings().json
-
-[Show source in chat_chat_settings.py:62](../../../../../../../julep/api/types/chat_chat_settings.py#L62)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_chunk_chat_response.md b/docs/python-sdk-docs/julep/api/types/chat_chunk_chat_response.md
deleted file mode 100644
index 2ec411b53..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_chunk_chat_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatChunkChatResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatChunkChatResponse
-
-> Auto-generated documentation for [julep.api.types.chat_chunk_chat_response](../../../../../../../julep/api/types/chat_chunk_chat_response.py) module.
-
-- [ChatChunkChatResponse](#chatchunkchatresponse)
- - [ChatChunkChatResponse](#chatchunkchatresponse-1)
-
-## ChatChunkChatResponse
-
-[Show source in chat_chunk_chat_response.py:12](../../../../../../../julep/api/types/chat_chunk_chat_response.py#L12)
-
-#### Signature
-
-```python
-class ChatChunkChatResponse(ChatBaseChatResponse): ...
-```
-
-### ChatChunkChatResponse().dict
-
-[Show source in chat_chunk_chat_response.py:26](../../../../../../../julep/api/types/chat_chunk_chat_response.py#L26)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatChunkChatResponse().json
-
-[Show source in chat_chunk_chat_response.py:18](../../../../../../../julep/api/types/chat_chunk_chat_response.py#L18)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_competion_usage.md b/docs/python-sdk-docs/julep/api/types/chat_competion_usage.md
deleted file mode 100644
index 8c55bb12c..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_competion_usage.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# ChatCompetionUsage
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatCompetionUsage
-
-> Auto-generated documentation for [julep.api.types.chat_competion_usage](../../../../../../../julep/api/types/chat_competion_usage.py) module.
-
-- [ChatCompetionUsage](#chatcompetionusage)
- - [ChatCompetionUsage](#chatcompetionusage-1)
-
-## ChatCompetionUsage
-
-[Show source in chat_competion_usage.py:10](../../../../../../../julep/api/types/chat_competion_usage.py#L10)
-
-Usage statistics for the completion request
-
-#### Signature
-
-```python
-class ChatCompetionUsage(pydantic_v1.BaseModel): ...
-```
-
-### ChatCompetionUsage().dict
-
-[Show source in chat_competion_usage.py:38](../../../../../../../julep/api/types/chat_competion_usage.py#L38)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatCompetionUsage().json
-
-[Show source in chat_competion_usage.py:30](../../../../../../../julep/api/types/chat_competion_usage.py#L30)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_completion_response_format.md b/docs/python-sdk-docs/julep/api/types/chat_completion_response_format.md
deleted file mode 100644
index c18aab307..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_completion_response_format.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatCompletionResponseFormat
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatCompletionResponseFormat
-
-> Auto-generated documentation for [julep.api.types.chat_completion_response_format](../../../../../../../julep/api/types/chat_completion_response_format.py) module.
-
-- [ChatCompletionResponseFormat](#chatcompletionresponseformat)
- - [ChatCompletionResponseFormat](#chatcompletionresponseformat-1)
-
-## ChatCompletionResponseFormat
-
-[Show source in chat_completion_response_format.py:11](../../../../../../../julep/api/types/chat_completion_response_format.py#L11)
-
-#### Signature
-
-```python
-class ChatCompletionResponseFormat(pydantic_v1.BaseModel): ...
-```
-
-### ChatCompletionResponseFormat().dict
-
-[Show source in chat_completion_response_format.py:25](../../../../../../../julep/api/types/chat_completion_response_format.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatCompletionResponseFormat().json
-
-[Show source in chat_completion_response_format.py:17](../../../../../../../julep/api/types/chat_completion_response_format.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_completion_response_format_type.md b/docs/python-sdk-docs/julep/api/types/chat_completion_response_format_type.md
deleted file mode 100644
index 0630b2d84..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_completion_response_format_type.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Chat Completion Response Format Type
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Chat Completion Response Format Type
-
-> Auto-generated documentation for [julep.api.types.chat_completion_response_format_type](../../../../../../../julep/api/types/chat_completion_response_format_type.py) module.
-- [Chat Completion Response Format Type](#chat-completion-response-format-type)
diff --git a/docs/python-sdk-docs/julep/api/types/chat_default_chat_settings.md b/docs/python-sdk-docs/julep/api/types/chat_default_chat_settings.md
deleted file mode 100644
index 5905defde..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_default_chat_settings.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# ChatDefaultChatSettings
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatDefaultChatSettings
-
-> Auto-generated documentation for [julep.api.types.chat_default_chat_settings](../../../../../../../julep/api/types/chat_default_chat_settings.py) module.
-
-- [ChatDefaultChatSettings](#chatdefaultchatsettings)
- - [ChatDefaultChatSettings](#chatdefaultchatsettings-1)
-
-## ChatDefaultChatSettings
-
-[Show source in chat_default_chat_settings.py:11](../../../../../../../julep/api/types/chat_default_chat_settings.py#L11)
-
-Default settings for the chat session (also used by the agent)
-
-#### Signature
-
-```python
-class ChatDefaultChatSettings(ChatOpenAiSettings): ...
-```
-
-### ChatDefaultChatSettings().dict
-
-[Show source in chat_default_chat_settings.py:39](../../../../../../../julep/api/types/chat_default_chat_settings.py#L39)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatDefaultChatSettings().json
-
-[Show source in chat_default_chat_settings.py:31](../../../../../../../julep/api/types/chat_default_chat_settings.py#L31)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_finish_reason.md b/docs/python-sdk-docs/julep/api/types/chat_finish_reason.md
deleted file mode 100644
index b01a1c85e..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_finish_reason.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Chat Finish Reason
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Chat Finish Reason
-
-> Auto-generated documentation for [julep.api.types.chat_finish_reason](../../../../../../../julep/api/types/chat_finish_reason.py) module.
-- [Chat Finish Reason](#chat-finish-reason)
diff --git a/docs/python-sdk-docs/julep/api/types/chat_log_prob_response.md b/docs/python-sdk-docs/julep/api/types/chat_log_prob_response.md
deleted file mode 100644
index 3b72f98c7..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_log_prob_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatLogProbResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatLogProbResponse
-
-> Auto-generated documentation for [julep.api.types.chat_log_prob_response](../../../../../../../julep/api/types/chat_log_prob_response.py) module.
-
-- [ChatLogProbResponse](#chatlogprobresponse)
- - [ChatLogProbResponse](#chatlogprobresponse-1)
-
-## ChatLogProbResponse
-
-[Show source in chat_log_prob_response.py:11](../../../../../../../julep/api/types/chat_log_prob_response.py#L11)
-
-#### Signature
-
-```python
-class ChatLogProbResponse(pydantic_v1.BaseModel): ...
-```
-
-### ChatLogProbResponse().dict
-
-[Show source in chat_log_prob_response.py:27](../../../../../../../julep/api/types/chat_log_prob_response.py#L27)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatLogProbResponse().json
-
-[Show source in chat_log_prob_response.py:19](../../../../../../../julep/api/types/chat_log_prob_response.py#L19)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_message_chat_response.md b/docs/python-sdk-docs/julep/api/types/chat_message_chat_response.md
deleted file mode 100644
index 361a12782..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_message_chat_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatMessageChatResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatMessageChatResponse
-
-> Auto-generated documentation for [julep.api.types.chat_message_chat_response](../../../../../../../julep/api/types/chat_message_chat_response.py) module.
-
-- [ChatMessageChatResponse](#chatmessagechatresponse)
- - [ChatMessageChatResponse](#chatmessagechatresponse-1)
-
-## ChatMessageChatResponse
-
-[Show source in chat_message_chat_response.py:12](../../../../../../../julep/api/types/chat_message_chat_response.py#L12)
-
-#### Signature
-
-```python
-class ChatMessageChatResponse(ChatBaseChatResponse): ...
-```
-
-### ChatMessageChatResponse().dict
-
-[Show source in chat_message_chat_response.py:26](../../../../../../../julep/api/types/chat_message_chat_response.py#L26)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatMessageChatResponse().json
-
-[Show source in chat_message_chat_response.py:18](../../../../../../../julep/api/types/chat_message_chat_response.py#L18)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_message_chat_response_choices_item.md b/docs/python-sdk-docs/julep/api/types/chat_message_chat_response_choices_item.md
deleted file mode 100644
index 8cdf93ded..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_message_chat_response_choices_item.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Chat Message Chat Response Choices Item
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Chat Message Chat Response Choices Item
-
-> Auto-generated documentation for [julep.api.types.chat_message_chat_response_choices_item](../../../../../../../julep/api/types/chat_message_chat_response_choices_item.py) module.
-- [Chat Message Chat Response Choices Item](#chat-message-chat-response-choices-item)
diff --git a/docs/python-sdk-docs/julep/api/types/chat_multiple_chat_output.md b/docs/python-sdk-docs/julep/api/types/chat_multiple_chat_output.md
deleted file mode 100644
index e6e1502ba..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_multiple_chat_output.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# ChatMultipleChatOutput
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatMultipleChatOutput
-
-> Auto-generated documentation for [julep.api.types.chat_multiple_chat_output](../../../../../../../julep/api/types/chat_multiple_chat_output.py) module.
-
-- [ChatMultipleChatOutput](#chatmultiplechatoutput)
- - [ChatMultipleChatOutput](#chatmultiplechatoutput-1)
-
-## ChatMultipleChatOutput
-
-[Show source in chat_multiple_chat_output.py:12](../../../../../../../julep/api/types/chat_multiple_chat_output.py#L12)
-
-The output returned by the model. Note that, depending on the model provider, they might return more than one message.
-
-#### Signature
-
-```python
-class ChatMultipleChatOutput(ChatBaseChatOutput): ...
-```
-
-### ChatMultipleChatOutput().dict
-
-[Show source in chat_multiple_chat_output.py:27](../../../../../../../julep/api/types/chat_multiple_chat_output.py#L27)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatMultipleChatOutput().json
-
-[Show source in chat_multiple_chat_output.py:19](../../../../../../../julep/api/types/chat_multiple_chat_output.py#L19)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_open_ai_settings.md b/docs/python-sdk-docs/julep/api/types/chat_open_ai_settings.md
deleted file mode 100644
index d04291d75..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_open_ai_settings.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatOpenAiSettings
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatOpenAiSettings
-
-> Auto-generated documentation for [julep.api.types.chat_open_ai_settings](../../../../../../../julep/api/types/chat_open_ai_settings.py) module.
-
-- [ChatOpenAiSettings](#chatopenaisettings)
- - [ChatOpenAiSettings](#chatopenaisettings-1)
-
-## ChatOpenAiSettings
-
-[Show source in chat_open_ai_settings.py:10](../../../../../../../julep/api/types/chat_open_ai_settings.py#L10)
-
-#### Signature
-
-```python
-class ChatOpenAiSettings(pydantic_v1.BaseModel): ...
-```
-
-### ChatOpenAiSettings().dict
-
-[Show source in chat_open_ai_settings.py:39](../../../../../../../julep/api/types/chat_open_ai_settings.py#L39)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatOpenAiSettings().json
-
-[Show source in chat_open_ai_settings.py:31](../../../../../../../julep/api/types/chat_open_ai_settings.py#L31)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_route_generate_response.md b/docs/python-sdk-docs/julep/api/types/chat_route_generate_response.md
deleted file mode 100644
index 947f8c61e..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_route_generate_response.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Chat Route Generate Response
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Chat Route Generate Response
-
-> Auto-generated documentation for [julep.api.types.chat_route_generate_response](../../../../../../../julep/api/types/chat_route_generate_response.py) module.
-- [Chat Route Generate Response](#chat-route-generate-response)
diff --git a/docs/python-sdk-docs/julep/api/types/chat_single_chat_output.md b/docs/python-sdk-docs/julep/api/types/chat_single_chat_output.md
deleted file mode 100644
index dac22a9c6..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_single_chat_output.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# ChatSingleChatOutput
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatSingleChatOutput
-
-> Auto-generated documentation for [julep.api.types.chat_single_chat_output](../../../../../../../julep/api/types/chat_single_chat_output.py) module.
-
-- [ChatSingleChatOutput](#chatsinglechatoutput)
- - [ChatSingleChatOutput](#chatsinglechatoutput-1)
-
-## ChatSingleChatOutput
-
-[Show source in chat_single_chat_output.py:12](../../../../../../../julep/api/types/chat_single_chat_output.py#L12)
-
-The output returned by the model. Note that, depending on the model provider, they might return more than one message.
-
-#### Signature
-
-```python
-class ChatSingleChatOutput(ChatBaseChatOutput): ...
-```
-
-### ChatSingleChatOutput().dict
-
-[Show source in chat_single_chat_output.py:27](../../../../../../../julep/api/types/chat_single_chat_output.py#L27)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatSingleChatOutput().json
-
-[Show source in chat_single_chat_output.py:19](../../../../../../../julep/api/types/chat_single_chat_output.py#L19)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/chat_token_log_prob.md b/docs/python-sdk-docs/julep/api/types/chat_token_log_prob.md
deleted file mode 100644
index d4a37cd47..000000000
--- a/docs/python-sdk-docs/julep/api/types/chat_token_log_prob.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ChatTokenLogProb
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ChatTokenLogProb
-
-> Auto-generated documentation for [julep.api.types.chat_token_log_prob](../../../../../../../julep/api/types/chat_token_log_prob.py) module.
-
-- [ChatTokenLogProb](#chattokenlogprob)
- - [ChatTokenLogProb](#chattokenlogprob-1)
-
-## ChatTokenLogProb
-
-[Show source in chat_token_log_prob.py:11](../../../../../../../julep/api/types/chat_token_log_prob.py#L11)
-
-#### Signature
-
-```python
-class ChatTokenLogProb(ChatBaseTokenLogProb): ...
-```
-
-### ChatTokenLogProb().dict
-
-[Show source in chat_token_log_prob.py:22](../../../../../../../julep/api/types/chat_token_log_prob.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ChatTokenLogProb().json
-
-[Show source in chat_token_log_prob.py:14](../../../../../../../julep/api/types/chat_token_log_prob.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/common_identifier_safe_unicode.md b/docs/python-sdk-docs/julep/api/types/common_identifier_safe_unicode.md
deleted file mode 100644
index 4c4999309..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_identifier_safe_unicode.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Common Identifier Safe Unicode
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Common Identifier Safe Unicode
-
-> Auto-generated documentation for [julep.api.types.common_identifier_safe_unicode](../../../../../../../julep/api/types/common_identifier_safe_unicode.py) module.
-- [Common Identifier Safe Unicode](#common-identifier-safe-unicode)
diff --git a/docs/python-sdk-docs/julep/api/types/common_limit.md b/docs/python-sdk-docs/julep/api/types/common_limit.md
deleted file mode 100644
index df209cd76..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_limit.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Common Limit
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Common Limit
-
-> Auto-generated documentation for [julep.api.types.common_limit](../../../../../../../julep/api/types/common_limit.py) module.
-- [Common Limit](#common-limit)
diff --git a/docs/python-sdk-docs/julep/api/types/common_logit_bias.md b/docs/python-sdk-docs/julep/api/types/common_logit_bias.md
deleted file mode 100644
index ebdfac95c..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_logit_bias.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Common Logit Bias
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Common Logit Bias
-
-> Auto-generated documentation for [julep.api.types.common_logit_bias](../../../../../../../julep/api/types/common_logit_bias.py) module.
-- [Common Logit Bias](#common-logit-bias)
diff --git a/docs/python-sdk-docs/julep/api/types/common_offset.md b/docs/python-sdk-docs/julep/api/types/common_offset.md
deleted file mode 100644
index 1cda9e94c..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_offset.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Common Offset
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Common Offset
-
-> Auto-generated documentation for [julep.api.types.common_offset](../../../../../../../julep/api/types/common_offset.py) module.
-- [Common Offset](#common-offset)
diff --git a/docs/python-sdk-docs/julep/api/types/common_py_expression.md b/docs/python-sdk-docs/julep/api/types/common_py_expression.md
deleted file mode 100644
index 857f14bb7..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_py_expression.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Common Py Expression
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Common Py Expression
-
-> Auto-generated documentation for [julep.api.types.common_py_expression](../../../../../../../julep/api/types/common_py_expression.py) module.
-- [Common Py Expression](#common-py-expression)
diff --git a/docs/python-sdk-docs/julep/api/types/common_resource_created_response.md b/docs/python-sdk-docs/julep/api/types/common_resource_created_response.md
deleted file mode 100644
index 888c00989..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_resource_created_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# CommonResourceCreatedResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / CommonResourceCreatedResponse
-
-> Auto-generated documentation for [julep.api.types.common_resource_created_response](../../../../../../../julep/api/types/common_resource_created_response.py) module.
-
-- [CommonResourceCreatedResponse](#commonresourcecreatedresponse)
- - [CommonResourceCreatedResponse](#commonresourcecreatedresponse-1)
-
-## CommonResourceCreatedResponse
-
-[Show source in common_resource_created_response.py:11](../../../../../../../julep/api/types/common_resource_created_response.py#L11)
-
-#### Signature
-
-```python
-class CommonResourceCreatedResponse(pydantic_v1.BaseModel): ...
-```
-
-### CommonResourceCreatedResponse().dict
-
-[Show source in common_resource_created_response.py:35](../../../../../../../julep/api/types/common_resource_created_response.py#L35)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### CommonResourceCreatedResponse().json
-
-[Show source in common_resource_created_response.py:27](../../../../../../../julep/api/types/common_resource_created_response.py#L27)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/common_resource_deleted_response.md b/docs/python-sdk-docs/julep/api/types/common_resource_deleted_response.md
deleted file mode 100644
index 4b1f510b3..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_resource_deleted_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# CommonResourceDeletedResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / CommonResourceDeletedResponse
-
-> Auto-generated documentation for [julep.api.types.common_resource_deleted_response](../../../../../../../julep/api/types/common_resource_deleted_response.py) module.
-
-- [CommonResourceDeletedResponse](#commonresourcedeletedresponse)
- - [CommonResourceDeletedResponse](#commonresourcedeletedresponse-1)
-
-## CommonResourceDeletedResponse
-
-[Show source in common_resource_deleted_response.py:11](../../../../../../../julep/api/types/common_resource_deleted_response.py#L11)
-
-#### Signature
-
-```python
-class CommonResourceDeletedResponse(pydantic_v1.BaseModel): ...
-```
-
-### CommonResourceDeletedResponse().dict
-
-[Show source in common_resource_deleted_response.py:35](../../../../../../../julep/api/types/common_resource_deleted_response.py#L35)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### CommonResourceDeletedResponse().json
-
-[Show source in common_resource_deleted_response.py:27](../../../../../../../julep/api/types/common_resource_deleted_response.py#L27)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/common_resource_updated_response.md b/docs/python-sdk-docs/julep/api/types/common_resource_updated_response.md
deleted file mode 100644
index c01549486..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_resource_updated_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# CommonResourceUpdatedResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / CommonResourceUpdatedResponse
-
-> Auto-generated documentation for [julep.api.types.common_resource_updated_response](../../../../../../../julep/api/types/common_resource_updated_response.py) module.
-
-- [CommonResourceUpdatedResponse](#commonresourceupdatedresponse)
- - [CommonResourceUpdatedResponse](#commonresourceupdatedresponse-1)
-
-## CommonResourceUpdatedResponse
-
-[Show source in common_resource_updated_response.py:11](../../../../../../../julep/api/types/common_resource_updated_response.py#L11)
-
-#### Signature
-
-```python
-class CommonResourceUpdatedResponse(pydantic_v1.BaseModel): ...
-```
-
-### CommonResourceUpdatedResponse().dict
-
-[Show source in common_resource_updated_response.py:35](../../../../../../../julep/api/types/common_resource_updated_response.py#L35)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### CommonResourceUpdatedResponse().json
-
-[Show source in common_resource_updated_response.py:27](../../../../../../../julep/api/types/common_resource_updated_response.py#L27)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/common_tool_ref.md b/docs/python-sdk-docs/julep/api/types/common_tool_ref.md
deleted file mode 100644
index eaeedab94..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_tool_ref.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Common Tool Ref
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Common Tool Ref
-
-> Auto-generated documentation for [julep.api.types.common_tool_ref](../../../../../../../julep/api/types/common_tool_ref.py) module.
-- [Common Tool Ref](#common-tool-ref)
diff --git a/docs/python-sdk-docs/julep/api/types/common_uuid.md b/docs/python-sdk-docs/julep/api/types/common_uuid.md
deleted file mode 100644
index 6946cadd2..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_uuid.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Common Uuid
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Common Uuid
-
-> Auto-generated documentation for [julep.api.types.common_uuid](../../../../../../../julep/api/types/common_uuid.py) module.
-- [Common Uuid](#common-uuid)
diff --git a/docs/python-sdk-docs/julep/api/types/common_valid_python_identifier.md b/docs/python-sdk-docs/julep/api/types/common_valid_python_identifier.md
deleted file mode 100644
index 4f7723b0f..000000000
--- a/docs/python-sdk-docs/julep/api/types/common_valid_python_identifier.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Common Valid Python Identifier
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Common Valid Python Identifier
-
-> Auto-generated documentation for [julep.api.types.common_valid_python_identifier](../../../../../../../julep/api/types/common_valid_python_identifier.py) module.
-- [Common Valid Python Identifier](#common-valid-python-identifier)
diff --git a/docs/python-sdk-docs/julep/api/types/docs_base_doc_search_request.md b/docs/python-sdk-docs/julep/api/types/docs_base_doc_search_request.md
deleted file mode 100644
index dfbf3cdd8..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_base_doc_search_request.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsBaseDocSearchRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsBaseDocSearchRequest
-
-> Auto-generated documentation for [julep.api.types.docs_base_doc_search_request](../../../../../../../julep/api/types/docs_base_doc_search_request.py) module.
-
-- [DocsBaseDocSearchRequest](#docsbasedocsearchrequest)
- - [DocsBaseDocSearchRequest](#docsbasedocsearchrequest-1)
-
-## DocsBaseDocSearchRequest
-
-[Show source in docs_base_doc_search_request.py:10](../../../../../../../julep/api/types/docs_base_doc_search_request.py#L10)
-
-#### Signature
-
-```python
-class DocsBaseDocSearchRequest(pydantic_v1.BaseModel): ...
-```
-
-### DocsBaseDocSearchRequest().dict
-
-[Show source in docs_base_doc_search_request.py:25](../../../../../../../julep/api/types/docs_base_doc_search_request.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsBaseDocSearchRequest().json
-
-[Show source in docs_base_doc_search_request.py:17](../../../../../../../julep/api/types/docs_base_doc_search_request.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_create_doc_request.md b/docs/python-sdk-docs/julep/api/types/docs_create_doc_request.md
deleted file mode 100644
index ae70487ac..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_create_doc_request.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# DocsCreateDocRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsCreateDocRequest
-
-> Auto-generated documentation for [julep.api.types.docs_create_doc_request](../../../../../../../julep/api/types/docs_create_doc_request.py) module.
-
-- [DocsCreateDocRequest](#docscreatedocrequest)
- - [DocsCreateDocRequest](#docscreatedocrequest-1)
-
-## DocsCreateDocRequest
-
-[Show source in docs_create_doc_request.py:12](../../../../../../../julep/api/types/docs_create_doc_request.py#L12)
-
-Payload for creating a doc
-
-#### Signature
-
-```python
-class DocsCreateDocRequest(pydantic_v1.BaseModel): ...
-```
-
-### DocsCreateDocRequest().dict
-
-[Show source in docs_create_doc_request.py:36](../../../../../../../julep/api/types/docs_create_doc_request.py#L36)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsCreateDocRequest().json
-
-[Show source in docs_create_doc_request.py:28](../../../../../../../julep/api/types/docs_create_doc_request.py#L28)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_create_doc_request_content.md b/docs/python-sdk-docs/julep/api/types/docs_create_doc_request_content.md
deleted file mode 100644
index abb30a801..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_create_doc_request_content.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Docs Create Doc Request Content
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Docs Create Doc Request Content
-
-> Auto-generated documentation for [julep.api.types.docs_create_doc_request_content](../../../../../../../julep/api/types/docs_create_doc_request_content.py) module.
-- [Docs Create Doc Request Content](#docs-create-doc-request-content)
diff --git a/docs/python-sdk-docs/julep/api/types/docs_doc.md b/docs/python-sdk-docs/julep/api/types/docs_doc.md
deleted file mode 100644
index 514c94ec5..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_doc.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsDoc
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsDoc
-
-> Auto-generated documentation for [julep.api.types.docs_doc](../../../../../../../julep/api/types/docs_doc.py) module.
-
-- [DocsDoc](#docsdoc)
- - [DocsDoc](#docsdoc-1)
-
-## DocsDoc
-
-[Show source in docs_doc.py:13](../../../../../../../julep/api/types/docs_doc.py#L13)
-
-#### Signature
-
-```python
-class DocsDoc(pydantic_v1.BaseModel): ...
-```
-
-### DocsDoc().dict
-
-[Show source in docs_doc.py:39](../../../../../../../julep/api/types/docs_doc.py#L39)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsDoc().json
-
-[Show source in docs_doc.py:31](../../../../../../../julep/api/types/docs_doc.py#L31)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_doc_content.md b/docs/python-sdk-docs/julep/api/types/docs_doc_content.md
deleted file mode 100644
index 5215c33da..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_doc_content.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Docs Doc Content
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Docs Doc Content
-
-> Auto-generated documentation for [julep.api.types.docs_doc_content](../../../../../../../julep/api/types/docs_doc_content.py) module.
-- [Docs Doc Content](#docs-doc-content)
diff --git a/docs/python-sdk-docs/julep/api/types/docs_doc_owner.md b/docs/python-sdk-docs/julep/api/types/docs_doc_owner.md
deleted file mode 100644
index aea6da18c..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_doc_owner.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsDocOwner
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsDocOwner
-
-> Auto-generated documentation for [julep.api.types.docs_doc_owner](../../../../../../../julep/api/types/docs_doc_owner.py) module.
-
-- [DocsDocOwner](#docsdocowner)
- - [DocsDocOwner](#docsdocowner-1)
-
-## DocsDocOwner
-
-[Show source in docs_doc_owner.py:12](../../../../../../../julep/api/types/docs_doc_owner.py#L12)
-
-#### Signature
-
-```python
-class DocsDocOwner(pydantic_v1.BaseModel): ...
-```
-
-### DocsDocOwner().dict
-
-[Show source in docs_doc_owner.py:24](../../../../../../../julep/api/types/docs_doc_owner.py#L24)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsDocOwner().json
-
-[Show source in docs_doc_owner.py:16](../../../../../../../julep/api/types/docs_doc_owner.py#L16)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_doc_owner_role.md b/docs/python-sdk-docs/julep/api/types/docs_doc_owner_role.md
deleted file mode 100644
index 847c151be..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_doc_owner_role.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Docs Doc Owner Role
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Docs Doc Owner Role
-
-> Auto-generated documentation for [julep.api.types.docs_doc_owner_role](../../../../../../../julep/api/types/docs_doc_owner_role.py) module.
-- [Docs Doc Owner Role](#docs-doc-owner-role)
diff --git a/docs/python-sdk-docs/julep/api/types/docs_doc_reference.md b/docs/python-sdk-docs/julep/api/types/docs_doc_reference.md
deleted file mode 100644
index 7c0f740fa..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_doc_reference.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsDocReference
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsDocReference
-
-> Auto-generated documentation for [julep.api.types.docs_doc_reference](../../../../../../../julep/api/types/docs_doc_reference.py) module.
-
-- [DocsDocReference](#docsdocreference)
- - [DocsDocReference](#docsdocreference-1)
-
-## DocsDocReference
-
-[Show source in docs_doc_reference.py:13](../../../../../../../julep/api/types/docs_doc_reference.py#L13)
-
-#### Signature
-
-```python
-class DocsDocReference(pydantic_v1.BaseModel): ...
-```
-
-### DocsDocReference().dict
-
-[Show source in docs_doc_reference.py:36](../../../../../../../julep/api/types/docs_doc_reference.py#L36)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsDocReference().json
-
-[Show source in docs_doc_reference.py:28](../../../../../../../julep/api/types/docs_doc_reference.py#L28)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_doc_search_response.md b/docs/python-sdk-docs/julep/api/types/docs_doc_search_response.md
deleted file mode 100644
index ce99b009c..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_doc_search_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsDocSearchResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsDocSearchResponse
-
-> Auto-generated documentation for [julep.api.types.docs_doc_search_response](../../../../../../../julep/api/types/docs_doc_search_response.py) module.
-
-- [DocsDocSearchResponse](#docsdocsearchresponse)
- - [DocsDocSearchResponse](#docsdocsearchresponse-1)
-
-## DocsDocSearchResponse
-
-[Show source in docs_doc_search_response.py:11](../../../../../../../julep/api/types/docs_doc_search_response.py#L11)
-
-#### Signature
-
-```python
-class DocsDocSearchResponse(pydantic_v1.BaseModel): ...
-```
-
-### DocsDocSearchResponse().dict
-
-[Show source in docs_doc_search_response.py:30](../../../../../../../julep/api/types/docs_doc_search_response.py#L30)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsDocSearchResponse().json
-
-[Show source in docs_doc_search_response.py:22](../../../../../../../julep/api/types/docs_doc_search_response.py#L22)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_embed_query_request.md b/docs/python-sdk-docs/julep/api/types/docs_embed_query_request.md
deleted file mode 100644
index 2d1f92fe2..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_embed_query_request.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsEmbedQueryRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsEmbedQueryRequest
-
-> Auto-generated documentation for [julep.api.types.docs_embed_query_request](../../../../../../../julep/api/types/docs_embed_query_request.py) module.
-
-- [DocsEmbedQueryRequest](#docsembedqueryrequest)
- - [DocsEmbedQueryRequest](#docsembedqueryrequest-1)
-
-## DocsEmbedQueryRequest
-
-[Show source in docs_embed_query_request.py:11](../../../../../../../julep/api/types/docs_embed_query_request.py#L11)
-
-#### Signature
-
-```python
-class DocsEmbedQueryRequest(pydantic_v1.BaseModel): ...
-```
-
-### DocsEmbedQueryRequest().dict
-
-[Show source in docs_embed_query_request.py:25](../../../../../../../julep/api/types/docs_embed_query_request.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsEmbedQueryRequest().json
-
-[Show source in docs_embed_query_request.py:17](../../../../../../../julep/api/types/docs_embed_query_request.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_embed_query_request_text.md b/docs/python-sdk-docs/julep/api/types/docs_embed_query_request_text.md
deleted file mode 100644
index ac55882ee..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_embed_query_request_text.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Docs Embed Query Request Text
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Docs Embed Query Request Text
-
-> Auto-generated documentation for [julep.api.types.docs_embed_query_request_text](../../../../../../../julep/api/types/docs_embed_query_request_text.py) module.
-- [Docs Embed Query Request Text](#docs-embed-query-request-text)
diff --git a/docs/python-sdk-docs/julep/api/types/docs_embed_query_response.md b/docs/python-sdk-docs/julep/api/types/docs_embed_query_response.md
deleted file mode 100644
index 18ca2fdb9..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_embed_query_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsEmbedQueryResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsEmbedQueryResponse
-
-> Auto-generated documentation for [julep.api.types.docs_embed_query_response](../../../../../../../julep/api/types/docs_embed_query_response.py) module.
-
-- [DocsEmbedQueryResponse](#docsembedqueryresponse)
- - [DocsEmbedQueryResponse](#docsembedqueryresponse-1)
-
-## DocsEmbedQueryResponse
-
-[Show source in docs_embed_query_response.py:10](../../../../../../../julep/api/types/docs_embed_query_response.py#L10)
-
-#### Signature
-
-```python
-class DocsEmbedQueryResponse(pydantic_v1.BaseModel): ...
-```
-
-### DocsEmbedQueryResponse().dict
-
-[Show source in docs_embed_query_response.py:24](../../../../../../../julep/api/types/docs_embed_query_response.py#L24)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsEmbedQueryResponse().json
-
-[Show source in docs_embed_query_response.py:16](../../../../../../../julep/api/types/docs_embed_query_response.py#L16)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_hybrid_doc_search_request.md b/docs/python-sdk-docs/julep/api/types/docs_hybrid_doc_search_request.md
deleted file mode 100644
index 8c3350d45..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_hybrid_doc_search_request.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsHybridDocSearchRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsHybridDocSearchRequest
-
-> Auto-generated documentation for [julep.api.types.docs_hybrid_doc_search_request](../../../../../../../julep/api/types/docs_hybrid_doc_search_request.py) module.
-
-- [DocsHybridDocSearchRequest](#docshybriddocsearchrequest)
- - [DocsHybridDocSearchRequest](#docshybriddocsearchrequest-1)
-
-## DocsHybridDocSearchRequest
-
-[Show source in docs_hybrid_doc_search_request.py:11](../../../../../../../julep/api/types/docs_hybrid_doc_search_request.py#L11)
-
-#### Signature
-
-```python
-class DocsHybridDocSearchRequest(DocsBaseDocSearchRequest): ...
-```
-
-### DocsHybridDocSearchRequest().dict
-
-[Show source in docs_hybrid_doc_search_request.py:40](../../../../../../../julep/api/types/docs_hybrid_doc_search_request.py#L40)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsHybridDocSearchRequest().json
-
-[Show source in docs_hybrid_doc_search_request.py:32](../../../../../../../julep/api/types/docs_hybrid_doc_search_request.py#L32)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_snippet.md b/docs/python-sdk-docs/julep/api/types/docs_snippet.md
deleted file mode 100644
index 772f9cbce..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_snippet.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsSnippet
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsSnippet
-
-> Auto-generated documentation for [julep.api.types.docs_snippet](../../../../../../../julep/api/types/docs_snippet.py) module.
-
-- [DocsSnippet](#docssnippet)
- - [DocsSnippet](#docssnippet-1)
-
-## DocsSnippet
-
-[Show source in docs_snippet.py:10](../../../../../../../julep/api/types/docs_snippet.py#L10)
-
-#### Signature
-
-```python
-class DocsSnippet(pydantic_v1.BaseModel): ...
-```
-
-### DocsSnippet().dict
-
-[Show source in docs_snippet.py:22](../../../../../../../julep/api/types/docs_snippet.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsSnippet().json
-
-[Show source in docs_snippet.py:14](../../../../../../../julep/api/types/docs_snippet.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_text_only_doc_search_request.md b/docs/python-sdk-docs/julep/api/types/docs_text_only_doc_search_request.md
deleted file mode 100644
index 8cce7a03e..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_text_only_doc_search_request.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsTextOnlyDocSearchRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsTextOnlyDocSearchRequest
-
-> Auto-generated documentation for [julep.api.types.docs_text_only_doc_search_request](../../../../../../../julep/api/types/docs_text_only_doc_search_request.py) module.
-
-- [DocsTextOnlyDocSearchRequest](#docstextonlydocsearchrequest)
- - [DocsTextOnlyDocSearchRequest](#docstextonlydocsearchrequest-1)
-
-## DocsTextOnlyDocSearchRequest
-
-[Show source in docs_text_only_doc_search_request.py:11](../../../../../../../julep/api/types/docs_text_only_doc_search_request.py#L11)
-
-#### Signature
-
-```python
-class DocsTextOnlyDocSearchRequest(DocsBaseDocSearchRequest): ...
-```
-
-### DocsTextOnlyDocSearchRequest().dict
-
-[Show source in docs_text_only_doc_search_request.py:25](../../../../../../../julep/api/types/docs_text_only_doc_search_request.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsTextOnlyDocSearchRequest().json
-
-[Show source in docs_text_only_doc_search_request.py:17](../../../../../../../julep/api/types/docs_text_only_doc_search_request.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/docs_vector_doc_search_request.md b/docs/python-sdk-docs/julep/api/types/docs_vector_doc_search_request.md
deleted file mode 100644
index 3b2574792..000000000
--- a/docs/python-sdk-docs/julep/api/types/docs_vector_doc_search_request.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# DocsVectorDocSearchRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / DocsVectorDocSearchRequest
-
-> Auto-generated documentation for [julep.api.types.docs_vector_doc_search_request](../../../../../../../julep/api/types/docs_vector_doc_search_request.py) module.
-
-- [DocsVectorDocSearchRequest](#docsvectordocsearchrequest)
- - [DocsVectorDocSearchRequest](#docsvectordocsearchrequest-1)
-
-## DocsVectorDocSearchRequest
-
-[Show source in docs_vector_doc_search_request.py:11](../../../../../../../julep/api/types/docs_vector_doc_search_request.py#L11)
-
-#### Signature
-
-```python
-class DocsVectorDocSearchRequest(DocsBaseDocSearchRequest): ...
-```
-
-### DocsVectorDocSearchRequest().dict
-
-[Show source in docs_vector_doc_search_request.py:30](../../../../../../../julep/api/types/docs_vector_doc_search_request.py#L30)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### DocsVectorDocSearchRequest().json
-
-[Show source in docs_vector_doc_search_request.py:22](../../../../../../../julep/api/types/docs_vector_doc_search_request.py#L22)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/entries_base_entry.md b/docs/python-sdk-docs/julep/api/types/entries_base_entry.md
deleted file mode 100644
index 4b14c805b..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_base_entry.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# EntriesBaseEntry
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / EntriesBaseEntry
-
-> Auto-generated documentation for [julep.api.types.entries_base_entry](../../../../../../../julep/api/types/entries_base_entry.py) module.
-
-- [EntriesBaseEntry](#entriesbaseentry)
- - [EntriesBaseEntry](#entriesbaseentry-1)
-
-## EntriesBaseEntry
-
-[Show source in entries_base_entry.py:13](../../../../../../../julep/api/types/entries_base_entry.py#L13)
-
-#### Signature
-
-```python
-class EntriesBaseEntry(pydantic_v1.BaseModel): ...
-```
-
-### EntriesBaseEntry().dict
-
-[Show source in entries_base_entry.py:33](../../../../../../../julep/api/types/entries_base_entry.py#L33)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesBaseEntry().json
-
-[Show source in entries_base_entry.py:25](../../../../../../../julep/api/types/entries_base_entry.py#L25)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/entries_base_entry_content.md b/docs/python-sdk-docs/julep/api/types/entries_base_entry_content.md
deleted file mode 100644
index a3a9cf120..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_base_entry_content.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Entries Base Entry Content
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Entries Base Entry Content
-
-> Auto-generated documentation for [julep.api.types.entries_base_entry_content](../../../../../../../julep/api/types/entries_base_entry_content.py) module.
-- [Entries Base Entry Content](#entries-base-entry-content)
diff --git a/docs/python-sdk-docs/julep/api/types/entries_base_entry_content_item.md b/docs/python-sdk-docs/julep/api/types/entries_base_entry_content_item.md
deleted file mode 100644
index f2479af4b..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_base_entry_content_item.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Entries Base Entry Content Item
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Entries Base Entry Content Item
-
-> Auto-generated documentation for [julep.api.types.entries_base_entry_content_item](../../../../../../../julep/api/types/entries_base_entry_content_item.py) module.
-- [Entries Base Entry Content Item](#entries-base-entry-content-item)
diff --git a/docs/python-sdk-docs/julep/api/types/entries_base_entry_content_item_item.md b/docs/python-sdk-docs/julep/api/types/entries_base_entry_content_item_item.md
deleted file mode 100644
index 4e0d20f25..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_base_entry_content_item_item.md
+++ /dev/null
@@ -1,71 +0,0 @@
-# Entries Base Entry Content Item Item
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Entries Base Entry Content Item Item
-
-> Auto-generated documentation for [julep.api.types.entries_base_entry_content_item_item](../../../../../../../julep/api/types/entries_base_entry_content_item_item.py) module.
-
-- [Entries Base Entry Content Item Item](#entries-base-entry-content-item-item)
- - [EntriesBaseEntryContentItemItem_ImageUrl](#entriesbaseentrycontentitemitem_imageurl)
- - [EntriesBaseEntryContentItemItem_Text](#entriesbaseentrycontentitemitem_text)
-
-## EntriesBaseEntryContentItemItem_ImageUrl
-
-[Show source in entries_base_entry_content_item_item.py:49](../../../../../../../julep/api/types/entries_base_entry_content_item_item.py#L49)
-
-#### Signature
-
-```python
-class EntriesBaseEntryContentItemItem_ImageUrl(pydantic_v1.BaseModel): ...
-```
-
-### EntriesBaseEntryContentItemItem_ImageUrl().dict
-
-[Show source in entries_base_entry_content_item_item.py:61](../../../../../../../julep/api/types/entries_base_entry_content_item_item.py#L61)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesBaseEntryContentItemItem_ImageUrl().json
-
-[Show source in entries_base_entry_content_item_item.py:53](../../../../../../../julep/api/types/entries_base_entry_content_item_item.py#L53)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## EntriesBaseEntryContentItemItem_Text
-
-[Show source in entries_base_entry_content_item_item.py:13](../../../../../../../julep/api/types/entries_base_entry_content_item_item.py#L13)
-
-#### Signature
-
-```python
-class EntriesBaseEntryContentItemItem_Text(pydantic_v1.BaseModel): ...
-```
-
-### EntriesBaseEntryContentItemItem_Text().dict
-
-[Show source in entries_base_entry_content_item_item.py:25](../../../../../../../julep/api/types/entries_base_entry_content_item_item.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesBaseEntryContentItemItem_Text().json
-
-[Show source in entries_base_entry_content_item_item.py:17](../../../../../../../julep/api/types/entries_base_entry_content_item_item.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/entries_base_entry_source.md b/docs/python-sdk-docs/julep/api/types/entries_base_entry_source.md
deleted file mode 100644
index 49ec1c8c6..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_base_entry_source.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Entries Base Entry Source
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Entries Base Entry Source
-
-> Auto-generated documentation for [julep.api.types.entries_base_entry_source](../../../../../../../julep/api/types/entries_base_entry_source.py) module.
-- [Entries Base Entry Source](#entries-base-entry-source)
diff --git a/docs/python-sdk-docs/julep/api/types/entries_chat_ml_image_content_part.md b/docs/python-sdk-docs/julep/api/types/entries_chat_ml_image_content_part.md
deleted file mode 100644
index a635515a2..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_chat_ml_image_content_part.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# EntriesChatMlImageContentPart
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / EntriesChatMlImageContentPart
-
-> Auto-generated documentation for [julep.api.types.entries_chat_ml_image_content_part](../../../../../../../julep/api/types/entries_chat_ml_image_content_part.py) module.
-
-- [EntriesChatMlImageContentPart](#entrieschatmlimagecontentpart)
- - [EntriesChatMlImageContentPart](#entrieschatmlimagecontentpart-1)
-
-## EntriesChatMlImageContentPart
-
-[Show source in entries_chat_ml_image_content_part.py:11](../../../../../../../julep/api/types/entries_chat_ml_image_content_part.py#L11)
-
-#### Signature
-
-```python
-class EntriesChatMlImageContentPart(pydantic_v1.BaseModel): ...
-```
-
-### EntriesChatMlImageContentPart().dict
-
-[Show source in entries_chat_ml_image_content_part.py:25](../../../../../../../julep/api/types/entries_chat_ml_image_content_part.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesChatMlImageContentPart().json
-
-[Show source in entries_chat_ml_image_content_part.py:17](../../../../../../../julep/api/types/entries_chat_ml_image_content_part.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/entries_chat_ml_role.md b/docs/python-sdk-docs/julep/api/types/entries_chat_ml_role.md
deleted file mode 100644
index 7f92f26f0..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_chat_ml_role.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Entries Chat Ml Role
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Entries Chat Ml Role
-
-> Auto-generated documentation for [julep.api.types.entries_chat_ml_role](../../../../../../../julep/api/types/entries_chat_ml_role.py) module.
-- [Entries Chat Ml Role](#entries-chat-ml-role)
diff --git a/docs/python-sdk-docs/julep/api/types/entries_chat_ml_text_content_part.md b/docs/python-sdk-docs/julep/api/types/entries_chat_ml_text_content_part.md
deleted file mode 100644
index a09d2f597..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_chat_ml_text_content_part.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# EntriesChatMlTextContentPart
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / EntriesChatMlTextContentPart
-
-> Auto-generated documentation for [julep.api.types.entries_chat_ml_text_content_part](../../../../../../../julep/api/types/entries_chat_ml_text_content_part.py) module.
-
-- [EntriesChatMlTextContentPart](#entrieschatmltextcontentpart)
- - [EntriesChatMlTextContentPart](#entrieschatmltextcontentpart-1)
-
-## EntriesChatMlTextContentPart
-
-[Show source in entries_chat_ml_text_content_part.py:10](../../../../../../../julep/api/types/entries_chat_ml_text_content_part.py#L10)
-
-#### Signature
-
-```python
-class EntriesChatMlTextContentPart(pydantic_v1.BaseModel): ...
-```
-
-### EntriesChatMlTextContentPart().dict
-
-[Show source in entries_chat_ml_text_content_part.py:21](../../../../../../../julep/api/types/entries_chat_ml_text_content_part.py#L21)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesChatMlTextContentPart().json
-
-[Show source in entries_chat_ml_text_content_part.py:13](../../../../../../../julep/api/types/entries_chat_ml_text_content_part.py#L13)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/entries_entry.md b/docs/python-sdk-docs/julep/api/types/entries_entry.md
deleted file mode 100644
index 6aa64b67d..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_entry.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# EntriesEntry
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / EntriesEntry
-
-> Auto-generated documentation for [julep.api.types.entries_entry](../../../../../../../julep/api/types/entries_entry.py) module.
-
-- [EntriesEntry](#entriesentry)
- - [EntriesEntry](#entriesentry-1)
-
-## EntriesEntry
-
-[Show source in entries_entry.py:12](../../../../../../../julep/api/types/entries_entry.py#L12)
-
-#### Signature
-
-```python
-class EntriesEntry(EntriesBaseEntry): ...
-```
-
-### EntriesEntry().dict
-
-[Show source in entries_entry.py:28](../../../../../../../julep/api/types/entries_entry.py#L28)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesEntry().json
-
-[Show source in entries_entry.py:20](../../../../../../../julep/api/types/entries_entry.py#L20)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/entries_history.md b/docs/python-sdk-docs/julep/api/types/entries_history.md
deleted file mode 100644
index 615f6b666..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_history.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# EntriesHistory
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / EntriesHistory
-
-> Auto-generated documentation for [julep.api.types.entries_history](../../../../../../../julep/api/types/entries_history.py) module.
-
-- [EntriesHistory](#entrieshistory)
- - [EntriesHistory](#entrieshistory-1)
-
-## EntriesHistory
-
-[Show source in entries_history.py:13](../../../../../../../julep/api/types/entries_history.py#L13)
-
-#### Signature
-
-```python
-class EntriesHistory(pydantic_v1.BaseModel): ...
-```
-
-### EntriesHistory().dict
-
-[Show source in entries_history.py:30](../../../../../../../julep/api/types/entries_history.py#L30)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesHistory().json
-
-[Show source in entries_history.py:22](../../../../../../../julep/api/types/entries_history.py#L22)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/entries_image_detail.md b/docs/python-sdk-docs/julep/api/types/entries_image_detail.md
deleted file mode 100644
index 5e98b5628..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_image_detail.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Entries Image Detail
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Entries Image Detail
-
-> Auto-generated documentation for [julep.api.types.entries_image_detail](../../../../../../../julep/api/types/entries_image_detail.py) module.
-- [Entries Image Detail](#entries-image-detail)
diff --git a/docs/python-sdk-docs/julep/api/types/entries_image_url.md b/docs/python-sdk-docs/julep/api/types/entries_image_url.md
deleted file mode 100644
index 4b6870f88..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_image_url.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# EntriesImageUrl
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / EntriesImageUrl
-
-> Auto-generated documentation for [julep.api.types.entries_image_url](../../../../../../../julep/api/types/entries_image_url.py) module.
-
-- [EntriesImageUrl](#entriesimageurl)
- - [EntriesImageUrl](#entriesimageurl-1)
-
-## EntriesImageUrl
-
-[Show source in entries_image_url.py:11](../../../../../../../julep/api/types/entries_image_url.py#L11)
-
-#### Signature
-
-```python
-class EntriesImageUrl(pydantic_v1.BaseModel): ...
-```
-
-### EntriesImageUrl().dict
-
-[Show source in entries_image_url.py:30](../../../../../../../julep/api/types/entries_image_url.py#L30)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesImageUrl().json
-
-[Show source in entries_image_url.py:22](../../../../../../../julep/api/types/entries_image_url.py#L22)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/entries_input_chat_ml_message.md b/docs/python-sdk-docs/julep/api/types/entries_input_chat_ml_message.md
deleted file mode 100644
index 7beba9d20..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_input_chat_ml_message.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# EntriesInputChatMlMessage
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / EntriesInputChatMlMessage
-
-> Auto-generated documentation for [julep.api.types.entries_input_chat_ml_message](../../../../../../../julep/api/types/entries_input_chat_ml_message.py) module.
-
-- [EntriesInputChatMlMessage](#entriesinputchatmlmessage)
- - [EntriesInputChatMlMessage](#entriesinputchatmlmessage-1)
-
-## EntriesInputChatMlMessage
-
-[Show source in entries_input_chat_ml_message.py:12](../../../../../../../julep/api/types/entries_input_chat_ml_message.py#L12)
-
-#### Signature
-
-```python
-class EntriesInputChatMlMessage(pydantic_v1.BaseModel): ...
-```
-
-### EntriesInputChatMlMessage().dict
-
-[Show source in entries_input_chat_ml_message.py:41](../../../../../../../julep/api/types/entries_input_chat_ml_message.py#L41)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesInputChatMlMessage().json
-
-[Show source in entries_input_chat_ml_message.py:33](../../../../../../../julep/api/types/entries_input_chat_ml_message.py#L33)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/entries_input_chat_ml_message_content.md b/docs/python-sdk-docs/julep/api/types/entries_input_chat_ml_message_content.md
deleted file mode 100644
index e4a4d9b27..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_input_chat_ml_message_content.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Entries Input Chat Ml Message Content
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Entries Input Chat Ml Message Content
-
-> Auto-generated documentation for [julep.api.types.entries_input_chat_ml_message_content](../../../../../../../julep/api/types/entries_input_chat_ml_message_content.py) module.
-- [Entries Input Chat Ml Message Content](#entries-input-chat-ml-message-content)
diff --git a/docs/python-sdk-docs/julep/api/types/entries_input_chat_ml_message_content_item.md b/docs/python-sdk-docs/julep/api/types/entries_input_chat_ml_message_content_item.md
deleted file mode 100644
index 2f25e9173..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_input_chat_ml_message_content_item.md
+++ /dev/null
@@ -1,71 +0,0 @@
-# Entries Input Chat Ml Message Content Item
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Entries Input Chat Ml Message Content Item
-
-> Auto-generated documentation for [julep.api.types.entries_input_chat_ml_message_content_item](../../../../../../../julep/api/types/entries_input_chat_ml_message_content_item.py) module.
-
-- [Entries Input Chat Ml Message Content Item](#entries-input-chat-ml-message-content-item)
- - [EntriesInputChatMlMessageContentItem_ImageUrl](#entriesinputchatmlmessagecontentitem_imageurl)
- - [EntriesInputChatMlMessageContentItem_Text](#entriesinputchatmlmessagecontentitem_text)
-
-## EntriesInputChatMlMessageContentItem_ImageUrl
-
-[Show source in entries_input_chat_ml_message_content_item.py:49](../../../../../../../julep/api/types/entries_input_chat_ml_message_content_item.py#L49)
-
-#### Signature
-
-```python
-class EntriesInputChatMlMessageContentItem_ImageUrl(pydantic_v1.BaseModel): ...
-```
-
-### EntriesInputChatMlMessageContentItem_ImageUrl().dict
-
-[Show source in entries_input_chat_ml_message_content_item.py:61](../../../../../../../julep/api/types/entries_input_chat_ml_message_content_item.py#L61)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesInputChatMlMessageContentItem_ImageUrl().json
-
-[Show source in entries_input_chat_ml_message_content_item.py:53](../../../../../../../julep/api/types/entries_input_chat_ml_message_content_item.py#L53)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## EntriesInputChatMlMessageContentItem_Text
-
-[Show source in entries_input_chat_ml_message_content_item.py:13](../../../../../../../julep/api/types/entries_input_chat_ml_message_content_item.py#L13)
-
-#### Signature
-
-```python
-class EntriesInputChatMlMessageContentItem_Text(pydantic_v1.BaseModel): ...
-```
-
-### EntriesInputChatMlMessageContentItem_Text().dict
-
-[Show source in entries_input_chat_ml_message_content_item.py:25](../../../../../../../julep/api/types/entries_input_chat_ml_message_content_item.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesInputChatMlMessageContentItem_Text().json
-
-[Show source in entries_input_chat_ml_message_content_item.py:17](../../../../../../../julep/api/types/entries_input_chat_ml_message_content_item.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/entries_relation.md b/docs/python-sdk-docs/julep/api/types/entries_relation.md
deleted file mode 100644
index 9694b3b08..000000000
--- a/docs/python-sdk-docs/julep/api/types/entries_relation.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# EntriesRelation
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / EntriesRelation
-
-> Auto-generated documentation for [julep.api.types.entries_relation](../../../../../../../julep/api/types/entries_relation.py) module.
-
-- [EntriesRelation](#entriesrelation)
- - [EntriesRelation](#entriesrelation-1)
-
-## EntriesRelation
-
-[Show source in entries_relation.py:11](../../../../../../../julep/api/types/entries_relation.py#L11)
-
-#### Signature
-
-```python
-class EntriesRelation(pydantic_v1.BaseModel): ...
-```
-
-### EntriesRelation().dict
-
-[Show source in entries_relation.py:24](../../../../../../../julep/api/types/entries_relation.py#L24)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### EntriesRelation().json
-
-[Show source in entries_relation.py:16](../../../../../../../julep/api/types/entries_relation.py#L16)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_request_direction.md b/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_request_direction.md
deleted file mode 100644
index 24fd3b5ca..000000000
--- a/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_request_direction.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Execution Transitions Route List Request Direction
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Execution Transitions Route List Request Direction
-
-> Auto-generated documentation for [julep.api.types.execution_transitions_route_list_request_direction](../../../../../../../julep/api/types/execution_transitions_route_list_request_direction.py) module.
-- [Execution Transitions Route List Request Direction](#execution-transitions-route-list-request-direction)
diff --git a/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_request_sort_by.md b/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_request_sort_by.md
deleted file mode 100644
index 5c393c4bd..000000000
--- a/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_request_sort_by.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Execution Transitions Route List Request Sort By
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Execution Transitions Route List Request Sort By
-
-> Auto-generated documentation for [julep.api.types.execution_transitions_route_list_request_sort_by](../../../../../../../julep/api/types/execution_transitions_route_list_request_sort_by.py) module.
-- [Execution Transitions Route List Request Sort By](#execution-transitions-route-list-request-sort-by)
diff --git a/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_response.md b/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_response.md
deleted file mode 100644
index d515b6efc..000000000
--- a/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ExecutionTransitionsRouteListResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ExecutionTransitionsRouteListResponse
-
-> Auto-generated documentation for [julep.api.types.execution_transitions_route_list_response](../../../../../../../julep/api/types/execution_transitions_route_list_response.py) module.
-
-- [ExecutionTransitionsRouteListResponse](#executiontransitionsroutelistresponse)
- - [ExecutionTransitionsRouteListResponse](#executiontransitionsroutelistresponse-1)
-
-## ExecutionTransitionsRouteListResponse
-
-[Show source in execution_transitions_route_list_response.py:13](../../../../../../../julep/api/types/execution_transitions_route_list_response.py#L13)
-
-#### Signature
-
-```python
-class ExecutionTransitionsRouteListResponse(pydantic_v1.BaseModel): ...
-```
-
-### ExecutionTransitionsRouteListResponse().dict
-
-[Show source in execution_transitions_route_list_response.py:24](../../../../../../../julep/api/types/execution_transitions_route_list_response.py#L24)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ExecutionTransitionsRouteListResponse().json
-
-[Show source in execution_transitions_route_list_response.py:16](../../../../../../../julep/api/types/execution_transitions_route_list_response.py#L16)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_response_results_item.md b/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_response_results_item.md
deleted file mode 100644
index ca9cbc082..000000000
--- a/docs/python-sdk-docs/julep/api/types/execution_transitions_route_list_response_results_item.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ExecutionTransitionsRouteListResponseResultsItem
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ExecutionTransitionsRouteListResponseResultsItem
-
-> Auto-generated documentation for [julep.api.types.execution_transitions_route_list_response_results_item](../../../../../../../julep/api/types/execution_transitions_route_list_response_results_item.py) module.
-
-- [ExecutionTransitionsRouteListResponseResultsItem](#executiontransitionsroutelistresponseresultsitem)
- - [ExecutionTransitionsRouteListResponseResultsItem](#executiontransitionsroutelistresponseresultsitem-1)
-
-## ExecutionTransitionsRouteListResponseResultsItem
-
-[Show source in execution_transitions_route_list_response_results_item.py:11](../../../../../../../julep/api/types/execution_transitions_route_list_response_results_item.py#L11)
-
-#### Signature
-
-```python
-class ExecutionTransitionsRouteListResponseResultsItem(pydantic_v1.BaseModel): ...
-```
-
-### ExecutionTransitionsRouteListResponseResultsItem().dict
-
-[Show source in execution_transitions_route_list_response_results_item.py:22](../../../../../../../julep/api/types/execution_transitions_route_list_response_results_item.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ExecutionTransitionsRouteListResponseResultsItem().json
-
-[Show source in execution_transitions_route_list_response_results_item.py:14](../../../../../../../julep/api/types/execution_transitions_route_list_response_results_item.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/executions_execution.md b/docs/python-sdk-docs/julep/api/types/executions_execution.md
deleted file mode 100644
index e79809fe6..000000000
--- a/docs/python-sdk-docs/julep/api/types/executions_execution.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ExecutionsExecution
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ExecutionsExecution
-
-> Auto-generated documentation for [julep.api.types.executions_execution](../../../../../../../julep/api/types/executions_execution.py) module.
-
-- [ExecutionsExecution](#executionsexecution)
- - [ExecutionsExecution](#executionsexecution-1)
-
-## ExecutionsExecution
-
-[Show source in executions_execution.py:12](../../../../../../../julep/api/types/executions_execution.py#L12)
-
-#### Signature
-
-```python
-class ExecutionsExecution(pydantic_v1.BaseModel): ...
-```
-
-### ExecutionsExecution().dict
-
-[Show source in executions_execution.py:49](../../../../../../../julep/api/types/executions_execution.py#L49)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ExecutionsExecution().json
-
-[Show source in executions_execution.py:41](../../../../../../../julep/api/types/executions_execution.py#L41)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/executions_execution_status.md b/docs/python-sdk-docs/julep/api/types/executions_execution_status.md
deleted file mode 100644
index 419ddcb50..000000000
--- a/docs/python-sdk-docs/julep/api/types/executions_execution_status.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Executions Execution Status
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Executions Execution Status
-
-> Auto-generated documentation for [julep.api.types.executions_execution_status](../../../../../../../julep/api/types/executions_execution_status.py) module.
-- [Executions Execution Status](#executions-execution-status)
diff --git a/docs/python-sdk-docs/julep/api/types/executions_resume_execution_request.md b/docs/python-sdk-docs/julep/api/types/executions_resume_execution_request.md
deleted file mode 100644
index b5d6cf960..000000000
--- a/docs/python-sdk-docs/julep/api/types/executions_resume_execution_request.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ExecutionsResumeExecutionRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ExecutionsResumeExecutionRequest
-
-> Auto-generated documentation for [julep.api.types.executions_resume_execution_request](../../../../../../../julep/api/types/executions_resume_execution_request.py) module.
-
-- [ExecutionsResumeExecutionRequest](#executionsresumeexecutionrequest)
- - [ExecutionsResumeExecutionRequest](#executionsresumeexecutionrequest-1)
-
-## ExecutionsResumeExecutionRequest
-
-[Show source in executions_resume_execution_request.py:10](../../../../../../../julep/api/types/executions_resume_execution_request.py#L10)
-
-#### Signature
-
-```python
-class ExecutionsResumeExecutionRequest(pydantic_v1.BaseModel): ...
-```
-
-### ExecutionsResumeExecutionRequest().dict
-
-[Show source in executions_resume_execution_request.py:26](../../../../../../../julep/api/types/executions_resume_execution_request.py#L26)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ExecutionsResumeExecutionRequest().json
-
-[Show source in executions_resume_execution_request.py:18](../../../../../../../julep/api/types/executions_resume_execution_request.py#L18)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/executions_stop_execution_request.md b/docs/python-sdk-docs/julep/api/types/executions_stop_execution_request.md
deleted file mode 100644
index 6142b3737..000000000
--- a/docs/python-sdk-docs/julep/api/types/executions_stop_execution_request.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ExecutionsStopExecutionRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ExecutionsStopExecutionRequest
-
-> Auto-generated documentation for [julep.api.types.executions_stop_execution_request](../../../../../../../julep/api/types/executions_stop_execution_request.py) module.
-
-- [ExecutionsStopExecutionRequest](#executionsstopexecutionrequest)
- - [ExecutionsStopExecutionRequest](#executionsstopexecutionrequest-1)
-
-## ExecutionsStopExecutionRequest
-
-[Show source in executions_stop_execution_request.py:10](../../../../../../../julep/api/types/executions_stop_execution_request.py#L10)
-
-#### Signature
-
-```python
-class ExecutionsStopExecutionRequest(pydantic_v1.BaseModel): ...
-```
-
-### ExecutionsStopExecutionRequest().dict
-
-[Show source in executions_stop_execution_request.py:24](../../../../../../../julep/api/types/executions_stop_execution_request.py#L24)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ExecutionsStopExecutionRequest().json
-
-[Show source in executions_stop_execution_request.py:16](../../../../../../../julep/api/types/executions_stop_execution_request.py#L16)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/executions_transition.md b/docs/python-sdk-docs/julep/api/types/executions_transition.md
deleted file mode 100644
index 51de83c30..000000000
--- a/docs/python-sdk-docs/julep/api/types/executions_transition.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ExecutionsTransition
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ExecutionsTransition
-
-> Auto-generated documentation for [julep.api.types.executions_transition](../../../../../../../julep/api/types/executions_transition.py) module.
-
-- [ExecutionsTransition](#executionstransition)
- - [ExecutionsTransition](#executionstransition-1)
-
-## ExecutionsTransition
-
-[Show source in executions_transition.py:13](../../../../../../../julep/api/types/executions_transition.py#L13)
-
-#### Signature
-
-```python
-class ExecutionsTransition(pydantic_v1.BaseModel): ...
-```
-
-### ExecutionsTransition().dict
-
-[Show source in executions_transition.py:39](../../../../../../../julep/api/types/executions_transition.py#L39)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ExecutionsTransition().json
-
-[Show source in executions_transition.py:31](../../../../../../../julep/api/types/executions_transition.py#L31)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/executions_transition_target.md b/docs/python-sdk-docs/julep/api/types/executions_transition_target.md
deleted file mode 100644
index 28a2b6282..000000000
--- a/docs/python-sdk-docs/julep/api/types/executions_transition_target.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ExecutionsTransitionTarget
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ExecutionsTransitionTarget
-
-> Auto-generated documentation for [julep.api.types.executions_transition_target](../../../../../../../julep/api/types/executions_transition_target.py) module.
-
-- [ExecutionsTransitionTarget](#executionstransitiontarget)
- - [ExecutionsTransitionTarget](#executionstransitiontarget-1)
-
-## ExecutionsTransitionTarget
-
-[Show source in executions_transition_target.py:11](../../../../../../../julep/api/types/executions_transition_target.py#L11)
-
-#### Signature
-
-```python
-class ExecutionsTransitionTarget(pydantic_v1.BaseModel): ...
-```
-
-### ExecutionsTransitionTarget().dict
-
-[Show source in executions_transition_target.py:23](../../../../../../../julep/api/types/executions_transition_target.py#L23)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ExecutionsTransitionTarget().json
-
-[Show source in executions_transition_target.py:15](../../../../../../../julep/api/types/executions_transition_target.py#L15)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/executions_transition_type.md b/docs/python-sdk-docs/julep/api/types/executions_transition_type.md
deleted file mode 100644
index 0d1435e49..000000000
--- a/docs/python-sdk-docs/julep/api/types/executions_transition_type.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Executions Transition Type
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Executions Transition Type
-
-> Auto-generated documentation for [julep.api.types.executions_transition_type](../../../../../../../julep/api/types/executions_transition_type.py) module.
-- [Executions Transition Type](#executions-transition-type)
diff --git a/docs/python-sdk-docs/julep/api/types/executions_update_execution_request.md b/docs/python-sdk-docs/julep/api/types/executions_update_execution_request.md
deleted file mode 100644
index da3204548..000000000
--- a/docs/python-sdk-docs/julep/api/types/executions_update_execution_request.md
+++ /dev/null
@@ -1,71 +0,0 @@
-# Executions Update Execution Request
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Executions Update Execution Request
-
-> Auto-generated documentation for [julep.api.types.executions_update_execution_request](../../../../../../../julep/api/types/executions_update_execution_request.py) module.
-
-- [Executions Update Execution Request](#executions-update-execution-request)
- - [ExecutionsUpdateExecutionRequest_Cancelled](#executionsupdateexecutionrequest_cancelled)
- - [ExecutionsUpdateExecutionRequest_Running](#executionsupdateexecutionrequest_running)
-
-## ExecutionsUpdateExecutionRequest_Cancelled
-
-[Show source in executions_update_execution_request.py:12](../../../../../../../julep/api/types/executions_update_execution_request.py#L12)
-
-#### Signature
-
-```python
-class ExecutionsUpdateExecutionRequest_Cancelled(pydantic_v1.BaseModel): ...
-```
-
-### ExecutionsUpdateExecutionRequest_Cancelled().dict
-
-[Show source in executions_update_execution_request.py:24](../../../../../../../julep/api/types/executions_update_execution_request.py#L24)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ExecutionsUpdateExecutionRequest_Cancelled().json
-
-[Show source in executions_update_execution_request.py:16](../../../../../../../julep/api/types/executions_update_execution_request.py#L16)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## ExecutionsUpdateExecutionRequest_Running
-
-[Show source in executions_update_execution_request.py:48](../../../../../../../julep/api/types/executions_update_execution_request.py#L48)
-
-#### Signature
-
-```python
-class ExecutionsUpdateExecutionRequest_Running(pydantic_v1.BaseModel): ...
-```
-
-### ExecutionsUpdateExecutionRequest_Running().dict
-
-[Show source in executions_update_execution_request.py:60](../../../../../../../julep/api/types/executions_update_execution_request.py#L60)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ExecutionsUpdateExecutionRequest_Running().json
-
-[Show source in executions_update_execution_request.py:52](../../../../../../../julep/api/types/executions_update_execution_request.py#L52)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/index.md b/docs/python-sdk-docs/julep/api/types/index.md
deleted file mode 100644
index 1e1c8a509..000000000
--- a/docs/python-sdk-docs/julep/api/types/index.md
+++ /dev/null
@@ -1,186 +0,0 @@
-# Types
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / Types
-
-> Auto-generated documentation for [julep.api.types](../../../../../../../julep/api/types/__init__.py) module.
-
-- [Types](#types)
- - [Modules](#modules)
-
-## Modules
-
-- [Agent Docs Route List Request Direction](./agent_docs_route_list_request_direction.md)
-- [Agent Docs Route List Request Sort By](./agent_docs_route_list_request_sort_by.md)
-- [AgentDocsRouteListResponse](./agent_docs_route_list_response.md)
-- [Agent Tools Route List Request Direction](./agent_tools_route_list_request_direction.md)
-- [Agent Tools Route List Request Sort By](./agent_tools_route_list_request_sort_by.md)
-- [AgentToolsRouteListResponse](./agent_tools_route_list_response.md)
-- [AgentsAgent](./agents_agent.md)
-- [Agents Agent Instructions](./agents_agent_instructions.md)
-- [AgentsCreateAgentRequest](./agents_create_agent_request.md)
-- [Agents Create Agent Request Instructions](./agents_create_agent_request_instructions.md)
-- [AgentsCreateOrUpdateAgentRequest](./agents_create_or_update_agent_request.md)
-- [Agents Docs Search Route Search Request Body](./agents_docs_search_route_search_request_body.md)
-- [Agents Patch Agent Request Instructions](./agents_patch_agent_request_instructions.md)
-- [Agents Route List Request Direction](./agents_route_list_request_direction.md)
-- [Agents Route List Request Sort By](./agents_route_list_request_sort_by.md)
-- [AgentsRouteListResponse](./agents_route_list_response.md)
-- [AgentsUpdateAgentRequest](./agents_update_agent_request.md)
-- [Agents Update Agent Request Instructions](./agents_update_agent_request_instructions.md)
-- [ChatBaseChatOutput](./chat_base_chat_output.md)
-- [ChatBaseChatResponse](./chat_base_chat_response.md)
-- [ChatBaseTokenLogProb](./chat_base_token_log_prob.md)
-- [ChatChatInputData](./chat_chat_input_data.md)
-- [Chat Chat Input Data Tool Choice](./chat_chat_input_data_tool_choice.md)
-- [ChatChatOutputChunk](./chat_chat_output_chunk.md)
-- [ChatChatSettings](./chat_chat_settings.md)
-- [ChatChunkChatResponse](./chat_chunk_chat_response.md)
-- [ChatCompetionUsage](./chat_competion_usage.md)
-- [ChatCompletionResponseFormat](./chat_completion_response_format.md)
-- [Chat Completion Response Format Type](./chat_completion_response_format_type.md)
-- [ChatDefaultChatSettings](./chat_default_chat_settings.md)
-- [Chat Finish Reason](./chat_finish_reason.md)
-- [ChatLogProbResponse](./chat_log_prob_response.md)
-- [ChatMessageChatResponse](./chat_message_chat_response.md)
-- [Chat Message Chat Response Choices Item](./chat_message_chat_response_choices_item.md)
-- [ChatMultipleChatOutput](./chat_multiple_chat_output.md)
-- [ChatOpenAiSettings](./chat_open_ai_settings.md)
-- [Chat Route Generate Response](./chat_route_generate_response.md)
-- [ChatSingleChatOutput](./chat_single_chat_output.md)
-- [ChatTokenLogProb](./chat_token_log_prob.md)
-- [Common Identifier Safe Unicode](./common_identifier_safe_unicode.md)
-- [Common Limit](./common_limit.md)
-- [Common Logit Bias](./common_logit_bias.md)
-- [Common Offset](./common_offset.md)
-- [Common Py Expression](./common_py_expression.md)
-- [CommonResourceCreatedResponse](./common_resource_created_response.md)
-- [CommonResourceDeletedResponse](./common_resource_deleted_response.md)
-- [CommonResourceUpdatedResponse](./common_resource_updated_response.md)
-- [Common Tool Ref](./common_tool_ref.md)
-- [Common Uuid](./common_uuid.md)
-- [Common Valid Python Identifier](./common_valid_python_identifier.md)
-- [DocsBaseDocSearchRequest](./docs_base_doc_search_request.md)
-- [DocsCreateDocRequest](./docs_create_doc_request.md)
-- [Docs Create Doc Request Content](./docs_create_doc_request_content.md)
-- [DocsDoc](./docs_doc.md)
-- [Docs Doc Content](./docs_doc_content.md)
-- [DocsDocOwner](./docs_doc_owner.md)
-- [Docs Doc Owner Role](./docs_doc_owner_role.md)
-- [DocsDocReference](./docs_doc_reference.md)
-- [DocsDocSearchResponse](./docs_doc_search_response.md)
-- [DocsEmbedQueryRequest](./docs_embed_query_request.md)
-- [Docs Embed Query Request Text](./docs_embed_query_request_text.md)
-- [DocsEmbedQueryResponse](./docs_embed_query_response.md)
-- [DocsHybridDocSearchRequest](./docs_hybrid_doc_search_request.md)
-- [DocsSnippet](./docs_snippet.md)
-- [DocsTextOnlyDocSearchRequest](./docs_text_only_doc_search_request.md)
-- [DocsVectorDocSearchRequest](./docs_vector_doc_search_request.md)
-- [EntriesBaseEntry](./entries_base_entry.md)
-- [Entries Base Entry Content](./entries_base_entry_content.md)
-- [Entries Base Entry Content Item](./entries_base_entry_content_item.md)
-- [Entries Base Entry Content Item Item](./entries_base_entry_content_item_item.md)
-- [Entries Base Entry Source](./entries_base_entry_source.md)
-- [EntriesChatMlImageContentPart](./entries_chat_ml_image_content_part.md)
-- [Entries Chat Ml Role](./entries_chat_ml_role.md)
-- [EntriesChatMlTextContentPart](./entries_chat_ml_text_content_part.md)
-- [EntriesEntry](./entries_entry.md)
-- [EntriesHistory](./entries_history.md)
-- [Entries Image Detail](./entries_image_detail.md)
-- [EntriesImageUrl](./entries_image_url.md)
-- [EntriesInputChatMlMessage](./entries_input_chat_ml_message.md)
-- [Entries Input Chat Ml Message Content](./entries_input_chat_ml_message_content.md)
-- [Entries Input Chat Ml Message Content Item](./entries_input_chat_ml_message_content_item.md)
-- [EntriesRelation](./entries_relation.md)
-- [Execution Transitions Route List Request Direction](./execution_transitions_route_list_request_direction.md)
-- [Execution Transitions Route List Request Sort By](./execution_transitions_route_list_request_sort_by.md)
-- [ExecutionTransitionsRouteListResponse](./execution_transitions_route_list_response.md)
-- [ExecutionTransitionsRouteListResponseResultsItem](./execution_transitions_route_list_response_results_item.md)
-- [ExecutionsExecution](./executions_execution.md)
-- [Executions Execution Status](./executions_execution_status.md)
-- [ExecutionsResumeExecutionRequest](./executions_resume_execution_request.md)
-- [ExecutionsStopExecutionRequest](./executions_stop_execution_request.md)
-- [ExecutionsTransition](./executions_transition.md)
-- [ExecutionsTransitionTarget](./executions_transition_target.md)
-- [Executions Transition Type](./executions_transition_type.md)
-- [Executions Update Execution Request](./executions_update_execution_request.md)
-- [Jobs Job State](./jobs_job_state.md)
-- [JobsJobStatus](./jobs_job_status.md)
-- [Sessions Context Overflow Type](./sessions_context_overflow_type.md)
-- [SessionsCreateOrUpdateSessionRequest](./sessions_create_or_update_session_request.md)
-- [SessionsCreateSessionRequest](./sessions_create_session_request.md)
-- [SessionsMultiAgentMultiUserSession](./sessions_multi_agent_multi_user_session.md)
-- [SessionsMultiAgentNoUserSession](./sessions_multi_agent_no_user_session.md)
-- [SessionsMultiAgentSingleUserSession](./sessions_multi_agent_single_user_session.md)
-- [Sessions Route List Request Direction](./sessions_route_list_request_direction.md)
-- [Sessions Route List Request Sort By](./sessions_route_list_request_sort_by.md)
-- [SessionsRouteListResponse](./sessions_route_list_response.md)
-- [Sessions Session](./sessions_session.md)
-- [SessionsSingleAgentMultiUserSession](./sessions_single_agent_multi_user_session.md)
-- [SessionsSingleAgentNoUserSession](./sessions_single_agent_no_user_session.md)
-- [SessionsSingleAgentSingleUserSession](./sessions_single_agent_single_user_session.md)
-- [Task Executions Route List Request Direction](./task_executions_route_list_request_direction.md)
-- [Task Executions Route List Request Sort By](./task_executions_route_list_request_sort_by.md)
-- [TaskExecutionsRouteListResponse](./task_executions_route_list_response.md)
-- [Tasks Base Workflow Step](./tasks_base_workflow_step.md)
-- [TasksCaseThen](./tasks_case_then.md)
-- [Tasks Case Then Then](./tasks_case_then_then.md)
-- [TasksCreateTaskRequest](./tasks_create_task_request.md)
-- [Tasks Create Task Request Main Item](./tasks_create_task_request_main_item.md)
-- [TasksEmbedStep](./tasks_embed_step.md)
-- [TasksErrorWorkflowStep](./tasks_error_workflow_step.md)
-- [TasksEvaluateStep](./tasks_evaluate_step.md)
-- [TasksForeachDo](./tasks_foreach_do.md)
-- [Tasks Foreach Do Do](./tasks_foreach_do_do.md)
-- [TasksForeachStep](./tasks_foreach_step.md)
-- [TasksGetStep](./tasks_get_step.md)
-- [TasksIfElseWorkflowStep](./tasks_if_else_workflow_step.md)
-- [Tasks If Else Workflow Step Else](./tasks_if_else_workflow_step_else.md)
-- [Tasks If Else Workflow Step Then](./tasks_if_else_workflow_step_then.md)
-- [TasksLogStep](./tasks_log_step.md)
-- [TasksMapOver](./tasks_map_over.md)
-- [TasksMapReduceStep](./tasks_map_reduce_step.md)
-- [TasksParallelStep](./tasks_parallel_step.md)
-- [Tasks Parallel Step Parallel Item](./tasks_parallel_step_parallel_item.md)
-- [Tasks Patch Task Request Main Item](./tasks_patch_task_request_main_item.md)
-- [TasksPromptStep](./tasks_prompt_step.md)
-- [Tasks Prompt Step Prompt](./tasks_prompt_step_prompt.md)
-- [TasksReturnStep](./tasks_return_step.md)
-- [Tasks Route List Request Direction](./tasks_route_list_request_direction.md)
-- [Tasks Route List Request Sort By](./tasks_route_list_request_sort_by.md)
-- [TasksRouteListResponse](./tasks_route_list_response.md)
-- [TasksSearchStep](./tasks_search_step.md)
-- [Tasks Search Step Search](./tasks_search_step_search.md)
-- [TasksSetKey](./tasks_set_key.md)
-- [TasksSetStep](./tasks_set_step.md)
-- [Tasks Set Step Set](./tasks_set_step_set.md)
-- [TasksSleepFor](./tasks_sleep_for.md)
-- [TasksSleepStep](./tasks_sleep_step.md)
-- [TasksSwitchStep](./tasks_switch_step.md)
-- [TasksTask](./tasks_task.md)
-- [Tasks Task Main Item](./tasks_task_main_item.md)
-- [TasksTaskTool](./tasks_task_tool.md)
-- [TasksToolCallStep](./tasks_tool_call_step.md)
-- [Tasks Update Task Request Main Item](./tasks_update_task_request_main_item.md)
-- [TasksWaitForInputStep](./tasks_wait_for_input_step.md)
-- [TasksYieldStep](./tasks_yield_step.md)
-- [ToolsChosenFunctionCall](./tools_chosen_function_call.md)
-- [Tools Chosen Tool Call](./tools_chosen_tool_call.md)
-- [ToolsCreateToolRequest](./tools_create_tool_request.md)
-- [ToolsFunctionCallOption](./tools_function_call_option.md)
-- [ToolsFunctionDef](./tools_function_def.md)
-- [ToolsFunctionTool](./tools_function_tool.md)
-- [ToolsNamedFunctionChoice](./tools_named_function_choice.md)
-- [Tools Named Tool Choice](./tools_named_tool_choice.md)
-- [Tools Tool](./tools_tool.md)
-- [ToolsToolResponse](./tools_tool_response.md)
-- [Tools Tool Type](./tools_tool_type.md)
-- [User Docs Route List Request Direction](./user_docs_route_list_request_direction.md)
-- [User Docs Route List Request Sort By](./user_docs_route_list_request_sort_by.md)
-- [UserDocsRouteListResponse](./user_docs_route_list_response.md)
-- [User Docs Search Route Search Request Body](./user_docs_search_route_search_request_body.md)
-- [UsersCreateOrUpdateUserRequest](./users_create_or_update_user_request.md)
-- [UsersCreateUserRequest](./users_create_user_request.md)
-- [Users Route List Request Direction](./users_route_list_request_direction.md)
-- [Users Route List Request Sort By](./users_route_list_request_sort_by.md)
-- [UsersRouteListResponse](./users_route_list_response.md)
-- [UsersUser](./users_user.md)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/jobs_job_state.md b/docs/python-sdk-docs/julep/api/types/jobs_job_state.md
deleted file mode 100644
index b5e138867..000000000
--- a/docs/python-sdk-docs/julep/api/types/jobs_job_state.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Jobs Job State
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Jobs Job State
-
-> Auto-generated documentation for [julep.api.types.jobs_job_state](../../../../../../../julep/api/types/jobs_job_state.py) module.
-- [Jobs Job State](#jobs-job-state)
diff --git a/docs/python-sdk-docs/julep/api/types/jobs_job_status.md b/docs/python-sdk-docs/julep/api/types/jobs_job_status.md
deleted file mode 100644
index 2055a3811..000000000
--- a/docs/python-sdk-docs/julep/api/types/jobs_job_status.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# JobsJobStatus
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / JobsJobStatus
-
-> Auto-generated documentation for [julep.api.types.jobs_job_status](../../../../../../../julep/api/types/jobs_job_status.py) module.
-
-- [JobsJobStatus](#jobsjobstatus)
- - [JobsJobStatus](#jobsjobstatus-1)
-
-## JobsJobStatus
-
-[Show source in jobs_job_status.py:13](../../../../../../../julep/api/types/jobs_job_status.py#L13)
-
-#### Signature
-
-```python
-class JobsJobStatus(pydantic_v1.BaseModel): ...
-```
-
-### JobsJobStatus().dict
-
-[Show source in jobs_job_status.py:58](../../../../../../../julep/api/types/jobs_job_status.py#L58)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### JobsJobStatus().json
-
-[Show source in jobs_job_status.py:50](../../../../../../../julep/api/types/jobs_job_status.py#L50)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_context_overflow_type.md b/docs/python-sdk-docs/julep/api/types/sessions_context_overflow_type.md
deleted file mode 100644
index 4009e89ec..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_context_overflow_type.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Sessions Context Overflow Type
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Sessions Context Overflow Type
-
-> Auto-generated documentation for [julep.api.types.sessions_context_overflow_type](../../../../../../../julep/api/types/sessions_context_overflow_type.py) module.
-- [Sessions Context Overflow Type](#sessions-context-overflow-type)
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_create_or_update_session_request.md b/docs/python-sdk-docs/julep/api/types/sessions_create_or_update_session_request.md
deleted file mode 100644
index d94fcfd40..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_create_or_update_session_request.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# SessionsCreateOrUpdateSessionRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / SessionsCreateOrUpdateSessionRequest
-
-> Auto-generated documentation for [julep.api.types.sessions_create_or_update_session_request](../../../../../../../julep/api/types/sessions_create_or_update_session_request.py) module.
-
-- [SessionsCreateOrUpdateSessionRequest](#sessionscreateorupdatesessionrequest)
- - [SessionsCreateOrUpdateSessionRequest](#sessionscreateorupdatesessionrequest-1)
-
-## SessionsCreateOrUpdateSessionRequest
-
-[Show source in sessions_create_or_update_session_request.py:12](../../../../../../../julep/api/types/sessions_create_or_update_session_request.py#L12)
-
-#### Signature
-
-```python
-class SessionsCreateOrUpdateSessionRequest(pydantic_v1.BaseModel): ...
-```
-
-### SessionsCreateOrUpdateSessionRequest().dict
-
-[Show source in sessions_create_or_update_session_request.py:57](../../../../../../../julep/api/types/sessions_create_or_update_session_request.py#L57)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsCreateOrUpdateSessionRequest().json
-
-[Show source in sessions_create_or_update_session_request.py:49](../../../../../../../julep/api/types/sessions_create_or_update_session_request.py#L49)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_create_session_request.md b/docs/python-sdk-docs/julep/api/types/sessions_create_session_request.md
deleted file mode 100644
index d9b07631d..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_create_session_request.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# SessionsCreateSessionRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / SessionsCreateSessionRequest
-
-> Auto-generated documentation for [julep.api.types.sessions_create_session_request](../../../../../../../julep/api/types/sessions_create_session_request.py) module.
-
-- [SessionsCreateSessionRequest](#sessionscreatesessionrequest)
- - [SessionsCreateSessionRequest](#sessionscreatesessionrequest-1)
-
-## SessionsCreateSessionRequest
-
-[Show source in sessions_create_session_request.py:12](../../../../../../../julep/api/types/sessions_create_session_request.py#L12)
-
-Payload for creating a session
-
-#### Signature
-
-```python
-class SessionsCreateSessionRequest(pydantic_v1.BaseModel): ...
-```
-
-### SessionsCreateSessionRequest().dict
-
-[Show source in sessions_create_session_request.py:61](../../../../../../../julep/api/types/sessions_create_session_request.py#L61)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsCreateSessionRequest().json
-
-[Show source in sessions_create_session_request.py:53](../../../../../../../julep/api/types/sessions_create_session_request.py#L53)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_multi_agent_multi_user_session.md b/docs/python-sdk-docs/julep/api/types/sessions_multi_agent_multi_user_session.md
deleted file mode 100644
index f7c407cbd..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_multi_agent_multi_user_session.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# SessionsMultiAgentMultiUserSession
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / SessionsMultiAgentMultiUserSession
-
-> Auto-generated documentation for [julep.api.types.sessions_multi_agent_multi_user_session](../../../../../../../julep/api/types/sessions_multi_agent_multi_user_session.py) module.
-
-- [SessionsMultiAgentMultiUserSession](#sessionsmultiagentmultiusersession)
- - [SessionsMultiAgentMultiUserSession](#sessionsmultiagentmultiusersession-1)
-
-## SessionsMultiAgentMultiUserSession
-
-[Show source in sessions_multi_agent_multi_user_session.py:11](../../../../../../../julep/api/types/sessions_multi_agent_multi_user_session.py#L11)
-
-#### Signature
-
-```python
-class SessionsMultiAgentMultiUserSession(pydantic_v1.BaseModel): ...
-```
-
-### SessionsMultiAgentMultiUserSession().dict
-
-[Show source in sessions_multi_agent_multi_user_session.py:23](../../../../../../../julep/api/types/sessions_multi_agent_multi_user_session.py#L23)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsMultiAgentMultiUserSession().json
-
-[Show source in sessions_multi_agent_multi_user_session.py:15](../../../../../../../julep/api/types/sessions_multi_agent_multi_user_session.py#L15)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_multi_agent_no_user_session.md b/docs/python-sdk-docs/julep/api/types/sessions_multi_agent_no_user_session.md
deleted file mode 100644
index a6ad4554f..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_multi_agent_no_user_session.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# SessionsMultiAgentNoUserSession
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / SessionsMultiAgentNoUserSession
-
-> Auto-generated documentation for [julep.api.types.sessions_multi_agent_no_user_session](../../../../../../../julep/api/types/sessions_multi_agent_no_user_session.py) module.
-
-- [SessionsMultiAgentNoUserSession](#sessionsmultiagentnousersession)
- - [SessionsMultiAgentNoUserSession](#sessionsmultiagentnousersession-1)
-
-## SessionsMultiAgentNoUserSession
-
-[Show source in sessions_multi_agent_no_user_session.py:11](../../../../../../../julep/api/types/sessions_multi_agent_no_user_session.py#L11)
-
-#### Signature
-
-```python
-class SessionsMultiAgentNoUserSession(pydantic_v1.BaseModel): ...
-```
-
-### SessionsMultiAgentNoUserSession().dict
-
-[Show source in sessions_multi_agent_no_user_session.py:22](../../../../../../../julep/api/types/sessions_multi_agent_no_user_session.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsMultiAgentNoUserSession().json
-
-[Show source in sessions_multi_agent_no_user_session.py:14](../../../../../../../julep/api/types/sessions_multi_agent_no_user_session.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_multi_agent_single_user_session.md b/docs/python-sdk-docs/julep/api/types/sessions_multi_agent_single_user_session.md
deleted file mode 100644
index 77f842cfd..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_multi_agent_single_user_session.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# SessionsMultiAgentSingleUserSession
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / SessionsMultiAgentSingleUserSession
-
-> Auto-generated documentation for [julep.api.types.sessions_multi_agent_single_user_session](../../../../../../../julep/api/types/sessions_multi_agent_single_user_session.py) module.
-
-- [SessionsMultiAgentSingleUserSession](#sessionsmultiagentsingleusersession)
- - [SessionsMultiAgentSingleUserSession](#sessionsmultiagentsingleusersession-1)
-
-## SessionsMultiAgentSingleUserSession
-
-[Show source in sessions_multi_agent_single_user_session.py:11](../../../../../../../julep/api/types/sessions_multi_agent_single_user_session.py#L11)
-
-#### Signature
-
-```python
-class SessionsMultiAgentSingleUserSession(pydantic_v1.BaseModel): ...
-```
-
-### SessionsMultiAgentSingleUserSession().dict
-
-[Show source in sessions_multi_agent_single_user_session.py:23](../../../../../../../julep/api/types/sessions_multi_agent_single_user_session.py#L23)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsMultiAgentSingleUserSession().json
-
-[Show source in sessions_multi_agent_single_user_session.py:15](../../../../../../../julep/api/types/sessions_multi_agent_single_user_session.py#L15)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_route_list_request_direction.md b/docs/python-sdk-docs/julep/api/types/sessions_route_list_request_direction.md
deleted file mode 100644
index d23a5296e..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_route_list_request_direction.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Sessions Route List Request Direction
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Sessions Route List Request Direction
-
-> Auto-generated documentation for [julep.api.types.sessions_route_list_request_direction](../../../../../../../julep/api/types/sessions_route_list_request_direction.py) module.
-- [Sessions Route List Request Direction](#sessions-route-list-request-direction)
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_route_list_request_sort_by.md b/docs/python-sdk-docs/julep/api/types/sessions_route_list_request_sort_by.md
deleted file mode 100644
index 0b38dd9b4..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_route_list_request_sort_by.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Sessions Route List Request Sort By
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Sessions Route List Request Sort By
-
-> Auto-generated documentation for [julep.api.types.sessions_route_list_request_sort_by](../../../../../../../julep/api/types/sessions_route_list_request_sort_by.py) module.
-- [Sessions Route List Request Sort By](#sessions-route-list-request-sort-by)
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_route_list_response.md b/docs/python-sdk-docs/julep/api/types/sessions_route_list_response.md
deleted file mode 100644
index 5d5e37ed3..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_route_list_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# SessionsRouteListResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / SessionsRouteListResponse
-
-> Auto-generated documentation for [julep.api.types.sessions_route_list_response](../../../../../../../julep/api/types/sessions_route_list_response.py) module.
-
-- [SessionsRouteListResponse](#sessionsroutelistresponse)
- - [SessionsRouteListResponse](#sessionsroutelistresponse-1)
-
-## SessionsRouteListResponse
-
-[Show source in sessions_route_list_response.py:11](../../../../../../../julep/api/types/sessions_route_list_response.py#L11)
-
-#### Signature
-
-```python
-class SessionsRouteListResponse(pydantic_v1.BaseModel): ...
-```
-
-### SessionsRouteListResponse().dict
-
-[Show source in sessions_route_list_response.py:22](../../../../../../../julep/api/types/sessions_route_list_response.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsRouteListResponse().json
-
-[Show source in sessions_route_list_response.py:14](../../../../../../../julep/api/types/sessions_route_list_response.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_session.md b/docs/python-sdk-docs/julep/api/types/sessions_session.md
deleted file mode 100644
index 6bba8275e..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_session.md
+++ /dev/null
@@ -1,260 +0,0 @@
-# Sessions Session
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Sessions Session
-
-> Auto-generated documentation for [julep.api.types.sessions_session](../../../../../../../julep/api/types/sessions_session.py) module.
-
-- [Sessions Session](#sessions-session)
- - [Base](#base)
- - [SessionsSession_MultiAgentMultiUser](#sessionssession_multiagentmultiuser)
- - [SessionsSession_MultiAgentNoUser](#sessionssession_multiagentnouser)
- - [SessionsSession_MultiAgentSingleUser](#sessionssession_multiagentsingleuser)
- - [SessionsSession_SingleAgentMultiUser](#sessionssession_singleagentmultiuser)
- - [SessionsSession_SingleAgentNoUser](#sessionssession_singleagentnouser)
- - [SessionsSession_SingleAgentSingleUser](#sessionssession_singleagentsingleuser)
-
-## Base
-
-[Show source in sessions_session.py:14](../../../../../../../julep/api/types/sessions_session.py#L14)
-
-#### Signature
-
-```python
-class Base(pydantic_v1.BaseModel): ...
-```
-
-### Base().dict
-
-[Show source in sessions_session.py:62](../../../../../../../julep/api/types/sessions_session.py#L62)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### Base().json
-
-[Show source in sessions_session.py:54](../../../../../../../julep/api/types/sessions_session.py#L54)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## SessionsSession_MultiAgentMultiUser
-
-[Show source in sessions_session.py:279](../../../../../../../julep/api/types/sessions_session.py#L279)
-
-#### Signature
-
-```python
-class SessionsSession_MultiAgentMultiUser(Base): ...
-```
-
-#### See also
-
-- [Base](#base)
-
-### SessionsSession_MultiAgentMultiUser().dict
-
-[Show source in sessions_session.py:292](../../../../../../../julep/api/types/sessions_session.py#L292)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsSession_MultiAgentMultiUser().json
-
-[Show source in sessions_session.py:284](../../../../../../../julep/api/types/sessions_session.py#L284)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## SessionsSession_MultiAgentNoUser
-
-[Show source in sessions_session.py:202](../../../../../../../julep/api/types/sessions_session.py#L202)
-
-#### Signature
-
-```python
-class SessionsSession_MultiAgentNoUser(Base): ...
-```
-
-#### See also
-
-- [Base](#base)
-
-### SessionsSession_MultiAgentNoUser().dict
-
-[Show source in sessions_session.py:214](../../../../../../../julep/api/types/sessions_session.py#L214)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsSession_MultiAgentNoUser().json
-
-[Show source in sessions_session.py:206](../../../../../../../julep/api/types/sessions_session.py#L206)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## SessionsSession_MultiAgentSingleUser
-
-[Show source in sessions_session.py:240](../../../../../../../julep/api/types/sessions_session.py#L240)
-
-#### Signature
-
-```python
-class SessionsSession_MultiAgentSingleUser(Base): ...
-```
-
-#### See also
-
-- [Base](#base)
-
-### SessionsSession_MultiAgentSingleUser().dict
-
-[Show source in sessions_session.py:253](../../../../../../../julep/api/types/sessions_session.py#L253)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsSession_MultiAgentSingleUser().json
-
-[Show source in sessions_session.py:245](../../../../../../../julep/api/types/sessions_session.py#L245)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## SessionsSession_SingleAgentMultiUser
-
-[Show source in sessions_session.py:163](../../../../../../../julep/api/types/sessions_session.py#L163)
-
-#### Signature
-
-```python
-class SessionsSession_SingleAgentMultiUser(Base): ...
-```
-
-#### See also
-
-- [Base](#base)
-
-### SessionsSession_SingleAgentMultiUser().dict
-
-[Show source in sessions_session.py:176](../../../../../../../julep/api/types/sessions_session.py#L176)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsSession_SingleAgentMultiUser().json
-
-[Show source in sessions_session.py:168](../../../../../../../julep/api/types/sessions_session.py#L168)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## SessionsSession_SingleAgentNoUser
-
-[Show source in sessions_session.py:86](../../../../../../../julep/api/types/sessions_session.py#L86)
-
-#### Signature
-
-```python
-class SessionsSession_SingleAgentNoUser(Base): ...
-```
-
-#### See also
-
-- [Base](#base)
-
-### SessionsSession_SingleAgentNoUser().dict
-
-[Show source in sessions_session.py:98](../../../../../../../julep/api/types/sessions_session.py#L98)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsSession_SingleAgentNoUser().json
-
-[Show source in sessions_session.py:90](../../../../../../../julep/api/types/sessions_session.py#L90)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## SessionsSession_SingleAgentSingleUser
-
-[Show source in sessions_session.py:124](../../../../../../../julep/api/types/sessions_session.py#L124)
-
-#### Signature
-
-```python
-class SessionsSession_SingleAgentSingleUser(Base): ...
-```
-
-#### See also
-
-- [Base](#base)
-
-### SessionsSession_SingleAgentSingleUser().dict
-
-[Show source in sessions_session.py:137](../../../../../../../julep/api/types/sessions_session.py#L137)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsSession_SingleAgentSingleUser().json
-
-[Show source in sessions_session.py:129](../../../../../../../julep/api/types/sessions_session.py#L129)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_single_agent_multi_user_session.md b/docs/python-sdk-docs/julep/api/types/sessions_single_agent_multi_user_session.md
deleted file mode 100644
index caccf2166..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_single_agent_multi_user_session.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# SessionsSingleAgentMultiUserSession
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / SessionsSingleAgentMultiUserSession
-
-> Auto-generated documentation for [julep.api.types.sessions_single_agent_multi_user_session](../../../../../../../julep/api/types/sessions_single_agent_multi_user_session.py) module.
-
-- [SessionsSingleAgentMultiUserSession](#sessionssingleagentmultiusersession)
- - [SessionsSingleAgentMultiUserSession](#sessionssingleagentmultiusersession-1)
-
-## SessionsSingleAgentMultiUserSession
-
-[Show source in sessions_single_agent_multi_user_session.py:11](../../../../../../../julep/api/types/sessions_single_agent_multi_user_session.py#L11)
-
-#### Signature
-
-```python
-class SessionsSingleAgentMultiUserSession(pydantic_v1.BaseModel): ...
-```
-
-### SessionsSingleAgentMultiUserSession().dict
-
-[Show source in sessions_single_agent_multi_user_session.py:23](../../../../../../../julep/api/types/sessions_single_agent_multi_user_session.py#L23)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsSingleAgentMultiUserSession().json
-
-[Show source in sessions_single_agent_multi_user_session.py:15](../../../../../../../julep/api/types/sessions_single_agent_multi_user_session.py#L15)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_single_agent_no_user_session.md b/docs/python-sdk-docs/julep/api/types/sessions_single_agent_no_user_session.md
deleted file mode 100644
index 0f45b6d06..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_single_agent_no_user_session.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# SessionsSingleAgentNoUserSession
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / SessionsSingleAgentNoUserSession
-
-> Auto-generated documentation for [julep.api.types.sessions_single_agent_no_user_session](../../../../../../../julep/api/types/sessions_single_agent_no_user_session.py) module.
-
-- [SessionsSingleAgentNoUserSession](#sessionssingleagentnousersession)
- - [SessionsSingleAgentNoUserSession](#sessionssingleagentnousersession-1)
-
-## SessionsSingleAgentNoUserSession
-
-[Show source in sessions_single_agent_no_user_session.py:11](../../../../../../../julep/api/types/sessions_single_agent_no_user_session.py#L11)
-
-#### Signature
-
-```python
-class SessionsSingleAgentNoUserSession(pydantic_v1.BaseModel): ...
-```
-
-### SessionsSingleAgentNoUserSession().dict
-
-[Show source in sessions_single_agent_no_user_session.py:22](../../../../../../../julep/api/types/sessions_single_agent_no_user_session.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsSingleAgentNoUserSession().json
-
-[Show source in sessions_single_agent_no_user_session.py:14](../../../../../../../julep/api/types/sessions_single_agent_no_user_session.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/sessions_single_agent_single_user_session.md b/docs/python-sdk-docs/julep/api/types/sessions_single_agent_single_user_session.md
deleted file mode 100644
index be8bab1e7..000000000
--- a/docs/python-sdk-docs/julep/api/types/sessions_single_agent_single_user_session.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# SessionsSingleAgentSingleUserSession
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / SessionsSingleAgentSingleUserSession
-
-> Auto-generated documentation for [julep.api.types.sessions_single_agent_single_user_session](../../../../../../../julep/api/types/sessions_single_agent_single_user_session.py) module.
-
-- [SessionsSingleAgentSingleUserSession](#sessionssingleagentsingleusersession)
- - [SessionsSingleAgentSingleUserSession](#sessionssingleagentsingleusersession-1)
-
-## SessionsSingleAgentSingleUserSession
-
-[Show source in sessions_single_agent_single_user_session.py:11](../../../../../../../julep/api/types/sessions_single_agent_single_user_session.py#L11)
-
-#### Signature
-
-```python
-class SessionsSingleAgentSingleUserSession(pydantic_v1.BaseModel): ...
-```
-
-### SessionsSingleAgentSingleUserSession().dict
-
-[Show source in sessions_single_agent_single_user_session.py:23](../../../../../../../julep/api/types/sessions_single_agent_single_user_session.py#L23)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### SessionsSingleAgentSingleUserSession().json
-
-[Show source in sessions_single_agent_single_user_session.py:15](../../../../../../../julep/api/types/sessions_single_agent_single_user_session.py#L15)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/task_executions_route_list_request_direction.md b/docs/python-sdk-docs/julep/api/types/task_executions_route_list_request_direction.md
deleted file mode 100644
index eca88dcfc..000000000
--- a/docs/python-sdk-docs/julep/api/types/task_executions_route_list_request_direction.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Task Executions Route List Request Direction
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Task Executions Route List Request Direction
-
-> Auto-generated documentation for [julep.api.types.task_executions_route_list_request_direction](../../../../../../../julep/api/types/task_executions_route_list_request_direction.py) module.
-- [Task Executions Route List Request Direction](#task-executions-route-list-request-direction)
diff --git a/docs/python-sdk-docs/julep/api/types/task_executions_route_list_request_sort_by.md b/docs/python-sdk-docs/julep/api/types/task_executions_route_list_request_sort_by.md
deleted file mode 100644
index 19c4abc9a..000000000
--- a/docs/python-sdk-docs/julep/api/types/task_executions_route_list_request_sort_by.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Task Executions Route List Request Sort By
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Task Executions Route List Request Sort By
-
-> Auto-generated documentation for [julep.api.types.task_executions_route_list_request_sort_by](../../../../../../../julep/api/types/task_executions_route_list_request_sort_by.py) module.
-- [Task Executions Route List Request Sort By](#task-executions-route-list-request-sort-by)
diff --git a/docs/python-sdk-docs/julep/api/types/task_executions_route_list_response.md b/docs/python-sdk-docs/julep/api/types/task_executions_route_list_response.md
deleted file mode 100644
index 3ed80a5bd..000000000
--- a/docs/python-sdk-docs/julep/api/types/task_executions_route_list_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TaskExecutionsRouteListResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TaskExecutionsRouteListResponse
-
-> Auto-generated documentation for [julep.api.types.task_executions_route_list_response](../../../../../../../julep/api/types/task_executions_route_list_response.py) module.
-
-- [TaskExecutionsRouteListResponse](#taskexecutionsroutelistresponse)
- - [TaskExecutionsRouteListResponse](#taskexecutionsroutelistresponse-1)
-
-## TaskExecutionsRouteListResponse
-
-[Show source in task_executions_route_list_response.py:11](../../../../../../../julep/api/types/task_executions_route_list_response.py#L11)
-
-#### Signature
-
-```python
-class TaskExecutionsRouteListResponse(pydantic_v1.BaseModel): ...
-```
-
-### TaskExecutionsRouteListResponse().dict
-
-[Show source in task_executions_route_list_response.py:22](../../../../../../../julep/api/types/task_executions_route_list_response.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TaskExecutionsRouteListResponse().json
-
-[Show source in task_executions_route_list_response.py:14](../../../../../../../julep/api/types/task_executions_route_list_response.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_base_workflow_step.md b/docs/python-sdk-docs/julep/api/types/tasks_base_workflow_step.md
deleted file mode 100644
index 21731b101..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_base_workflow_step.md
+++ /dev/null
@@ -1,566 +0,0 @@
-# Tasks Base Workflow Step
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Base Workflow Step
-
-> Auto-generated documentation for [julep.api.types.tasks_base_workflow_step](../../../../../../../julep/api/types/tasks_base_workflow_step.py) module.
-
-- [Tasks Base Workflow Step](#tasks-base-workflow-step)
- - [TasksBaseWorkflowStep_Embed](#tasksbaseworkflowstep_embed)
- - [TasksBaseWorkflowStep_Error](#tasksbaseworkflowstep_error)
- - [TasksBaseWorkflowStep_Foreach](#tasksbaseworkflowstep_foreach)
- - [TasksBaseWorkflowStep_Get](#tasksbaseworkflowstep_get)
- - [TasksBaseWorkflowStep_IfElse](#tasksbaseworkflowstep_ifelse)
- - [TasksBaseWorkflowStep_Log](#tasksbaseworkflowstep_log)
- - [TasksBaseWorkflowStep_MapReduce](#tasksbaseworkflowstep_mapreduce)
- - [TasksBaseWorkflowStep_Parallel](#tasksbaseworkflowstep_parallel)
- - [TasksBaseWorkflowStep_Prompt](#tasksbaseworkflowstep_prompt)
- - [TasksBaseWorkflowStep_Return](#tasksbaseworkflowstep_return)
- - [TasksBaseWorkflowStep_Search](#tasksbaseworkflowstep_search)
- - [TasksBaseWorkflowStep_Set](#tasksbaseworkflowstep_set)
- - [TasksBaseWorkflowStep_Sleep](#tasksbaseworkflowstep_sleep)
- - [TasksBaseWorkflowStep_Switch](#tasksbaseworkflowstep_switch)
- - [TasksBaseWorkflowStep_ToolCall](#tasksbaseworkflowstep_toolcall)
- - [TasksBaseWorkflowStep_WaitForInput](#tasksbaseworkflowstep_waitforinput)
- - [TasksBaseWorkflowStep_Yield](#tasksbaseworkflowstep_yield)
-
-## TasksBaseWorkflowStep_Embed
-
-[Show source in tasks_base_workflow_step.py:373](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L373)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Embed(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Embed().dict
-
-[Show source in tasks_base_workflow_step.py:385](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L385)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Embed().json
-
-[Show source in tasks_base_workflow_step.py:377](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L377)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Error
-
-[Show source in tasks_base_workflow_step.py:145](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L145)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Error(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Error().dict
-
-[Show source in tasks_base_workflow_step.py:157](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L157)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Error().json
-
-[Show source in tasks_base_workflow_step.py:149](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L149)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Foreach
-
-[Show source in tasks_base_workflow_step.py:569](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L569)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Foreach(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Foreach().dict
-
-[Show source in tasks_base_workflow_step.py:583](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L583)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Foreach().json
-
-[Show source in tasks_base_workflow_step.py:575](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L575)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Get
-
-[Show source in tasks_base_workflow_step.py:259](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L259)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Get(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Get().dict
-
-[Show source in tasks_base_workflow_step.py:271](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L271)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Get().json
-
-[Show source in tasks_base_workflow_step.py:263](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L263)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_IfElse
-
-[Show source in tasks_base_workflow_step.py:489](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L489)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_IfElse(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_IfElse().dict
-
-[Show source in tasks_base_workflow_step.py:505](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L505)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_IfElse().json
-
-[Show source in tasks_base_workflow_step.py:497](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L497)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Log
-
-[Show source in tasks_base_workflow_step.py:335](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L335)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Log(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Log().dict
-
-[Show source in tasks_base_workflow_step.py:347](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L347)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Log().json
-
-[Show source in tasks_base_workflow_step.py:339](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L339)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_MapReduce
-
-[Show source in tasks_base_workflow_step.py:649](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L649)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_MapReduce(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_MapReduce().dict
-
-[Show source in tasks_base_workflow_step.py:664](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L664)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_MapReduce().json
-
-[Show source in tasks_base_workflow_step.py:656](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L656)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Parallel
-
-[Show source in tasks_base_workflow_step.py:609](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L609)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Parallel(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Parallel().dict
-
-[Show source in tasks_base_workflow_step.py:623](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L623)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Parallel().json
-
-[Show source in tasks_base_workflow_step.py:615](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L615)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Prompt
-
-[Show source in tasks_base_workflow_step.py:106](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L106)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Prompt(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Prompt().dict
-
-[Show source in tasks_base_workflow_step.py:119](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L119)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Prompt().json
-
-[Show source in tasks_base_workflow_step.py:111](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L111)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Return
-
-[Show source in tasks_base_workflow_step.py:221](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L221)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Return(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Return().dict
-
-[Show source in tasks_base_workflow_step.py:233](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L233)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Return().json
-
-[Show source in tasks_base_workflow_step.py:225](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L225)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Search
-
-[Show source in tasks_base_workflow_step.py:411](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L411)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Search(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Search().dict
-
-[Show source in tasks_base_workflow_step.py:423](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L423)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Search().json
-
-[Show source in tasks_base_workflow_step.py:415](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L415)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Set
-
-[Show source in tasks_base_workflow_step.py:297](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L297)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Set(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Set().dict
-
-[Show source in tasks_base_workflow_step.py:309](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L309)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Set().json
-
-[Show source in tasks_base_workflow_step.py:301](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L301)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Sleep
-
-[Show source in tasks_base_workflow_step.py:183](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L183)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Sleep(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Sleep().dict
-
-[Show source in tasks_base_workflow_step.py:195](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L195)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Sleep().json
-
-[Show source in tasks_base_workflow_step.py:187](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L187)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Switch
-
-[Show source in tasks_base_workflow_step.py:531](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L531)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Switch(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Switch().dict
-
-[Show source in tasks_base_workflow_step.py:543](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L543)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Switch().json
-
-[Show source in tasks_base_workflow_step.py:535](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L535)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_ToolCall
-
-[Show source in tasks_base_workflow_step.py:26](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L26)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_ToolCall(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_ToolCall().dict
-
-[Show source in tasks_base_workflow_step.py:41](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L41)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_ToolCall().json
-
-[Show source in tasks_base_workflow_step.py:33](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L33)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_WaitForInput
-
-[Show source in tasks_base_workflow_step.py:449](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L449)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_WaitForInput(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_WaitForInput().dict
-
-[Show source in tasks_base_workflow_step.py:463](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L463)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_WaitForInput().json
-
-[Show source in tasks_base_workflow_step.py:455](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L455)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksBaseWorkflowStep_Yield
-
-[Show source in tasks_base_workflow_step.py:67](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L67)
-
-#### Signature
-
-```python
-class TasksBaseWorkflowStep_Yield(pydantic_v1.BaseModel): ...
-```
-
-### TasksBaseWorkflowStep_Yield().dict
-
-[Show source in tasks_base_workflow_step.py:80](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L80)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksBaseWorkflowStep_Yield().json
-
-[Show source in tasks_base_workflow_step.py:72](../../../../../../../julep/api/types/tasks_base_workflow_step.py#L72)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_case_then.md b/docs/python-sdk-docs/julep/api/types/tasks_case_then.md
deleted file mode 100644
index 388ee34d0..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_case_then.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksCaseThen
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksCaseThen
-
-> Auto-generated documentation for [julep.api.types.tasks_case_then](../../../../../../../julep/api/types/tasks_case_then.py) module.
-
-- [TasksCaseThen](#taskscasethen)
- - [TasksCaseThen](#taskscasethen-1)
-
-## TasksCaseThen
-
-[Show source in tasks_case_then.py:12](../../../../../../../julep/api/types/tasks_case_then.py#L12)
-
-#### Signature
-
-```python
-class TasksCaseThen(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThen().dict
-
-[Show source in tasks_case_then.py:31](../../../../../../../julep/api/types/tasks_case_then.py#L31)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThen().json
-
-[Show source in tasks_case_then.py:23](../../../../../../../julep/api/types/tasks_case_then.py#L23)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_case_then_then.md b/docs/python-sdk-docs/julep/api/types/tasks_case_then_then.md
deleted file mode 100644
index dc1a9eb70..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_case_then_then.md
+++ /dev/null
@@ -1,460 +0,0 @@
-# Tasks Case Then Then
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Case Then Then
-
-> Auto-generated documentation for [julep.api.types.tasks_case_then_then](../../../../../../../julep/api/types/tasks_case_then_then.py) module.
-
-- [Tasks Case Then Then](#tasks-case-then-then)
- - [TasksCaseThenThen_Embed](#taskscasethenthen_embed)
- - [TasksCaseThenThen_Error](#taskscasethenthen_error)
- - [TasksCaseThenThen_Evaluate](#taskscasethenthen_evaluate)
- - [TasksCaseThenThen_Get](#taskscasethenthen_get)
- - [TasksCaseThenThen_Log](#taskscasethenthen_log)
- - [TasksCaseThenThen_Prompt](#taskscasethenthen_prompt)
- - [TasksCaseThenThen_Return](#taskscasethenthen_return)
- - [TasksCaseThenThen_Search](#taskscasethenthen_search)
- - [TasksCaseThenThen_Set](#taskscasethenthen_set)
- - [TasksCaseThenThen_Sleep](#taskscasethenthen_sleep)
- - [TasksCaseThenThen_ToolCall](#taskscasethenthen_toolcall)
- - [TasksCaseThenThen_WaitForInput](#taskscasethenthen_waitforinput)
- - [TasksCaseThenThen_Yield](#taskscasethenthen_yield)
-
-## TasksCaseThenThen_Embed
-
-[Show source in tasks_case_then_then.py:447](../../../../../../../julep/api/types/tasks_case_then_then.py#L447)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Embed(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Embed().dict
-
-[Show source in tasks_case_then_then.py:463](../../../../../../../julep/api/types/tasks_case_then_then.py#L463)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Embed().json
-
-[Show source in tasks_case_then_then.py:455](../../../../../../../julep/api/types/tasks_case_then_then.py#L455)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_Error
-
-[Show source in tasks_case_then_then.py:195](../../../../../../../julep/api/types/tasks_case_then_then.py#L195)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Error(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Error().dict
-
-[Show source in tasks_case_then_then.py:211](../../../../../../../julep/api/types/tasks_case_then_then.py#L211)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Error().json
-
-[Show source in tasks_case_then_then.py:203](../../../../../../../julep/api/types/tasks_case_then_then.py#L203)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_Evaluate
-
-[Show source in tasks_case_then_then.py:20](../../../../../../../julep/api/types/tasks_case_then_then.py#L20)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Evaluate(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Evaluate().dict
-
-[Show source in tasks_case_then_then.py:38](../../../../../../../julep/api/types/tasks_case_then_then.py#L38)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Evaluate().json
-
-[Show source in tasks_case_then_then.py:30](../../../../../../../julep/api/types/tasks_case_then_then.py#L30)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_Get
-
-[Show source in tasks_case_then_then.py:321](../../../../../../../julep/api/types/tasks_case_then_then.py#L321)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Get(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Get().dict
-
-[Show source in tasks_case_then_then.py:337](../../../../../../../julep/api/types/tasks_case_then_then.py#L337)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Get().json
-
-[Show source in tasks_case_then_then.py:329](../../../../../../../julep/api/types/tasks_case_then_then.py#L329)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_Log
-
-[Show source in tasks_case_then_then.py:405](../../../../../../../julep/api/types/tasks_case_then_then.py#L405)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Log(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Log().dict
-
-[Show source in tasks_case_then_then.py:421](../../../../../../../julep/api/types/tasks_case_then_then.py#L421)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Log().json
-
-[Show source in tasks_case_then_then.py:413](../../../../../../../julep/api/types/tasks_case_then_then.py#L413)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_Prompt
-
-[Show source in tasks_case_then_then.py:152](../../../../../../../julep/api/types/tasks_case_then_then.py#L152)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Prompt(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Prompt().dict
-
-[Show source in tasks_case_then_then.py:169](../../../../../../../julep/api/types/tasks_case_then_then.py#L169)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Prompt().json
-
-[Show source in tasks_case_then_then.py:161](../../../../../../../julep/api/types/tasks_case_then_then.py#L161)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_Return
-
-[Show source in tasks_case_then_then.py:279](../../../../../../../julep/api/types/tasks_case_then_then.py#L279)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Return(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Return().dict
-
-[Show source in tasks_case_then_then.py:295](../../../../../../../julep/api/types/tasks_case_then_then.py#L295)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Return().json
-
-[Show source in tasks_case_then_then.py:287](../../../../../../../julep/api/types/tasks_case_then_then.py#L287)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_Search
-
-[Show source in tasks_case_then_then.py:489](../../../../../../../julep/api/types/tasks_case_then_then.py#L489)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Search(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Search().dict
-
-[Show source in tasks_case_then_then.py:505](../../../../../../../julep/api/types/tasks_case_then_then.py#L505)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Search().json
-
-[Show source in tasks_case_then_then.py:497](../../../../../../../julep/api/types/tasks_case_then_then.py#L497)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_Set
-
-[Show source in tasks_case_then_then.py:363](../../../../../../../julep/api/types/tasks_case_then_then.py#L363)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Set(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Set().dict
-
-[Show source in tasks_case_then_then.py:379](../../../../../../../julep/api/types/tasks_case_then_then.py#L379)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Set().json
-
-[Show source in tasks_case_then_then.py:371](../../../../../../../julep/api/types/tasks_case_then_then.py#L371)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_Sleep
-
-[Show source in tasks_case_then_then.py:237](../../../../../../../julep/api/types/tasks_case_then_then.py#L237)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Sleep(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Sleep().dict
-
-[Show source in tasks_case_then_then.py:253](../../../../../../../julep/api/types/tasks_case_then_then.py#L253)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Sleep().json
-
-[Show source in tasks_case_then_then.py:245](../../../../../../../julep/api/types/tasks_case_then_then.py#L245)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_ToolCall
-
-[Show source in tasks_case_then_then.py:64](../../../../../../../julep/api/types/tasks_case_then_then.py#L64)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_ToolCall(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_ToolCall().dict
-
-[Show source in tasks_case_then_then.py:83](../../../../../../../julep/api/types/tasks_case_then_then.py#L83)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_ToolCall().json
-
-[Show source in tasks_case_then_then.py:75](../../../../../../../julep/api/types/tasks_case_then_then.py#L75)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_WaitForInput
-
-[Show source in tasks_case_then_then.py:531](../../../../../../../julep/api/types/tasks_case_then_then.py#L531)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_WaitForInput(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_WaitForInput().dict
-
-[Show source in tasks_case_then_then.py:549](../../../../../../../julep/api/types/tasks_case_then_then.py#L549)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_WaitForInput().json
-
-[Show source in tasks_case_then_then.py:541](../../../../../../../julep/api/types/tasks_case_then_then.py#L541)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCaseThenThen_Yield
-
-[Show source in tasks_case_then_then.py:109](../../../../../../../julep/api/types/tasks_case_then_then.py#L109)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksCaseThenThen_Yield(pydantic_v1.BaseModel): ...
-```
-
-### TasksCaseThenThen_Yield().dict
-
-[Show source in tasks_case_then_then.py:126](../../../../../../../julep/api/types/tasks_case_then_then.py#L126)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCaseThenThen_Yield().json
-
-[Show source in tasks_case_then_then.py:118](../../../../../../../julep/api/types/tasks_case_then_then.py#L118)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_create_task_request.md b/docs/python-sdk-docs/julep/api/types/tasks_create_task_request.md
deleted file mode 100644
index d49ae4afa..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_create_task_request.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# TasksCreateTaskRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksCreateTaskRequest
-
-> Auto-generated documentation for [julep.api.types.tasks_create_task_request](../../../../../../../julep/api/types/tasks_create_task_request.py) module.
-
-- [TasksCreateTaskRequest](#taskscreatetaskrequest)
- - [TasksCreateTaskRequest](#taskscreatetaskrequest-1)
-
-## TasksCreateTaskRequest
-
-[Show source in tasks_create_task_request.py:12](../../../../../../../julep/api/types/tasks_create_task_request.py#L12)
-
-Payload for creating a task
-
-#### Signature
-
-```python
-class TasksCreateTaskRequest(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequest().dict
-
-[Show source in tasks_create_task_request.py:51](../../../../../../../julep/api/types/tasks_create_task_request.py#L51)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequest().json
-
-[Show source in tasks_create_task_request.py:43](../../../../../../../julep/api/types/tasks_create_task_request.py#L43)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_create_task_request_main_item.md b/docs/python-sdk-docs/julep/api/types/tasks_create_task_request_main_item.md
deleted file mode 100644
index a0105a35b..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_create_task_request_main_item.md
+++ /dev/null
@@ -1,599 +0,0 @@
-# Tasks Create Task Request Main Item
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Create Task Request Main Item
-
-> Auto-generated documentation for [julep.api.types.tasks_create_task_request_main_item](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py) module.
-
-- [Tasks Create Task Request Main Item](#tasks-create-task-request-main-item)
- - [TasksCreateTaskRequestMainItem_Embed](#taskscreatetaskrequestmainitem_embed)
- - [TasksCreateTaskRequestMainItem_Error](#taskscreatetaskrequestmainitem_error)
- - [TasksCreateTaskRequestMainItem_Evaluate](#taskscreatetaskrequestmainitem_evaluate)
- - [TasksCreateTaskRequestMainItem_Foreach](#taskscreatetaskrequestmainitem_foreach)
- - [TasksCreateTaskRequestMainItem_Get](#taskscreatetaskrequestmainitem_get)
- - [TasksCreateTaskRequestMainItem_IfElse](#taskscreatetaskrequestmainitem_ifelse)
- - [TasksCreateTaskRequestMainItem_Log](#taskscreatetaskrequestmainitem_log)
- - [TasksCreateTaskRequestMainItem_MapReduce](#taskscreatetaskrequestmainitem_mapreduce)
- - [TasksCreateTaskRequestMainItem_Parallel](#taskscreatetaskrequestmainitem_parallel)
- - [TasksCreateTaskRequestMainItem_Prompt](#taskscreatetaskrequestmainitem_prompt)
- - [TasksCreateTaskRequestMainItem_Return](#taskscreatetaskrequestmainitem_return)
- - [TasksCreateTaskRequestMainItem_Search](#taskscreatetaskrequestmainitem_search)
- - [TasksCreateTaskRequestMainItem_Set](#taskscreatetaskrequestmainitem_set)
- - [TasksCreateTaskRequestMainItem_Sleep](#taskscreatetaskrequestmainitem_sleep)
- - [TasksCreateTaskRequestMainItem_Switch](#taskscreatetaskrequestmainitem_switch)
- - [TasksCreateTaskRequestMainItem_ToolCall](#taskscreatetaskrequestmainitem_toolcall)
- - [TasksCreateTaskRequestMainItem_WaitForInput](#taskscreatetaskrequestmainitem_waitforinput)
- - [TasksCreateTaskRequestMainItem_Yield](#taskscreatetaskrequestmainitem_yield)
-
-## TasksCreateTaskRequestMainItem_Embed
-
-[Show source in tasks_create_task_request_main_item.py:413](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L413)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Embed(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Embed().dict
-
-[Show source in tasks_create_task_request_main_item.py:425](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L425)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Embed().json
-
-[Show source in tasks_create_task_request_main_item.py:417](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L417)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Error
-
-[Show source in tasks_create_task_request_main_item.py:185](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L185)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Error(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Error().dict
-
-[Show source in tasks_create_task_request_main_item.py:197](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L197)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Error().json
-
-[Show source in tasks_create_task_request_main_item.py:189](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L189)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Evaluate
-
-[Show source in tasks_create_task_request_main_item.py:26](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L26)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Evaluate(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Evaluate().dict
-
-[Show source in tasks_create_task_request_main_item.py:40](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L40)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Evaluate().json
-
-[Show source in tasks_create_task_request_main_item.py:32](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L32)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Foreach
-
-[Show source in tasks_create_task_request_main_item.py:609](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L609)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Foreach(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Foreach().dict
-
-[Show source in tasks_create_task_request_main_item.py:623](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L623)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Foreach().json
-
-[Show source in tasks_create_task_request_main_item.py:615](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L615)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Get
-
-[Show source in tasks_create_task_request_main_item.py:299](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L299)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Get(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Get().dict
-
-[Show source in tasks_create_task_request_main_item.py:311](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L311)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Get().json
-
-[Show source in tasks_create_task_request_main_item.py:303](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L303)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_IfElse
-
-[Show source in tasks_create_task_request_main_item.py:529](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L529)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_IfElse(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_IfElse().dict
-
-[Show source in tasks_create_task_request_main_item.py:545](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L545)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_IfElse().json
-
-[Show source in tasks_create_task_request_main_item.py:537](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L537)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Log
-
-[Show source in tasks_create_task_request_main_item.py:375](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L375)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Log(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Log().dict
-
-[Show source in tasks_create_task_request_main_item.py:387](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L387)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Log().json
-
-[Show source in tasks_create_task_request_main_item.py:379](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L379)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_MapReduce
-
-[Show source in tasks_create_task_request_main_item.py:689](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L689)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_MapReduce(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_MapReduce().dict
-
-[Show source in tasks_create_task_request_main_item.py:704](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L704)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_MapReduce().json
-
-[Show source in tasks_create_task_request_main_item.py:696](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L696)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Parallel
-
-[Show source in tasks_create_task_request_main_item.py:649](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L649)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Parallel(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Parallel().dict
-
-[Show source in tasks_create_task_request_main_item.py:663](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L663)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Parallel().json
-
-[Show source in tasks_create_task_request_main_item.py:655](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L655)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Prompt
-
-[Show source in tasks_create_task_request_main_item.py:146](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L146)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Prompt(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Prompt().dict
-
-[Show source in tasks_create_task_request_main_item.py:159](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L159)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Prompt().json
-
-[Show source in tasks_create_task_request_main_item.py:151](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L151)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Return
-
-[Show source in tasks_create_task_request_main_item.py:261](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L261)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Return(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Return().dict
-
-[Show source in tasks_create_task_request_main_item.py:273](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L273)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Return().json
-
-[Show source in tasks_create_task_request_main_item.py:265](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L265)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Search
-
-[Show source in tasks_create_task_request_main_item.py:451](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L451)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Search(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Search().dict
-
-[Show source in tasks_create_task_request_main_item.py:463](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L463)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Search().json
-
-[Show source in tasks_create_task_request_main_item.py:455](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L455)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Set
-
-[Show source in tasks_create_task_request_main_item.py:337](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L337)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Set(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Set().dict
-
-[Show source in tasks_create_task_request_main_item.py:349](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L349)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Set().json
-
-[Show source in tasks_create_task_request_main_item.py:341](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L341)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Sleep
-
-[Show source in tasks_create_task_request_main_item.py:223](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L223)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Sleep(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Sleep().dict
-
-[Show source in tasks_create_task_request_main_item.py:235](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L235)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Sleep().json
-
-[Show source in tasks_create_task_request_main_item.py:227](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L227)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Switch
-
-[Show source in tasks_create_task_request_main_item.py:571](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L571)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Switch(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Switch().dict
-
-[Show source in tasks_create_task_request_main_item.py:583](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L583)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Switch().json
-
-[Show source in tasks_create_task_request_main_item.py:575](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L575)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_ToolCall
-
-[Show source in tasks_create_task_request_main_item.py:66](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L66)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_ToolCall(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_ToolCall().dict
-
-[Show source in tasks_create_task_request_main_item.py:81](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L81)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_ToolCall().json
-
-[Show source in tasks_create_task_request_main_item.py:73](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L73)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_WaitForInput
-
-[Show source in tasks_create_task_request_main_item.py:489](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L489)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_WaitForInput(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_WaitForInput().dict
-
-[Show source in tasks_create_task_request_main_item.py:503](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L503)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_WaitForInput().json
-
-[Show source in tasks_create_task_request_main_item.py:495](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L495)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksCreateTaskRequestMainItem_Yield
-
-[Show source in tasks_create_task_request_main_item.py:107](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L107)
-
-#### Signature
-
-```python
-class TasksCreateTaskRequestMainItem_Yield(pydantic_v1.BaseModel): ...
-```
-
-### TasksCreateTaskRequestMainItem_Yield().dict
-
-[Show source in tasks_create_task_request_main_item.py:120](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L120)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksCreateTaskRequestMainItem_Yield().json
-
-[Show source in tasks_create_task_request_main_item.py:112](../../../../../../../julep/api/types/tasks_create_task_request_main_item.py#L112)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_embed_step.md b/docs/python-sdk-docs/julep/api/types/tasks_embed_step.md
deleted file mode 100644
index af18dfe3b..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_embed_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksEmbedStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksEmbedStep
-
-> Auto-generated documentation for [julep.api.types.tasks_embed_step](../../../../../../../julep/api/types/tasks_embed_step.py) module.
-
-- [TasksEmbedStep](#tasksembedstep)
- - [TasksEmbedStep](#tasksembedstep-1)
-
-## TasksEmbedStep
-
-[Show source in tasks_embed_step.py:11](../../../../../../../julep/api/types/tasks_embed_step.py#L11)
-
-#### Signature
-
-```python
-class TasksEmbedStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksEmbedStep().dict
-
-[Show source in tasks_embed_step.py:25](../../../../../../../julep/api/types/tasks_embed_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksEmbedStep().json
-
-[Show source in tasks_embed_step.py:17](../../../../../../../julep/api/types/tasks_embed_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_error_workflow_step.md b/docs/python-sdk-docs/julep/api/types/tasks_error_workflow_step.md
deleted file mode 100644
index 457cc00b6..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_error_workflow_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksErrorWorkflowStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksErrorWorkflowStep
-
-> Auto-generated documentation for [julep.api.types.tasks_error_workflow_step](../../../../../../../julep/api/types/tasks_error_workflow_step.py) module.
-
-- [TasksErrorWorkflowStep](#taskserrorworkflowstep)
- - [TasksErrorWorkflowStep](#taskserrorworkflowstep-1)
-
-## TasksErrorWorkflowStep
-
-[Show source in tasks_error_workflow_step.py:10](../../../../../../../julep/api/types/tasks_error_workflow_step.py#L10)
-
-#### Signature
-
-```python
-class TasksErrorWorkflowStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksErrorWorkflowStep().dict
-
-[Show source in tasks_error_workflow_step.py:24](../../../../../../../julep/api/types/tasks_error_workflow_step.py#L24)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksErrorWorkflowStep().json
-
-[Show source in tasks_error_workflow_step.py:16](../../../../../../../julep/api/types/tasks_error_workflow_step.py#L16)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_evaluate_step.md b/docs/python-sdk-docs/julep/api/types/tasks_evaluate_step.md
deleted file mode 100644
index cc9d0b45e..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_evaluate_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksEvaluateStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksEvaluateStep
-
-> Auto-generated documentation for [julep.api.types.tasks_evaluate_step](../../../../../../../julep/api/types/tasks_evaluate_step.py) module.
-
-- [TasksEvaluateStep](#tasksevaluatestep)
- - [TasksEvaluateStep](#tasksevaluatestep-1)
-
-## TasksEvaluateStep
-
-[Show source in tasks_evaluate_step.py:11](../../../../../../../julep/api/types/tasks_evaluate_step.py#L11)
-
-#### Signature
-
-```python
-class TasksEvaluateStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksEvaluateStep().dict
-
-[Show source in tasks_evaluate_step.py:25](../../../../../../../julep/api/types/tasks_evaluate_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksEvaluateStep().json
-
-[Show source in tasks_evaluate_step.py:17](../../../../../../../julep/api/types/tasks_evaluate_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_foreach_do.md b/docs/python-sdk-docs/julep/api/types/tasks_foreach_do.md
deleted file mode 100644
index 29730240e..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_foreach_do.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksForeachDo
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksForeachDo
-
-> Auto-generated documentation for [julep.api.types.tasks_foreach_do](../../../../../../../julep/api/types/tasks_foreach_do.py) module.
-
-- [TasksForeachDo](#tasksforeachdo)
- - [TasksForeachDo](#tasksforeachdo-1)
-
-## TasksForeachDo
-
-[Show source in tasks_foreach_do.py:12](../../../../../../../julep/api/types/tasks_foreach_do.py#L12)
-
-#### Signature
-
-```python
-class TasksForeachDo(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDo().dict
-
-[Show source in tasks_foreach_do.py:31](../../../../../../../julep/api/types/tasks_foreach_do.py#L31)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDo().json
-
-[Show source in tasks_foreach_do.py:23](../../../../../../../julep/api/types/tasks_foreach_do.py#L23)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_foreach_do_do.md b/docs/python-sdk-docs/julep/api/types/tasks_foreach_do_do.md
deleted file mode 100644
index 729006800..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_foreach_do_do.md
+++ /dev/null
@@ -1,460 +0,0 @@
-# Tasks Foreach Do Do
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Foreach Do Do
-
-> Auto-generated documentation for [julep.api.types.tasks_foreach_do_do](../../../../../../../julep/api/types/tasks_foreach_do_do.py) module.
-
-- [Tasks Foreach Do Do](#tasks-foreach-do-do)
- - [TasksForeachDoDo_Embed](#tasksforeachdodo_embed)
- - [TasksForeachDoDo_Error](#tasksforeachdodo_error)
- - [TasksForeachDoDo_Evaluate](#tasksforeachdodo_evaluate)
- - [TasksForeachDoDo_Get](#tasksforeachdodo_get)
- - [TasksForeachDoDo_Log](#tasksforeachdodo_log)
- - [TasksForeachDoDo_Prompt](#tasksforeachdodo_prompt)
- - [TasksForeachDoDo_Return](#tasksforeachdodo_return)
- - [TasksForeachDoDo_Search](#tasksforeachdodo_search)
- - [TasksForeachDoDo_Set](#tasksforeachdodo_set)
- - [TasksForeachDoDo_Sleep](#tasksforeachdodo_sleep)
- - [TasksForeachDoDo_ToolCall](#tasksforeachdodo_toolcall)
- - [TasksForeachDoDo_WaitForInput](#tasksforeachdodo_waitforinput)
- - [TasksForeachDoDo_Yield](#tasksforeachdodo_yield)
-
-## TasksForeachDoDo_Embed
-
-[Show source in tasks_foreach_do_do.py:447](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L447)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Embed(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Embed().dict
-
-[Show source in tasks_foreach_do_do.py:463](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L463)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Embed().json
-
-[Show source in tasks_foreach_do_do.py:455](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L455)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_Error
-
-[Show source in tasks_foreach_do_do.py:195](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L195)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Error(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Error().dict
-
-[Show source in tasks_foreach_do_do.py:211](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L211)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Error().json
-
-[Show source in tasks_foreach_do_do.py:203](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L203)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_Evaluate
-
-[Show source in tasks_foreach_do_do.py:20](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L20)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Evaluate(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Evaluate().dict
-
-[Show source in tasks_foreach_do_do.py:38](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L38)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Evaluate().json
-
-[Show source in tasks_foreach_do_do.py:30](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L30)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_Get
-
-[Show source in tasks_foreach_do_do.py:321](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L321)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Get(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Get().dict
-
-[Show source in tasks_foreach_do_do.py:337](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L337)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Get().json
-
-[Show source in tasks_foreach_do_do.py:329](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L329)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_Log
-
-[Show source in tasks_foreach_do_do.py:405](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L405)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Log(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Log().dict
-
-[Show source in tasks_foreach_do_do.py:421](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L421)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Log().json
-
-[Show source in tasks_foreach_do_do.py:413](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L413)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_Prompt
-
-[Show source in tasks_foreach_do_do.py:152](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L152)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Prompt(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Prompt().dict
-
-[Show source in tasks_foreach_do_do.py:169](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L169)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Prompt().json
-
-[Show source in tasks_foreach_do_do.py:161](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L161)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_Return
-
-[Show source in tasks_foreach_do_do.py:279](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L279)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Return(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Return().dict
-
-[Show source in tasks_foreach_do_do.py:295](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L295)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Return().json
-
-[Show source in tasks_foreach_do_do.py:287](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L287)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_Search
-
-[Show source in tasks_foreach_do_do.py:489](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L489)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Search(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Search().dict
-
-[Show source in tasks_foreach_do_do.py:505](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L505)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Search().json
-
-[Show source in tasks_foreach_do_do.py:497](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L497)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_Set
-
-[Show source in tasks_foreach_do_do.py:363](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L363)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Set(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Set().dict
-
-[Show source in tasks_foreach_do_do.py:379](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L379)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Set().json
-
-[Show source in tasks_foreach_do_do.py:371](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L371)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_Sleep
-
-[Show source in tasks_foreach_do_do.py:237](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L237)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Sleep(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Sleep().dict
-
-[Show source in tasks_foreach_do_do.py:253](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L253)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Sleep().json
-
-[Show source in tasks_foreach_do_do.py:245](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L245)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_ToolCall
-
-[Show source in tasks_foreach_do_do.py:64](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L64)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_ToolCall(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_ToolCall().dict
-
-[Show source in tasks_foreach_do_do.py:83](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L83)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_ToolCall().json
-
-[Show source in tasks_foreach_do_do.py:75](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L75)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_WaitForInput
-
-[Show source in tasks_foreach_do_do.py:531](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L531)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_WaitForInput(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_WaitForInput().dict
-
-[Show source in tasks_foreach_do_do.py:549](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L549)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_WaitForInput().json
-
-[Show source in tasks_foreach_do_do.py:541](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L541)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksForeachDoDo_Yield
-
-[Show source in tasks_foreach_do_do.py:109](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L109)
-
-The steps to run for each iteration
-
-#### Signature
-
-```python
-class TasksForeachDoDo_Yield(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachDoDo_Yield().dict
-
-[Show source in tasks_foreach_do_do.py:126](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L126)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachDoDo_Yield().json
-
-[Show source in tasks_foreach_do_do.py:118](../../../../../../../julep/api/types/tasks_foreach_do_do.py#L118)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_foreach_step.md b/docs/python-sdk-docs/julep/api/types/tasks_foreach_step.md
deleted file mode 100644
index 563f1c526..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_foreach_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksForeachStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksForeachStep
-
-> Auto-generated documentation for [julep.api.types.tasks_foreach_step](../../../../../../../julep/api/types/tasks_foreach_step.py) module.
-
-- [TasksForeachStep](#tasksforeachstep)
- - [TasksForeachStep](#tasksforeachstep-1)
-
-## TasksForeachStep
-
-[Show source in tasks_foreach_step.py:11](../../../../../../../julep/api/types/tasks_foreach_step.py#L11)
-
-#### Signature
-
-```python
-class TasksForeachStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksForeachStep().dict
-
-[Show source in tasks_foreach_step.py:25](../../../../../../../julep/api/types/tasks_foreach_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksForeachStep().json
-
-[Show source in tasks_foreach_step.py:17](../../../../../../../julep/api/types/tasks_foreach_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_get_step.md b/docs/python-sdk-docs/julep/api/types/tasks_get_step.md
deleted file mode 100644
index 0bda9cb54..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_get_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksGetStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksGetStep
-
-> Auto-generated documentation for [julep.api.types.tasks_get_step](../../../../../../../julep/api/types/tasks_get_step.py) module.
-
-- [TasksGetStep](#tasksgetstep)
- - [TasksGetStep](#tasksgetstep-1)
-
-## TasksGetStep
-
-[Show source in tasks_get_step.py:10](../../../../../../../julep/api/types/tasks_get_step.py#L10)
-
-#### Signature
-
-```python
-class TasksGetStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksGetStep().dict
-
-[Show source in tasks_get_step.py:24](../../../../../../../julep/api/types/tasks_get_step.py#L24)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksGetStep().json
-
-[Show source in tasks_get_step.py:16](../../../../../../../julep/api/types/tasks_get_step.py#L16)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_if_else_workflow_step.md b/docs/python-sdk-docs/julep/api/types/tasks_if_else_workflow_step.md
deleted file mode 100644
index 27aa1d222..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_if_else_workflow_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksIfElseWorkflowStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksIfElseWorkflowStep
-
-> Auto-generated documentation for [julep.api.types.tasks_if_else_workflow_step](../../../../../../../julep/api/types/tasks_if_else_workflow_step.py) module.
-
-- [TasksIfElseWorkflowStep](#tasksifelseworkflowstep)
- - [TasksIfElseWorkflowStep](#tasksifelseworkflowstep-1)
-
-## TasksIfElseWorkflowStep
-
-[Show source in tasks_if_else_workflow_step.py:13](../../../../../../../julep/api/types/tasks_if_else_workflow_step.py#L13)
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStep().dict
-
-[Show source in tasks_if_else_workflow_step.py:37](../../../../../../../julep/api/types/tasks_if_else_workflow_step.py#L37)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStep().json
-
-[Show source in tasks_if_else_workflow_step.py:29](../../../../../../../julep/api/types/tasks_if_else_workflow_step.py#L29)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_if_else_workflow_step_else.md b/docs/python-sdk-docs/julep/api/types/tasks_if_else_workflow_step_else.md
deleted file mode 100644
index e3928449c..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_if_else_workflow_step_else.md
+++ /dev/null
@@ -1,460 +0,0 @@
-# Tasks If Else Workflow Step Else
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks If Else Workflow Step Else
-
-> Auto-generated documentation for [julep.api.types.tasks_if_else_workflow_step_else](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py) module.
-
-- [Tasks If Else Workflow Step Else](#tasks-if-else-workflow-step-else)
- - [TasksIfElseWorkflowStepElse_Embed](#tasksifelseworkflowstepelse_embed)
- - [TasksIfElseWorkflowStepElse_Error](#tasksifelseworkflowstepelse_error)
- - [TasksIfElseWorkflowStepElse_Evaluate](#tasksifelseworkflowstepelse_evaluate)
- - [TasksIfElseWorkflowStepElse_Get](#tasksifelseworkflowstepelse_get)
- - [TasksIfElseWorkflowStepElse_Log](#tasksifelseworkflowstepelse_log)
- - [TasksIfElseWorkflowStepElse_Prompt](#tasksifelseworkflowstepelse_prompt)
- - [TasksIfElseWorkflowStepElse_Return](#tasksifelseworkflowstepelse_return)
- - [TasksIfElseWorkflowStepElse_Search](#tasksifelseworkflowstepelse_search)
- - [TasksIfElseWorkflowStepElse_Set](#tasksifelseworkflowstepelse_set)
- - [TasksIfElseWorkflowStepElse_Sleep](#tasksifelseworkflowstepelse_sleep)
- - [TasksIfElseWorkflowStepElse_ToolCall](#tasksifelseworkflowstepelse_toolcall)
- - [TasksIfElseWorkflowStepElse_WaitForInput](#tasksifelseworkflowstepelse_waitforinput)
- - [TasksIfElseWorkflowStepElse_Yield](#tasksifelseworkflowstepelse_yield)
-
-## TasksIfElseWorkflowStepElse_Embed
-
-[Show source in tasks_if_else_workflow_step_else.py:447](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L447)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Embed(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Embed().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:463](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L463)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Embed().json
-
-[Show source in tasks_if_else_workflow_step_else.py:455](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L455)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_Error
-
-[Show source in tasks_if_else_workflow_step_else.py:195](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L195)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Error(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Error().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:211](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L211)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Error().json
-
-[Show source in tasks_if_else_workflow_step_else.py:203](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L203)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_Evaluate
-
-[Show source in tasks_if_else_workflow_step_else.py:20](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L20)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Evaluate(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Evaluate().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:38](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L38)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Evaluate().json
-
-[Show source in tasks_if_else_workflow_step_else.py:30](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L30)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_Get
-
-[Show source in tasks_if_else_workflow_step_else.py:321](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L321)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Get(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Get().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:337](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L337)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Get().json
-
-[Show source in tasks_if_else_workflow_step_else.py:329](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L329)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_Log
-
-[Show source in tasks_if_else_workflow_step_else.py:405](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L405)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Log(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Log().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:421](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L421)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Log().json
-
-[Show source in tasks_if_else_workflow_step_else.py:413](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L413)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_Prompt
-
-[Show source in tasks_if_else_workflow_step_else.py:152](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L152)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Prompt(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Prompt().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:169](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L169)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Prompt().json
-
-[Show source in tasks_if_else_workflow_step_else.py:161](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L161)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_Return
-
-[Show source in tasks_if_else_workflow_step_else.py:279](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L279)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Return(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Return().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:295](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L295)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Return().json
-
-[Show source in tasks_if_else_workflow_step_else.py:287](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L287)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_Search
-
-[Show source in tasks_if_else_workflow_step_else.py:489](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L489)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Search(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Search().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:505](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L505)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Search().json
-
-[Show source in tasks_if_else_workflow_step_else.py:497](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L497)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_Set
-
-[Show source in tasks_if_else_workflow_step_else.py:363](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L363)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Set(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Set().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:379](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L379)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Set().json
-
-[Show source in tasks_if_else_workflow_step_else.py:371](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L371)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_Sleep
-
-[Show source in tasks_if_else_workflow_step_else.py:237](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L237)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Sleep(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Sleep().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:253](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L253)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Sleep().json
-
-[Show source in tasks_if_else_workflow_step_else.py:245](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L245)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_ToolCall
-
-[Show source in tasks_if_else_workflow_step_else.py:64](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L64)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_ToolCall(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_ToolCall().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:83](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L83)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_ToolCall().json
-
-[Show source in tasks_if_else_workflow_step_else.py:75](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L75)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_WaitForInput
-
-[Show source in tasks_if_else_workflow_step_else.py:531](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L531)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_WaitForInput(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_WaitForInput().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:549](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L549)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_WaitForInput().json
-
-[Show source in tasks_if_else_workflow_step_else.py:541](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L541)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepElse_Yield
-
-[Show source in tasks_if_else_workflow_step_else.py:109](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L109)
-
-The steps to run if the condition is false
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepElse_Yield(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepElse_Yield().dict
-
-[Show source in tasks_if_else_workflow_step_else.py:126](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L126)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepElse_Yield().json
-
-[Show source in tasks_if_else_workflow_step_else.py:118](../../../../../../../julep/api/types/tasks_if_else_workflow_step_else.py#L118)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_if_else_workflow_step_then.md b/docs/python-sdk-docs/julep/api/types/tasks_if_else_workflow_step_then.md
deleted file mode 100644
index 75ef5edf1..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_if_else_workflow_step_then.md
+++ /dev/null
@@ -1,460 +0,0 @@
-# Tasks If Else Workflow Step Then
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks If Else Workflow Step Then
-
-> Auto-generated documentation for [julep.api.types.tasks_if_else_workflow_step_then](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py) module.
-
-- [Tasks If Else Workflow Step Then](#tasks-if-else-workflow-step-then)
- - [TasksIfElseWorkflowStepThen_Embed](#tasksifelseworkflowstepthen_embed)
- - [TasksIfElseWorkflowStepThen_Error](#tasksifelseworkflowstepthen_error)
- - [TasksIfElseWorkflowStepThen_Evaluate](#tasksifelseworkflowstepthen_evaluate)
- - [TasksIfElseWorkflowStepThen_Get](#tasksifelseworkflowstepthen_get)
- - [TasksIfElseWorkflowStepThen_Log](#tasksifelseworkflowstepthen_log)
- - [TasksIfElseWorkflowStepThen_Prompt](#tasksifelseworkflowstepthen_prompt)
- - [TasksIfElseWorkflowStepThen_Return](#tasksifelseworkflowstepthen_return)
- - [TasksIfElseWorkflowStepThen_Search](#tasksifelseworkflowstepthen_search)
- - [TasksIfElseWorkflowStepThen_Set](#tasksifelseworkflowstepthen_set)
- - [TasksIfElseWorkflowStepThen_Sleep](#tasksifelseworkflowstepthen_sleep)
- - [TasksIfElseWorkflowStepThen_ToolCall](#tasksifelseworkflowstepthen_toolcall)
- - [TasksIfElseWorkflowStepThen_WaitForInput](#tasksifelseworkflowstepthen_waitforinput)
- - [TasksIfElseWorkflowStepThen_Yield](#tasksifelseworkflowstepthen_yield)
-
-## TasksIfElseWorkflowStepThen_Embed
-
-[Show source in tasks_if_else_workflow_step_then.py:447](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L447)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Embed(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Embed().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:463](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L463)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Embed().json
-
-[Show source in tasks_if_else_workflow_step_then.py:455](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L455)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_Error
-
-[Show source in tasks_if_else_workflow_step_then.py:195](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L195)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Error(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Error().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:211](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L211)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Error().json
-
-[Show source in tasks_if_else_workflow_step_then.py:203](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L203)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_Evaluate
-
-[Show source in tasks_if_else_workflow_step_then.py:20](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L20)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Evaluate(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Evaluate().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:38](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L38)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Evaluate().json
-
-[Show source in tasks_if_else_workflow_step_then.py:30](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L30)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_Get
-
-[Show source in tasks_if_else_workflow_step_then.py:321](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L321)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Get(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Get().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:337](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L337)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Get().json
-
-[Show source in tasks_if_else_workflow_step_then.py:329](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L329)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_Log
-
-[Show source in tasks_if_else_workflow_step_then.py:405](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L405)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Log(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Log().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:421](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L421)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Log().json
-
-[Show source in tasks_if_else_workflow_step_then.py:413](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L413)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_Prompt
-
-[Show source in tasks_if_else_workflow_step_then.py:152](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L152)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Prompt(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Prompt().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:169](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L169)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Prompt().json
-
-[Show source in tasks_if_else_workflow_step_then.py:161](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L161)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_Return
-
-[Show source in tasks_if_else_workflow_step_then.py:279](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L279)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Return(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Return().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:295](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L295)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Return().json
-
-[Show source in tasks_if_else_workflow_step_then.py:287](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L287)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_Search
-
-[Show source in tasks_if_else_workflow_step_then.py:489](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L489)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Search(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Search().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:505](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L505)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Search().json
-
-[Show source in tasks_if_else_workflow_step_then.py:497](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L497)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_Set
-
-[Show source in tasks_if_else_workflow_step_then.py:363](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L363)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Set(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Set().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:379](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L379)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Set().json
-
-[Show source in tasks_if_else_workflow_step_then.py:371](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L371)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_Sleep
-
-[Show source in tasks_if_else_workflow_step_then.py:237](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L237)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Sleep(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Sleep().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:253](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L253)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Sleep().json
-
-[Show source in tasks_if_else_workflow_step_then.py:245](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L245)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_ToolCall
-
-[Show source in tasks_if_else_workflow_step_then.py:64](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L64)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_ToolCall(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_ToolCall().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:83](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L83)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_ToolCall().json
-
-[Show source in tasks_if_else_workflow_step_then.py:75](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L75)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_WaitForInput
-
-[Show source in tasks_if_else_workflow_step_then.py:531](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L531)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_WaitForInput(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_WaitForInput().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:549](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L549)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_WaitForInput().json
-
-[Show source in tasks_if_else_workflow_step_then.py:541](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L541)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksIfElseWorkflowStepThen_Yield
-
-[Show source in tasks_if_else_workflow_step_then.py:109](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L109)
-
-The steps to run if the condition is true
-
-#### Signature
-
-```python
-class TasksIfElseWorkflowStepThen_Yield(pydantic_v1.BaseModel): ...
-```
-
-### TasksIfElseWorkflowStepThen_Yield().dict
-
-[Show source in tasks_if_else_workflow_step_then.py:126](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L126)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksIfElseWorkflowStepThen_Yield().json
-
-[Show source in tasks_if_else_workflow_step_then.py:118](../../../../../../../julep/api/types/tasks_if_else_workflow_step_then.py#L118)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_log_step.md b/docs/python-sdk-docs/julep/api/types/tasks_log_step.md
deleted file mode 100644
index 2ab4a3c39..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_log_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksLogStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksLogStep
-
-> Auto-generated documentation for [julep.api.types.tasks_log_step](../../../../../../../julep/api/types/tasks_log_step.py) module.
-
-- [TasksLogStep](#taskslogstep)
- - [TasksLogStep](#taskslogstep-1)
-
-## TasksLogStep
-
-[Show source in tasks_log_step.py:11](../../../../../../../julep/api/types/tasks_log_step.py#L11)
-
-#### Signature
-
-```python
-class TasksLogStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksLogStep().dict
-
-[Show source in tasks_log_step.py:25](../../../../../../../julep/api/types/tasks_log_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksLogStep().json
-
-[Show source in tasks_log_step.py:17](../../../../../../../julep/api/types/tasks_log_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_map_over.md b/docs/python-sdk-docs/julep/api/types/tasks_map_over.md
deleted file mode 100644
index af877ed87..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_map_over.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksMapOver
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksMapOver
-
-> Auto-generated documentation for [julep.api.types.tasks_map_over](../../../../../../../julep/api/types/tasks_map_over.py) module.
-
-- [TasksMapOver](#tasksmapover)
- - [TasksMapOver](#tasksmapover-1)
-
-## TasksMapOver
-
-[Show source in tasks_map_over.py:11](../../../../../../../julep/api/types/tasks_map_over.py#L11)
-
-#### Signature
-
-```python
-class TasksMapOver(pydantic_v1.BaseModel): ...
-```
-
-### TasksMapOver().dict
-
-[Show source in tasks_map_over.py:30](../../../../../../../julep/api/types/tasks_map_over.py#L30)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksMapOver().json
-
-[Show source in tasks_map_over.py:22](../../../../../../../julep/api/types/tasks_map_over.py#L22)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_map_reduce_step.md b/docs/python-sdk-docs/julep/api/types/tasks_map_reduce_step.md
deleted file mode 100644
index 15fe7be42..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_map_reduce_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksMapReduceStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksMapReduceStep
-
-> Auto-generated documentation for [julep.api.types.tasks_map_reduce_step](../../../../../../../julep/api/types/tasks_map_reduce_step.py) module.
-
-- [TasksMapReduceStep](#tasksmapreducestep)
- - [TasksMapReduceStep](#tasksmapreducestep-1)
-
-## TasksMapReduceStep
-
-[Show source in tasks_map_reduce_step.py:12](../../../../../../../julep/api/types/tasks_map_reduce_step.py#L12)
-
-#### Signature
-
-```python
-class TasksMapReduceStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksMapReduceStep().dict
-
-[Show source in tasks_map_reduce_step.py:31](../../../../../../../julep/api/types/tasks_map_reduce_step.py#L31)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksMapReduceStep().json
-
-[Show source in tasks_map_reduce_step.py:23](../../../../../../../julep/api/types/tasks_map_reduce_step.py#L23)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_parallel_step.md b/docs/python-sdk-docs/julep/api/types/tasks_parallel_step.md
deleted file mode 100644
index 3c2c08d7d..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_parallel_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksParallelStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksParallelStep
-
-> Auto-generated documentation for [julep.api.types.tasks_parallel_step](../../../../../../../julep/api/types/tasks_parallel_step.py) module.
-
-- [TasksParallelStep](#tasksparallelstep)
- - [TasksParallelStep](#tasksparallelstep-1)
-
-## TasksParallelStep
-
-[Show source in tasks_parallel_step.py:11](../../../../../../../julep/api/types/tasks_parallel_step.py#L11)
-
-#### Signature
-
-```python
-class TasksParallelStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStep().dict
-
-[Show source in tasks_parallel_step.py:25](../../../../../../../julep/api/types/tasks_parallel_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStep().json
-
-[Show source in tasks_parallel_step.py:17](../../../../../../../julep/api/types/tasks_parallel_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_parallel_step_parallel_item.md b/docs/python-sdk-docs/julep/api/types/tasks_parallel_step_parallel_item.md
deleted file mode 100644
index 6ac00488b..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_parallel_step_parallel_item.md
+++ /dev/null
@@ -1,434 +0,0 @@
-# Tasks Parallel Step Parallel Item
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Parallel Step Parallel Item
-
-> Auto-generated documentation for [julep.api.types.tasks_parallel_step_parallel_item](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py) module.
-
-- [Tasks Parallel Step Parallel Item](#tasks-parallel-step-parallel-item)
- - [TasksParallelStepParallelItem_Embed](#tasksparallelstepparallelitem_embed)
- - [TasksParallelStepParallelItem_Error](#tasksparallelstepparallelitem_error)
- - [TasksParallelStepParallelItem_Evaluate](#tasksparallelstepparallelitem_evaluate)
- - [TasksParallelStepParallelItem_Get](#tasksparallelstepparallelitem_get)
- - [TasksParallelStepParallelItem_Log](#tasksparallelstepparallelitem_log)
- - [TasksParallelStepParallelItem_Prompt](#tasksparallelstepparallelitem_prompt)
- - [TasksParallelStepParallelItem_Return](#tasksparallelstepparallelitem_return)
- - [TasksParallelStepParallelItem_Search](#tasksparallelstepparallelitem_search)
- - [TasksParallelStepParallelItem_Set](#tasksparallelstepparallelitem_set)
- - [TasksParallelStepParallelItem_Sleep](#tasksparallelstepparallelitem_sleep)
- - [TasksParallelStepParallelItem_ToolCall](#tasksparallelstepparallelitem_toolcall)
- - [TasksParallelStepParallelItem_WaitForInput](#tasksparallelstepparallelitem_waitforinput)
- - [TasksParallelStepParallelItem_Yield](#tasksparallelstepparallelitem_yield)
-
-## TasksParallelStepParallelItem_Embed
-
-[Show source in tasks_parallel_step_parallel_item.py:407](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L407)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Embed(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Embed().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:419](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L419)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Embed().json
-
-[Show source in tasks_parallel_step_parallel_item.py:411](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L411)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_Error
-
-[Show source in tasks_parallel_step_parallel_item.py:179](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L179)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Error(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Error().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:191](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L191)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Error().json
-
-[Show source in tasks_parallel_step_parallel_item.py:183](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L183)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_Evaluate
-
-[Show source in tasks_parallel_step_parallel_item.py:20](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L20)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Evaluate(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Evaluate().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:34](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L34)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Evaluate().json
-
-[Show source in tasks_parallel_step_parallel_item.py:26](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L26)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_Get
-
-[Show source in tasks_parallel_step_parallel_item.py:293](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L293)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Get(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Get().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:305](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L305)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Get().json
-
-[Show source in tasks_parallel_step_parallel_item.py:297](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L297)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_Log
-
-[Show source in tasks_parallel_step_parallel_item.py:369](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L369)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Log(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Log().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:381](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L381)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Log().json
-
-[Show source in tasks_parallel_step_parallel_item.py:373](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L373)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_Prompt
-
-[Show source in tasks_parallel_step_parallel_item.py:140](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L140)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Prompt(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Prompt().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:153](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L153)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Prompt().json
-
-[Show source in tasks_parallel_step_parallel_item.py:145](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L145)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_Return
-
-[Show source in tasks_parallel_step_parallel_item.py:255](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L255)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Return(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Return().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:267](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L267)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Return().json
-
-[Show source in tasks_parallel_step_parallel_item.py:259](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L259)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_Search
-
-[Show source in tasks_parallel_step_parallel_item.py:445](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L445)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Search(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Search().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:457](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L457)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Search().json
-
-[Show source in tasks_parallel_step_parallel_item.py:449](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L449)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_Set
-
-[Show source in tasks_parallel_step_parallel_item.py:331](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L331)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Set(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Set().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:343](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L343)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Set().json
-
-[Show source in tasks_parallel_step_parallel_item.py:335](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L335)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_Sleep
-
-[Show source in tasks_parallel_step_parallel_item.py:217](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L217)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Sleep(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Sleep().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:229](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L229)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Sleep().json
-
-[Show source in tasks_parallel_step_parallel_item.py:221](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L221)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_ToolCall
-
-[Show source in tasks_parallel_step_parallel_item.py:60](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L60)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_ToolCall(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_ToolCall().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:75](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L75)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_ToolCall().json
-
-[Show source in tasks_parallel_step_parallel_item.py:67](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L67)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_WaitForInput
-
-[Show source in tasks_parallel_step_parallel_item.py:483](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L483)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_WaitForInput(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_WaitForInput().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:497](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L497)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_WaitForInput().json
-
-[Show source in tasks_parallel_step_parallel_item.py:489](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L489)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksParallelStepParallelItem_Yield
-
-[Show source in tasks_parallel_step_parallel_item.py:101](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L101)
-
-#### Signature
-
-```python
-class TasksParallelStepParallelItem_Yield(pydantic_v1.BaseModel): ...
-```
-
-### TasksParallelStepParallelItem_Yield().dict
-
-[Show source in tasks_parallel_step_parallel_item.py:114](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L114)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksParallelStepParallelItem_Yield().json
-
-[Show source in tasks_parallel_step_parallel_item.py:106](../../../../../../../julep/api/types/tasks_parallel_step_parallel_item.py#L106)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_patch_task_request_main_item.md b/docs/python-sdk-docs/julep/api/types/tasks_patch_task_request_main_item.md
deleted file mode 100644
index de1078439..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_patch_task_request_main_item.md
+++ /dev/null
@@ -1,599 +0,0 @@
-# Tasks Patch Task Request Main Item
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Patch Task Request Main Item
-
-> Auto-generated documentation for [julep.api.types.tasks_patch_task_request_main_item](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py) module.
-
-- [Tasks Patch Task Request Main Item](#tasks-patch-task-request-main-item)
- - [TasksPatchTaskRequestMainItem_Embed](#taskspatchtaskrequestmainitem_embed)
- - [TasksPatchTaskRequestMainItem_Error](#taskspatchtaskrequestmainitem_error)
- - [TasksPatchTaskRequestMainItem_Evaluate](#taskspatchtaskrequestmainitem_evaluate)
- - [TasksPatchTaskRequestMainItem_Foreach](#taskspatchtaskrequestmainitem_foreach)
- - [TasksPatchTaskRequestMainItem_Get](#taskspatchtaskrequestmainitem_get)
- - [TasksPatchTaskRequestMainItem_IfElse](#taskspatchtaskrequestmainitem_ifelse)
- - [TasksPatchTaskRequestMainItem_Log](#taskspatchtaskrequestmainitem_log)
- - [TasksPatchTaskRequestMainItem_MapReduce](#taskspatchtaskrequestmainitem_mapreduce)
- - [TasksPatchTaskRequestMainItem_Parallel](#taskspatchtaskrequestmainitem_parallel)
- - [TasksPatchTaskRequestMainItem_Prompt](#taskspatchtaskrequestmainitem_prompt)
- - [TasksPatchTaskRequestMainItem_Return](#taskspatchtaskrequestmainitem_return)
- - [TasksPatchTaskRequestMainItem_Search](#taskspatchtaskrequestmainitem_search)
- - [TasksPatchTaskRequestMainItem_Set](#taskspatchtaskrequestmainitem_set)
- - [TasksPatchTaskRequestMainItem_Sleep](#taskspatchtaskrequestmainitem_sleep)
- - [TasksPatchTaskRequestMainItem_Switch](#taskspatchtaskrequestmainitem_switch)
- - [TasksPatchTaskRequestMainItem_ToolCall](#taskspatchtaskrequestmainitem_toolcall)
- - [TasksPatchTaskRequestMainItem_WaitForInput](#taskspatchtaskrequestmainitem_waitforinput)
- - [TasksPatchTaskRequestMainItem_Yield](#taskspatchtaskrequestmainitem_yield)
-
-## TasksPatchTaskRequestMainItem_Embed
-
-[Show source in tasks_patch_task_request_main_item.py:413](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L413)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Embed(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Embed().dict
-
-[Show source in tasks_patch_task_request_main_item.py:425](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L425)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Embed().json
-
-[Show source in tasks_patch_task_request_main_item.py:417](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L417)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Error
-
-[Show source in tasks_patch_task_request_main_item.py:185](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L185)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Error(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Error().dict
-
-[Show source in tasks_patch_task_request_main_item.py:197](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L197)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Error().json
-
-[Show source in tasks_patch_task_request_main_item.py:189](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L189)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Evaluate
-
-[Show source in tasks_patch_task_request_main_item.py:26](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L26)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Evaluate(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Evaluate().dict
-
-[Show source in tasks_patch_task_request_main_item.py:40](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L40)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Evaluate().json
-
-[Show source in tasks_patch_task_request_main_item.py:32](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L32)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Foreach
-
-[Show source in tasks_patch_task_request_main_item.py:609](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L609)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Foreach(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Foreach().dict
-
-[Show source in tasks_patch_task_request_main_item.py:623](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L623)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Foreach().json
-
-[Show source in tasks_patch_task_request_main_item.py:615](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L615)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Get
-
-[Show source in tasks_patch_task_request_main_item.py:299](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L299)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Get(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Get().dict
-
-[Show source in tasks_patch_task_request_main_item.py:311](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L311)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Get().json
-
-[Show source in tasks_patch_task_request_main_item.py:303](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L303)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_IfElse
-
-[Show source in tasks_patch_task_request_main_item.py:529](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L529)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_IfElse(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_IfElse().dict
-
-[Show source in tasks_patch_task_request_main_item.py:545](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L545)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_IfElse().json
-
-[Show source in tasks_patch_task_request_main_item.py:537](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L537)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Log
-
-[Show source in tasks_patch_task_request_main_item.py:375](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L375)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Log(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Log().dict
-
-[Show source in tasks_patch_task_request_main_item.py:387](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L387)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Log().json
-
-[Show source in tasks_patch_task_request_main_item.py:379](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L379)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_MapReduce
-
-[Show source in tasks_patch_task_request_main_item.py:689](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L689)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_MapReduce(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_MapReduce().dict
-
-[Show source in tasks_patch_task_request_main_item.py:704](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L704)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_MapReduce().json
-
-[Show source in tasks_patch_task_request_main_item.py:696](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L696)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Parallel
-
-[Show source in tasks_patch_task_request_main_item.py:649](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L649)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Parallel(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Parallel().dict
-
-[Show source in tasks_patch_task_request_main_item.py:663](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L663)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Parallel().json
-
-[Show source in tasks_patch_task_request_main_item.py:655](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L655)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Prompt
-
-[Show source in tasks_patch_task_request_main_item.py:146](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L146)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Prompt(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Prompt().dict
-
-[Show source in tasks_patch_task_request_main_item.py:159](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L159)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Prompt().json
-
-[Show source in tasks_patch_task_request_main_item.py:151](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L151)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Return
-
-[Show source in tasks_patch_task_request_main_item.py:261](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L261)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Return(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Return().dict
-
-[Show source in tasks_patch_task_request_main_item.py:273](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L273)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Return().json
-
-[Show source in tasks_patch_task_request_main_item.py:265](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L265)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Search
-
-[Show source in tasks_patch_task_request_main_item.py:451](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L451)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Search(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Search().dict
-
-[Show source in tasks_patch_task_request_main_item.py:463](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L463)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Search().json
-
-[Show source in tasks_patch_task_request_main_item.py:455](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L455)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Set
-
-[Show source in tasks_patch_task_request_main_item.py:337](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L337)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Set(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Set().dict
-
-[Show source in tasks_patch_task_request_main_item.py:349](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L349)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Set().json
-
-[Show source in tasks_patch_task_request_main_item.py:341](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L341)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Sleep
-
-[Show source in tasks_patch_task_request_main_item.py:223](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L223)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Sleep(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Sleep().dict
-
-[Show source in tasks_patch_task_request_main_item.py:235](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L235)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Sleep().json
-
-[Show source in tasks_patch_task_request_main_item.py:227](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L227)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Switch
-
-[Show source in tasks_patch_task_request_main_item.py:571](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L571)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Switch(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Switch().dict
-
-[Show source in tasks_patch_task_request_main_item.py:583](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L583)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Switch().json
-
-[Show source in tasks_patch_task_request_main_item.py:575](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L575)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_ToolCall
-
-[Show source in tasks_patch_task_request_main_item.py:66](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L66)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_ToolCall(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_ToolCall().dict
-
-[Show source in tasks_patch_task_request_main_item.py:81](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L81)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_ToolCall().json
-
-[Show source in tasks_patch_task_request_main_item.py:73](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L73)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_WaitForInput
-
-[Show source in tasks_patch_task_request_main_item.py:489](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L489)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_WaitForInput(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_WaitForInput().dict
-
-[Show source in tasks_patch_task_request_main_item.py:503](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L503)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_WaitForInput().json
-
-[Show source in tasks_patch_task_request_main_item.py:495](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L495)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksPatchTaskRequestMainItem_Yield
-
-[Show source in tasks_patch_task_request_main_item.py:107](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L107)
-
-#### Signature
-
-```python
-class TasksPatchTaskRequestMainItem_Yield(pydantic_v1.BaseModel): ...
-```
-
-### TasksPatchTaskRequestMainItem_Yield().dict
-
-[Show source in tasks_patch_task_request_main_item.py:120](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L120)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPatchTaskRequestMainItem_Yield().json
-
-[Show source in tasks_patch_task_request_main_item.py:112](../../../../../../../julep/api/types/tasks_patch_task_request_main_item.py#L112)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_prompt_step.md b/docs/python-sdk-docs/julep/api/types/tasks_prompt_step.md
deleted file mode 100644
index aead87f7b..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_prompt_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksPromptStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksPromptStep
-
-> Auto-generated documentation for [julep.api.types.tasks_prompt_step](../../../../../../../julep/api/types/tasks_prompt_step.py) module.
-
-- [TasksPromptStep](#taskspromptstep)
- - [TasksPromptStep](#taskspromptstep-1)
-
-## TasksPromptStep
-
-[Show source in tasks_prompt_step.py:12](../../../../../../../julep/api/types/tasks_prompt_step.py#L12)
-
-#### Signature
-
-```python
-class TasksPromptStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksPromptStep().dict
-
-[Show source in tasks_prompt_step.py:31](../../../../../../../julep/api/types/tasks_prompt_step.py#L31)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksPromptStep().json
-
-[Show source in tasks_prompt_step.py:23](../../../../../../../julep/api/types/tasks_prompt_step.py#L23)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_prompt_step_prompt.md b/docs/python-sdk-docs/julep/api/types/tasks_prompt_step_prompt.md
deleted file mode 100644
index dcaf88924..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_prompt_step_prompt.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Tasks Prompt Step Prompt
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Prompt Step Prompt
-
-> Auto-generated documentation for [julep.api.types.tasks_prompt_step_prompt](../../../../../../../julep/api/types/tasks_prompt_step_prompt.py) module.
-- [Tasks Prompt Step Prompt](#tasks-prompt-step-prompt)
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_return_step.md b/docs/python-sdk-docs/julep/api/types/tasks_return_step.md
deleted file mode 100644
index 6ffe79f9a..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_return_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksReturnStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksReturnStep
-
-> Auto-generated documentation for [julep.api.types.tasks_return_step](../../../../../../../julep/api/types/tasks_return_step.py) module.
-
-- [TasksReturnStep](#tasksreturnstep)
- - [TasksReturnStep](#tasksreturnstep-1)
-
-## TasksReturnStep
-
-[Show source in tasks_return_step.py:11](../../../../../../../julep/api/types/tasks_return_step.py#L11)
-
-#### Signature
-
-```python
-class TasksReturnStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksReturnStep().dict
-
-[Show source in tasks_return_step.py:25](../../../../../../../julep/api/types/tasks_return_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksReturnStep().json
-
-[Show source in tasks_return_step.py:17](../../../../../../../julep/api/types/tasks_return_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_route_list_request_direction.md b/docs/python-sdk-docs/julep/api/types/tasks_route_list_request_direction.md
deleted file mode 100644
index a770714c2..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_route_list_request_direction.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Tasks Route List Request Direction
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Route List Request Direction
-
-> Auto-generated documentation for [julep.api.types.tasks_route_list_request_direction](../../../../../../../julep/api/types/tasks_route_list_request_direction.py) module.
-- [Tasks Route List Request Direction](#tasks-route-list-request-direction)
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_route_list_request_sort_by.md b/docs/python-sdk-docs/julep/api/types/tasks_route_list_request_sort_by.md
deleted file mode 100644
index 6724a2a5e..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_route_list_request_sort_by.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Tasks Route List Request Sort By
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Route List Request Sort By
-
-> Auto-generated documentation for [julep.api.types.tasks_route_list_request_sort_by](../../../../../../../julep/api/types/tasks_route_list_request_sort_by.py) module.
-- [Tasks Route List Request Sort By](#tasks-route-list-request-sort-by)
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_route_list_response.md b/docs/python-sdk-docs/julep/api/types/tasks_route_list_response.md
deleted file mode 100644
index 567d53784..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_route_list_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksRouteListResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksRouteListResponse
-
-> Auto-generated documentation for [julep.api.types.tasks_route_list_response](../../../../../../../julep/api/types/tasks_route_list_response.py) module.
-
-- [TasksRouteListResponse](#tasksroutelistresponse)
- - [TasksRouteListResponse](#tasksroutelistresponse-1)
-
-## TasksRouteListResponse
-
-[Show source in tasks_route_list_response.py:11](../../../../../../../julep/api/types/tasks_route_list_response.py#L11)
-
-#### Signature
-
-```python
-class TasksRouteListResponse(pydantic_v1.BaseModel): ...
-```
-
-### TasksRouteListResponse().dict
-
-[Show source in tasks_route_list_response.py:22](../../../../../../../julep/api/types/tasks_route_list_response.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksRouteListResponse().json
-
-[Show source in tasks_route_list_response.py:14](../../../../../../../julep/api/types/tasks_route_list_response.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_search_step.md b/docs/python-sdk-docs/julep/api/types/tasks_search_step.md
deleted file mode 100644
index 261961a32..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_search_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksSearchStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksSearchStep
-
-> Auto-generated documentation for [julep.api.types.tasks_search_step](../../../../../../../julep/api/types/tasks_search_step.py) module.
-
-- [TasksSearchStep](#taskssearchstep)
- - [TasksSearchStep](#taskssearchstep-1)
-
-## TasksSearchStep
-
-[Show source in tasks_search_step.py:11](../../../../../../../julep/api/types/tasks_search_step.py#L11)
-
-#### Signature
-
-```python
-class TasksSearchStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksSearchStep().dict
-
-[Show source in tasks_search_step.py:25](../../../../../../../julep/api/types/tasks_search_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksSearchStep().json
-
-[Show source in tasks_search_step.py:17](../../../../../../../julep/api/types/tasks_search_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_search_step_search.md b/docs/python-sdk-docs/julep/api/types/tasks_search_step_search.md
deleted file mode 100644
index 3a493bb23..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_search_step_search.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Tasks Search Step Search
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Search Step Search
-
-> Auto-generated documentation for [julep.api.types.tasks_search_step_search](../../../../../../../julep/api/types/tasks_search_step_search.py) module.
-- [Tasks Search Step Search](#tasks-search-step-search)
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_set_key.md b/docs/python-sdk-docs/julep/api/types/tasks_set_key.md
deleted file mode 100644
index 38598bcf3..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_set_key.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksSetKey
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksSetKey
-
-> Auto-generated documentation for [julep.api.types.tasks_set_key](../../../../../../../julep/api/types/tasks_set_key.py) module.
-
-- [TasksSetKey](#taskssetkey)
- - [TasksSetKey](#taskssetkey-1)
-
-## TasksSetKey
-
-[Show source in tasks_set_key.py:11](../../../../../../../julep/api/types/tasks_set_key.py#L11)
-
-#### Signature
-
-```python
-class TasksSetKey(pydantic_v1.BaseModel): ...
-```
-
-### TasksSetKey().dict
-
-[Show source in tasks_set_key.py:30](../../../../../../../julep/api/types/tasks_set_key.py#L30)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksSetKey().json
-
-[Show source in tasks_set_key.py:22](../../../../../../../julep/api/types/tasks_set_key.py#L22)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_set_step.md b/docs/python-sdk-docs/julep/api/types/tasks_set_step.md
deleted file mode 100644
index e8de84022..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_set_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksSetStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksSetStep
-
-> Auto-generated documentation for [julep.api.types.tasks_set_step](../../../../../../../julep/api/types/tasks_set_step.py) module.
-
-- [TasksSetStep](#taskssetstep)
- - [TasksSetStep](#taskssetstep-1)
-
-## TasksSetStep
-
-[Show source in tasks_set_step.py:11](../../../../../../../julep/api/types/tasks_set_step.py#L11)
-
-#### Signature
-
-```python
-class TasksSetStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksSetStep().dict
-
-[Show source in tasks_set_step.py:25](../../../../../../../julep/api/types/tasks_set_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksSetStep().json
-
-[Show source in tasks_set_step.py:17](../../../../../../../julep/api/types/tasks_set_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_set_step_set.md b/docs/python-sdk-docs/julep/api/types/tasks_set_step_set.md
deleted file mode 100644
index 142512310..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_set_step_set.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Tasks Set Step Set
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Set Step Set
-
-> Auto-generated documentation for [julep.api.types.tasks_set_step_set](../../../../../../../julep/api/types/tasks_set_step_set.py) module.
-- [Tasks Set Step Set](#tasks-set-step-set)
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_sleep_for.md b/docs/python-sdk-docs/julep/api/types/tasks_sleep_for.md
deleted file mode 100644
index 884627663..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_sleep_for.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksSleepFor
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksSleepFor
-
-> Auto-generated documentation for [julep.api.types.tasks_sleep_for](../../../../../../../julep/api/types/tasks_sleep_for.py) module.
-
-- [TasksSleepFor](#taskssleepfor)
- - [TasksSleepFor](#taskssleepfor-1)
-
-## TasksSleepFor
-
-[Show source in tasks_sleep_for.py:10](../../../../../../../julep/api/types/tasks_sleep_for.py#L10)
-
-#### Signature
-
-```python
-class TasksSleepFor(pydantic_v1.BaseModel): ...
-```
-
-### TasksSleepFor().dict
-
-[Show source in tasks_sleep_for.py:39](../../../../../../../julep/api/types/tasks_sleep_for.py#L39)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksSleepFor().json
-
-[Show source in tasks_sleep_for.py:31](../../../../../../../julep/api/types/tasks_sleep_for.py#L31)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_sleep_step.md b/docs/python-sdk-docs/julep/api/types/tasks_sleep_step.md
deleted file mode 100644
index b286704b0..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_sleep_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksSleepStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksSleepStep
-
-> Auto-generated documentation for [julep.api.types.tasks_sleep_step](../../../../../../../julep/api/types/tasks_sleep_step.py) module.
-
-- [TasksSleepStep](#taskssleepstep)
- - [TasksSleepStep](#taskssleepstep-1)
-
-## TasksSleepStep
-
-[Show source in tasks_sleep_step.py:11](../../../../../../../julep/api/types/tasks_sleep_step.py#L11)
-
-#### Signature
-
-```python
-class TasksSleepStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksSleepStep().dict
-
-[Show source in tasks_sleep_step.py:25](../../../../../../../julep/api/types/tasks_sleep_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksSleepStep().json
-
-[Show source in tasks_sleep_step.py:17](../../../../../../../julep/api/types/tasks_sleep_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_switch_step.md b/docs/python-sdk-docs/julep/api/types/tasks_switch_step.md
deleted file mode 100644
index ac6daef52..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_switch_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksSwitchStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksSwitchStep
-
-> Auto-generated documentation for [julep.api.types.tasks_switch_step](../../../../../../../julep/api/types/tasks_switch_step.py) module.
-
-- [TasksSwitchStep](#tasksswitchstep)
- - [TasksSwitchStep](#tasksswitchstep-1)
-
-## TasksSwitchStep
-
-[Show source in tasks_switch_step.py:11](../../../../../../../julep/api/types/tasks_switch_step.py#L11)
-
-#### Signature
-
-```python
-class TasksSwitchStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksSwitchStep().dict
-
-[Show source in tasks_switch_step.py:25](../../../../../../../julep/api/types/tasks_switch_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksSwitchStep().json
-
-[Show source in tasks_switch_step.py:17](../../../../../../../julep/api/types/tasks_switch_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_task.md b/docs/python-sdk-docs/julep/api/types/tasks_task.md
deleted file mode 100644
index 64d55c76d..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_task.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# TasksTask
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksTask
-
-> Auto-generated documentation for [julep.api.types.tasks_task](../../../../../../../julep/api/types/tasks_task.py) module.
-
-- [TasksTask](#taskstask)
- - [TasksTask](#taskstask-1)
-
-## TasksTask
-
-[Show source in tasks_task.py:13](../../../../../../../julep/api/types/tasks_task.py#L13)
-
-Object describing a Task
-
-#### Signature
-
-```python
-class TasksTask(pydantic_v1.BaseModel): ...
-```
-
-### TasksTask().dict
-
-[Show source in tasks_task.py:63](../../../../../../../julep/api/types/tasks_task.py#L63)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTask().json
-
-[Show source in tasks_task.py:55](../../../../../../../julep/api/types/tasks_task.py#L55)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_task_main_item.md b/docs/python-sdk-docs/julep/api/types/tasks_task_main_item.md
deleted file mode 100644
index ae12a2f50..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_task_main_item.md
+++ /dev/null
@@ -1,599 +0,0 @@
-# Tasks Task Main Item
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Task Main Item
-
-> Auto-generated documentation for [julep.api.types.tasks_task_main_item](../../../../../../../julep/api/types/tasks_task_main_item.py) module.
-
-- [Tasks Task Main Item](#tasks-task-main-item)
- - [TasksTaskMainItem_Embed](#taskstaskmainitem_embed)
- - [TasksTaskMainItem_Error](#taskstaskmainitem_error)
- - [TasksTaskMainItem_Evaluate](#taskstaskmainitem_evaluate)
- - [TasksTaskMainItem_Foreach](#taskstaskmainitem_foreach)
- - [TasksTaskMainItem_Get](#taskstaskmainitem_get)
- - [TasksTaskMainItem_IfElse](#taskstaskmainitem_ifelse)
- - [TasksTaskMainItem_Log](#taskstaskmainitem_log)
- - [TasksTaskMainItem_MapReduce](#taskstaskmainitem_mapreduce)
- - [TasksTaskMainItem_Parallel](#taskstaskmainitem_parallel)
- - [TasksTaskMainItem_Prompt](#taskstaskmainitem_prompt)
- - [TasksTaskMainItem_Return](#taskstaskmainitem_return)
- - [TasksTaskMainItem_Search](#taskstaskmainitem_search)
- - [TasksTaskMainItem_Set](#taskstaskmainitem_set)
- - [TasksTaskMainItem_Sleep](#taskstaskmainitem_sleep)
- - [TasksTaskMainItem_Switch](#taskstaskmainitem_switch)
- - [TasksTaskMainItem_ToolCall](#taskstaskmainitem_toolcall)
- - [TasksTaskMainItem_WaitForInput](#taskstaskmainitem_waitforinput)
- - [TasksTaskMainItem_Yield](#taskstaskmainitem_yield)
-
-## TasksTaskMainItem_Embed
-
-[Show source in tasks_task_main_item.py:413](../../../../../../../julep/api/types/tasks_task_main_item.py#L413)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Embed(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Embed().dict
-
-[Show source in tasks_task_main_item.py:425](../../../../../../../julep/api/types/tasks_task_main_item.py#L425)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Embed().json
-
-[Show source in tasks_task_main_item.py:417](../../../../../../../julep/api/types/tasks_task_main_item.py#L417)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Error
-
-[Show source in tasks_task_main_item.py:185](../../../../../../../julep/api/types/tasks_task_main_item.py#L185)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Error(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Error().dict
-
-[Show source in tasks_task_main_item.py:197](../../../../../../../julep/api/types/tasks_task_main_item.py#L197)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Error().json
-
-[Show source in tasks_task_main_item.py:189](../../../../../../../julep/api/types/tasks_task_main_item.py#L189)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Evaluate
-
-[Show source in tasks_task_main_item.py:26](../../../../../../../julep/api/types/tasks_task_main_item.py#L26)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Evaluate(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Evaluate().dict
-
-[Show source in tasks_task_main_item.py:40](../../../../../../../julep/api/types/tasks_task_main_item.py#L40)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Evaluate().json
-
-[Show source in tasks_task_main_item.py:32](../../../../../../../julep/api/types/tasks_task_main_item.py#L32)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Foreach
-
-[Show source in tasks_task_main_item.py:609](../../../../../../../julep/api/types/tasks_task_main_item.py#L609)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Foreach(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Foreach().dict
-
-[Show source in tasks_task_main_item.py:623](../../../../../../../julep/api/types/tasks_task_main_item.py#L623)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Foreach().json
-
-[Show source in tasks_task_main_item.py:615](../../../../../../../julep/api/types/tasks_task_main_item.py#L615)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Get
-
-[Show source in tasks_task_main_item.py:299](../../../../../../../julep/api/types/tasks_task_main_item.py#L299)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Get(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Get().dict
-
-[Show source in tasks_task_main_item.py:311](../../../../../../../julep/api/types/tasks_task_main_item.py#L311)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Get().json
-
-[Show source in tasks_task_main_item.py:303](../../../../../../../julep/api/types/tasks_task_main_item.py#L303)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_IfElse
-
-[Show source in tasks_task_main_item.py:529](../../../../../../../julep/api/types/tasks_task_main_item.py#L529)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_IfElse(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_IfElse().dict
-
-[Show source in tasks_task_main_item.py:545](../../../../../../../julep/api/types/tasks_task_main_item.py#L545)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_IfElse().json
-
-[Show source in tasks_task_main_item.py:537](../../../../../../../julep/api/types/tasks_task_main_item.py#L537)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Log
-
-[Show source in tasks_task_main_item.py:375](../../../../../../../julep/api/types/tasks_task_main_item.py#L375)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Log(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Log().dict
-
-[Show source in tasks_task_main_item.py:387](../../../../../../../julep/api/types/tasks_task_main_item.py#L387)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Log().json
-
-[Show source in tasks_task_main_item.py:379](../../../../../../../julep/api/types/tasks_task_main_item.py#L379)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_MapReduce
-
-[Show source in tasks_task_main_item.py:689](../../../../../../../julep/api/types/tasks_task_main_item.py#L689)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_MapReduce(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_MapReduce().dict
-
-[Show source in tasks_task_main_item.py:704](../../../../../../../julep/api/types/tasks_task_main_item.py#L704)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_MapReduce().json
-
-[Show source in tasks_task_main_item.py:696](../../../../../../../julep/api/types/tasks_task_main_item.py#L696)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Parallel
-
-[Show source in tasks_task_main_item.py:649](../../../../../../../julep/api/types/tasks_task_main_item.py#L649)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Parallel(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Parallel().dict
-
-[Show source in tasks_task_main_item.py:663](../../../../../../../julep/api/types/tasks_task_main_item.py#L663)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Parallel().json
-
-[Show source in tasks_task_main_item.py:655](../../../../../../../julep/api/types/tasks_task_main_item.py#L655)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Prompt
-
-[Show source in tasks_task_main_item.py:146](../../../../../../../julep/api/types/tasks_task_main_item.py#L146)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Prompt(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Prompt().dict
-
-[Show source in tasks_task_main_item.py:159](../../../../../../../julep/api/types/tasks_task_main_item.py#L159)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Prompt().json
-
-[Show source in tasks_task_main_item.py:151](../../../../../../../julep/api/types/tasks_task_main_item.py#L151)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Return
-
-[Show source in tasks_task_main_item.py:261](../../../../../../../julep/api/types/tasks_task_main_item.py#L261)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Return(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Return().dict
-
-[Show source in tasks_task_main_item.py:273](../../../../../../../julep/api/types/tasks_task_main_item.py#L273)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Return().json
-
-[Show source in tasks_task_main_item.py:265](../../../../../../../julep/api/types/tasks_task_main_item.py#L265)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Search
-
-[Show source in tasks_task_main_item.py:451](../../../../../../../julep/api/types/tasks_task_main_item.py#L451)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Search(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Search().dict
-
-[Show source in tasks_task_main_item.py:463](../../../../../../../julep/api/types/tasks_task_main_item.py#L463)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Search().json
-
-[Show source in tasks_task_main_item.py:455](../../../../../../../julep/api/types/tasks_task_main_item.py#L455)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Set
-
-[Show source in tasks_task_main_item.py:337](../../../../../../../julep/api/types/tasks_task_main_item.py#L337)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Set(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Set().dict
-
-[Show source in tasks_task_main_item.py:349](../../../../../../../julep/api/types/tasks_task_main_item.py#L349)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Set().json
-
-[Show source in tasks_task_main_item.py:341](../../../../../../../julep/api/types/tasks_task_main_item.py#L341)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Sleep
-
-[Show source in tasks_task_main_item.py:223](../../../../../../../julep/api/types/tasks_task_main_item.py#L223)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Sleep(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Sleep().dict
-
-[Show source in tasks_task_main_item.py:235](../../../../../../../julep/api/types/tasks_task_main_item.py#L235)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Sleep().json
-
-[Show source in tasks_task_main_item.py:227](../../../../../../../julep/api/types/tasks_task_main_item.py#L227)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Switch
-
-[Show source in tasks_task_main_item.py:571](../../../../../../../julep/api/types/tasks_task_main_item.py#L571)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Switch(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Switch().dict
-
-[Show source in tasks_task_main_item.py:583](../../../../../../../julep/api/types/tasks_task_main_item.py#L583)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Switch().json
-
-[Show source in tasks_task_main_item.py:575](../../../../../../../julep/api/types/tasks_task_main_item.py#L575)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_ToolCall
-
-[Show source in tasks_task_main_item.py:66](../../../../../../../julep/api/types/tasks_task_main_item.py#L66)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_ToolCall(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_ToolCall().dict
-
-[Show source in tasks_task_main_item.py:81](../../../../../../../julep/api/types/tasks_task_main_item.py#L81)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_ToolCall().json
-
-[Show source in tasks_task_main_item.py:73](../../../../../../../julep/api/types/tasks_task_main_item.py#L73)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_WaitForInput
-
-[Show source in tasks_task_main_item.py:489](../../../../../../../julep/api/types/tasks_task_main_item.py#L489)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_WaitForInput(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_WaitForInput().dict
-
-[Show source in tasks_task_main_item.py:503](../../../../../../../julep/api/types/tasks_task_main_item.py#L503)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_WaitForInput().json
-
-[Show source in tasks_task_main_item.py:495](../../../../../../../julep/api/types/tasks_task_main_item.py#L495)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksTaskMainItem_Yield
-
-[Show source in tasks_task_main_item.py:107](../../../../../../../julep/api/types/tasks_task_main_item.py#L107)
-
-#### Signature
-
-```python
-class TasksTaskMainItem_Yield(pydantic_v1.BaseModel): ...
-```
-
-### TasksTaskMainItem_Yield().dict
-
-[Show source in tasks_task_main_item.py:120](../../../../../../../julep/api/types/tasks_task_main_item.py#L120)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskMainItem_Yield().json
-
-[Show source in tasks_task_main_item.py:112](../../../../../../../julep/api/types/tasks_task_main_item.py#L112)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_task_tool.md b/docs/python-sdk-docs/julep/api/types/tasks_task_tool.md
deleted file mode 100644
index 7be0648db..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_task_tool.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksTaskTool
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksTaskTool
-
-> Auto-generated documentation for [julep.api.types.tasks_task_tool](../../../../../../../julep/api/types/tasks_task_tool.py) module.
-
-- [TasksTaskTool](#taskstasktool)
- - [TasksTaskTool](#taskstasktool-1)
-
-## TasksTaskTool
-
-[Show source in tasks_task_tool.py:11](../../../../../../../julep/api/types/tasks_task_tool.py#L11)
-
-#### Signature
-
-```python
-class TasksTaskTool(ToolsCreateToolRequest): ...
-```
-
-### TasksTaskTool().dict
-
-[Show source in tasks_task_tool.py:25](../../../../../../../julep/api/types/tasks_task_tool.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksTaskTool().json
-
-[Show source in tasks_task_tool.py:17](../../../../../../../julep/api/types/tasks_task_tool.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_tool_call_step.md b/docs/python-sdk-docs/julep/api/types/tasks_tool_call_step.md
deleted file mode 100644
index 871140201..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_tool_call_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksToolCallStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksToolCallStep
-
-> Auto-generated documentation for [julep.api.types.tasks_tool_call_step](../../../../../../../julep/api/types/tasks_tool_call_step.py) module.
-
-- [TasksToolCallStep](#taskstoolcallstep)
- - [TasksToolCallStep](#taskstoolcallstep-1)
-
-## TasksToolCallStep
-
-[Show source in tasks_tool_call_step.py:12](../../../../../../../julep/api/types/tasks_tool_call_step.py#L12)
-
-#### Signature
-
-```python
-class TasksToolCallStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksToolCallStep().dict
-
-[Show source in tasks_tool_call_step.py:31](../../../../../../../julep/api/types/tasks_tool_call_step.py#L31)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksToolCallStep().json
-
-[Show source in tasks_tool_call_step.py:23](../../../../../../../julep/api/types/tasks_tool_call_step.py#L23)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_update_task_request_main_item.md b/docs/python-sdk-docs/julep/api/types/tasks_update_task_request_main_item.md
deleted file mode 100644
index e0a8569f9..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_update_task_request_main_item.md
+++ /dev/null
@@ -1,599 +0,0 @@
-# Tasks Update Task Request Main Item
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tasks Update Task Request Main Item
-
-> Auto-generated documentation for [julep.api.types.tasks_update_task_request_main_item](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py) module.
-
-- [Tasks Update Task Request Main Item](#tasks-update-task-request-main-item)
- - [TasksUpdateTaskRequestMainItem_Embed](#tasksupdatetaskrequestmainitem_embed)
- - [TasksUpdateTaskRequestMainItem_Error](#tasksupdatetaskrequestmainitem_error)
- - [TasksUpdateTaskRequestMainItem_Evaluate](#tasksupdatetaskrequestmainitem_evaluate)
- - [TasksUpdateTaskRequestMainItem_Foreach](#tasksupdatetaskrequestmainitem_foreach)
- - [TasksUpdateTaskRequestMainItem_Get](#tasksupdatetaskrequestmainitem_get)
- - [TasksUpdateTaskRequestMainItem_IfElse](#tasksupdatetaskrequestmainitem_ifelse)
- - [TasksUpdateTaskRequestMainItem_Log](#tasksupdatetaskrequestmainitem_log)
- - [TasksUpdateTaskRequestMainItem_MapReduce](#tasksupdatetaskrequestmainitem_mapreduce)
- - [TasksUpdateTaskRequestMainItem_Parallel](#tasksupdatetaskrequestmainitem_parallel)
- - [TasksUpdateTaskRequestMainItem_Prompt](#tasksupdatetaskrequestmainitem_prompt)
- - [TasksUpdateTaskRequestMainItem_Return](#tasksupdatetaskrequestmainitem_return)
- - [TasksUpdateTaskRequestMainItem_Search](#tasksupdatetaskrequestmainitem_search)
- - [TasksUpdateTaskRequestMainItem_Set](#tasksupdatetaskrequestmainitem_set)
- - [TasksUpdateTaskRequestMainItem_Sleep](#tasksupdatetaskrequestmainitem_sleep)
- - [TasksUpdateTaskRequestMainItem_Switch](#tasksupdatetaskrequestmainitem_switch)
- - [TasksUpdateTaskRequestMainItem_ToolCall](#tasksupdatetaskrequestmainitem_toolcall)
- - [TasksUpdateTaskRequestMainItem_WaitForInput](#tasksupdatetaskrequestmainitem_waitforinput)
- - [TasksUpdateTaskRequestMainItem_Yield](#tasksupdatetaskrequestmainitem_yield)
-
-## TasksUpdateTaskRequestMainItem_Embed
-
-[Show source in tasks_update_task_request_main_item.py:413](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L413)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Embed(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Embed().dict
-
-[Show source in tasks_update_task_request_main_item.py:425](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L425)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Embed().json
-
-[Show source in tasks_update_task_request_main_item.py:417](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L417)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Error
-
-[Show source in tasks_update_task_request_main_item.py:185](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L185)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Error(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Error().dict
-
-[Show source in tasks_update_task_request_main_item.py:197](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L197)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Error().json
-
-[Show source in tasks_update_task_request_main_item.py:189](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L189)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Evaluate
-
-[Show source in tasks_update_task_request_main_item.py:26](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L26)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Evaluate(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Evaluate().dict
-
-[Show source in tasks_update_task_request_main_item.py:40](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L40)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Evaluate().json
-
-[Show source in tasks_update_task_request_main_item.py:32](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L32)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Foreach
-
-[Show source in tasks_update_task_request_main_item.py:609](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L609)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Foreach(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Foreach().dict
-
-[Show source in tasks_update_task_request_main_item.py:623](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L623)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Foreach().json
-
-[Show source in tasks_update_task_request_main_item.py:615](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L615)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Get
-
-[Show source in tasks_update_task_request_main_item.py:299](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L299)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Get(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Get().dict
-
-[Show source in tasks_update_task_request_main_item.py:311](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L311)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Get().json
-
-[Show source in tasks_update_task_request_main_item.py:303](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L303)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_IfElse
-
-[Show source in tasks_update_task_request_main_item.py:529](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L529)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_IfElse(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_IfElse().dict
-
-[Show source in tasks_update_task_request_main_item.py:545](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L545)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_IfElse().json
-
-[Show source in tasks_update_task_request_main_item.py:537](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L537)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Log
-
-[Show source in tasks_update_task_request_main_item.py:375](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L375)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Log(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Log().dict
-
-[Show source in tasks_update_task_request_main_item.py:387](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L387)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Log().json
-
-[Show source in tasks_update_task_request_main_item.py:379](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L379)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_MapReduce
-
-[Show source in tasks_update_task_request_main_item.py:689](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L689)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_MapReduce(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_MapReduce().dict
-
-[Show source in tasks_update_task_request_main_item.py:704](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L704)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_MapReduce().json
-
-[Show source in tasks_update_task_request_main_item.py:696](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L696)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Parallel
-
-[Show source in tasks_update_task_request_main_item.py:649](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L649)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Parallel(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Parallel().dict
-
-[Show source in tasks_update_task_request_main_item.py:663](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L663)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Parallel().json
-
-[Show source in tasks_update_task_request_main_item.py:655](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L655)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Prompt
-
-[Show source in tasks_update_task_request_main_item.py:146](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L146)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Prompt(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Prompt().dict
-
-[Show source in tasks_update_task_request_main_item.py:159](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L159)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Prompt().json
-
-[Show source in tasks_update_task_request_main_item.py:151](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L151)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Return
-
-[Show source in tasks_update_task_request_main_item.py:261](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L261)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Return(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Return().dict
-
-[Show source in tasks_update_task_request_main_item.py:273](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L273)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Return().json
-
-[Show source in tasks_update_task_request_main_item.py:265](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L265)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Search
-
-[Show source in tasks_update_task_request_main_item.py:451](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L451)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Search(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Search().dict
-
-[Show source in tasks_update_task_request_main_item.py:463](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L463)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Search().json
-
-[Show source in tasks_update_task_request_main_item.py:455](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L455)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Set
-
-[Show source in tasks_update_task_request_main_item.py:337](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L337)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Set(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Set().dict
-
-[Show source in tasks_update_task_request_main_item.py:349](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L349)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Set().json
-
-[Show source in tasks_update_task_request_main_item.py:341](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L341)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Sleep
-
-[Show source in tasks_update_task_request_main_item.py:223](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L223)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Sleep(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Sleep().dict
-
-[Show source in tasks_update_task_request_main_item.py:235](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L235)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Sleep().json
-
-[Show source in tasks_update_task_request_main_item.py:227](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L227)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Switch
-
-[Show source in tasks_update_task_request_main_item.py:571](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L571)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Switch(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Switch().dict
-
-[Show source in tasks_update_task_request_main_item.py:583](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L583)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Switch().json
-
-[Show source in tasks_update_task_request_main_item.py:575](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L575)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_ToolCall
-
-[Show source in tasks_update_task_request_main_item.py:66](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L66)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_ToolCall(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_ToolCall().dict
-
-[Show source in tasks_update_task_request_main_item.py:81](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L81)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_ToolCall().json
-
-[Show source in tasks_update_task_request_main_item.py:73](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L73)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_WaitForInput
-
-[Show source in tasks_update_task_request_main_item.py:489](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L489)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_WaitForInput(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_WaitForInput().dict
-
-[Show source in tasks_update_task_request_main_item.py:503](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L503)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_WaitForInput().json
-
-[Show source in tasks_update_task_request_main_item.py:495](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L495)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## TasksUpdateTaskRequestMainItem_Yield
-
-[Show source in tasks_update_task_request_main_item.py:107](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L107)
-
-#### Signature
-
-```python
-class TasksUpdateTaskRequestMainItem_Yield(pydantic_v1.BaseModel): ...
-```
-
-### TasksUpdateTaskRequestMainItem_Yield().dict
-
-[Show source in tasks_update_task_request_main_item.py:120](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L120)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksUpdateTaskRequestMainItem_Yield().json
-
-[Show source in tasks_update_task_request_main_item.py:112](../../../../../../../julep/api/types/tasks_update_task_request_main_item.py#L112)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_wait_for_input_step.md b/docs/python-sdk-docs/julep/api/types/tasks_wait_for_input_step.md
deleted file mode 100644
index 94949a2f6..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_wait_for_input_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksWaitForInputStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksWaitForInputStep
-
-> Auto-generated documentation for [julep.api.types.tasks_wait_for_input_step](../../../../../../../julep/api/types/tasks_wait_for_input_step.py) module.
-
-- [TasksWaitForInputStep](#taskswaitforinputstep)
- - [TasksWaitForInputStep](#taskswaitforinputstep-1)
-
-## TasksWaitForInputStep
-
-[Show source in tasks_wait_for_input_step.py:11](../../../../../../../julep/api/types/tasks_wait_for_input_step.py#L11)
-
-#### Signature
-
-```python
-class TasksWaitForInputStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksWaitForInputStep().dict
-
-[Show source in tasks_wait_for_input_step.py:25](../../../../../../../julep/api/types/tasks_wait_for_input_step.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksWaitForInputStep().json
-
-[Show source in tasks_wait_for_input_step.py:17](../../../../../../../julep/api/types/tasks_wait_for_input_step.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tasks_yield_step.md b/docs/python-sdk-docs/julep/api/types/tasks_yield_step.md
deleted file mode 100644
index fb4038462..000000000
--- a/docs/python-sdk-docs/julep/api/types/tasks_yield_step.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# TasksYieldStep
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / TasksYieldStep
-
-> Auto-generated documentation for [julep.api.types.tasks_yield_step](../../../../../../../julep/api/types/tasks_yield_step.py) module.
-
-- [TasksYieldStep](#tasksyieldstep)
- - [TasksYieldStep](#tasksyieldstep-1)
-
-## TasksYieldStep
-
-[Show source in tasks_yield_step.py:11](../../../../../../../julep/api/types/tasks_yield_step.py#L11)
-
-#### Signature
-
-```python
-class TasksYieldStep(pydantic_v1.BaseModel): ...
-```
-
-### TasksYieldStep().dict
-
-[Show source in tasks_yield_step.py:30](../../../../../../../julep/api/types/tasks_yield_step.py#L30)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### TasksYieldStep().json
-
-[Show source in tasks_yield_step.py:22](../../../../../../../julep/api/types/tasks_yield_step.py#L22)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_chosen_function_call.md b/docs/python-sdk-docs/julep/api/types/tools_chosen_function_call.md
deleted file mode 100644
index e07a53092..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_chosen_function_call.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ToolsChosenFunctionCall
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ToolsChosenFunctionCall
-
-> Auto-generated documentation for [julep.api.types.tools_chosen_function_call](../../../../../../../julep/api/types/tools_chosen_function_call.py) module.
-
-- [ToolsChosenFunctionCall](#toolschosenfunctioncall)
- - [ToolsChosenFunctionCall](#toolschosenfunctioncall-1)
-
-## ToolsChosenFunctionCall
-
-[Show source in tools_chosen_function_call.py:11](../../../../../../../julep/api/types/tools_chosen_function_call.py#L11)
-
-#### Signature
-
-```python
-class ToolsChosenFunctionCall(pydantic_v1.BaseModel): ...
-```
-
-### ToolsChosenFunctionCall().dict
-
-[Show source in tools_chosen_function_call.py:25](../../../../../../../julep/api/types/tools_chosen_function_call.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ToolsChosenFunctionCall().json
-
-[Show source in tools_chosen_function_call.py:17](../../../../../../../julep/api/types/tools_chosen_function_call.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_chosen_tool_call.md b/docs/python-sdk-docs/julep/api/types/tools_chosen_tool_call.md
deleted file mode 100644
index 676f843f8..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_chosen_tool_call.md
+++ /dev/null
@@ -1,77 +0,0 @@
-# Tools Chosen Tool Call
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tools Chosen Tool Call
-
-> Auto-generated documentation for [julep.api.types.tools_chosen_tool_call](../../../../../../../julep/api/types/tools_chosen_tool_call.py) module.
-
-- [Tools Chosen Tool Call](#tools-chosen-tool-call)
- - [Base](#base)
- - [ToolsChosenToolCall_Function](#toolschosentoolcall_function)
-
-## Base
-
-[Show source in tools_chosen_tool_call.py:14](../../../../../../../julep/api/types/tools_chosen_tool_call.py#L14)
-
-#### Signature
-
-```python
-class Base(pydantic_v1.BaseModel): ...
-```
-
-### Base().dict
-
-[Show source in tools_chosen_tool_call.py:29](../../../../../../../julep/api/types/tools_chosen_tool_call.py#L29)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### Base().json
-
-[Show source in tools_chosen_tool_call.py:21](../../../../../../../julep/api/types/tools_chosen_tool_call.py#L21)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## ToolsChosenToolCall_Function
-
-[Show source in tools_chosen_tool_call.py:53](../../../../../../../julep/api/types/tools_chosen_tool_call.py#L53)
-
-The response tool value generated by the model
-
-#### Signature
-
-```python
-class ToolsChosenToolCall_Function(Base): ...
-```
-
-#### See also
-
-- [Base](#base)
-
-### ToolsChosenToolCall_Function().dict
-
-[Show source in tools_chosen_tool_call.py:69](../../../../../../../julep/api/types/tools_chosen_tool_call.py#L69)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ToolsChosenToolCall_Function().json
-
-[Show source in tools_chosen_tool_call.py:61](../../../../../../../julep/api/types/tools_chosen_tool_call.py#L61)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_create_tool_request.md b/docs/python-sdk-docs/julep/api/types/tools_create_tool_request.md
deleted file mode 100644
index 7fb2bcb10..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_create_tool_request.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# ToolsCreateToolRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ToolsCreateToolRequest
-
-> Auto-generated documentation for [julep.api.types.tools_create_tool_request](../../../../../../../julep/api/types/tools_create_tool_request.py) module.
-
-- [ToolsCreateToolRequest](#toolscreatetoolrequest)
- - [ToolsCreateToolRequest](#toolscreatetoolrequest-1)
-
-## ToolsCreateToolRequest
-
-[Show source in tools_create_tool_request.py:13](../../../../../../../julep/api/types/tools_create_tool_request.py#L13)
-
-Payload for creating a tool
-
-#### Signature
-
-```python
-class ToolsCreateToolRequest(pydantic_v1.BaseModel): ...
-```
-
-### ToolsCreateToolRequest().dict
-
-[Show source in tools_create_tool_request.py:41](../../../../../../../julep/api/types/tools_create_tool_request.py#L41)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ToolsCreateToolRequest().json
-
-[Show source in tools_create_tool_request.py:33](../../../../../../../julep/api/types/tools_create_tool_request.py#L33)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_function_call_option.md b/docs/python-sdk-docs/julep/api/types/tools_function_call_option.md
deleted file mode 100644
index 277b38b40..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_function_call_option.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ToolsFunctionCallOption
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ToolsFunctionCallOption
-
-> Auto-generated documentation for [julep.api.types.tools_function_call_option](../../../../../../../julep/api/types/tools_function_call_option.py) module.
-
-- [ToolsFunctionCallOption](#toolsfunctioncalloption)
- - [ToolsFunctionCallOption](#toolsfunctioncalloption-1)
-
-## ToolsFunctionCallOption
-
-[Show source in tools_function_call_option.py:10](../../../../../../../julep/api/types/tools_function_call_option.py#L10)
-
-#### Signature
-
-```python
-class ToolsFunctionCallOption(pydantic_v1.BaseModel): ...
-```
-
-### ToolsFunctionCallOption().dict
-
-[Show source in tools_function_call_option.py:24](../../../../../../../julep/api/types/tools_function_call_option.py#L24)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ToolsFunctionCallOption().json
-
-[Show source in tools_function_call_option.py:16](../../../../../../../julep/api/types/tools_function_call_option.py#L16)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_function_def.md b/docs/python-sdk-docs/julep/api/types/tools_function_def.md
deleted file mode 100644
index f08e87dae..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_function_def.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# ToolsFunctionDef
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ToolsFunctionDef
-
-> Auto-generated documentation for [julep.api.types.tools_function_def](../../../../../../../julep/api/types/tools_function_def.py) module.
-
-- [ToolsFunctionDef](#toolsfunctiondef)
- - [ToolsFunctionDef](#toolsfunctiondef-1)
-
-## ToolsFunctionDef
-
-[Show source in tools_function_def.py:11](../../../../../../../julep/api/types/tools_function_def.py#L11)
-
-Function definition
-
-#### Signature
-
-```python
-class ToolsFunctionDef(pydantic_v1.BaseModel): ...
-```
-
-### ToolsFunctionDef().dict
-
-[Show source in tools_function_def.py:39](../../../../../../../julep/api/types/tools_function_def.py#L39)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ToolsFunctionDef().json
-
-[Show source in tools_function_def.py:31](../../../../../../../julep/api/types/tools_function_def.py#L31)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_function_tool.md b/docs/python-sdk-docs/julep/api/types/tools_function_tool.md
deleted file mode 100644
index 5ef4f60a5..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_function_tool.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ToolsFunctionTool
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ToolsFunctionTool
-
-> Auto-generated documentation for [julep.api.types.tools_function_tool](../../../../../../../julep/api/types/tools_function_tool.py) module.
-
-- [ToolsFunctionTool](#toolsfunctiontool)
- - [ToolsFunctionTool](#toolsfunctiontool-1)
-
-## ToolsFunctionTool
-
-[Show source in tools_function_tool.py:11](../../../../../../../julep/api/types/tools_function_tool.py#L11)
-
-#### Signature
-
-```python
-class ToolsFunctionTool(pydantic_v1.BaseModel): ...
-```
-
-### ToolsFunctionTool().dict
-
-[Show source in tools_function_tool.py:26](../../../../../../../julep/api/types/tools_function_tool.py#L26)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ToolsFunctionTool().json
-
-[Show source in tools_function_tool.py:18](../../../../../../../julep/api/types/tools_function_tool.py#L18)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_named_function_choice.md b/docs/python-sdk-docs/julep/api/types/tools_named_function_choice.md
deleted file mode 100644
index 388aed5dc..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_named_function_choice.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ToolsNamedFunctionChoice
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ToolsNamedFunctionChoice
-
-> Auto-generated documentation for [julep.api.types.tools_named_function_choice](../../../../../../../julep/api/types/tools_named_function_choice.py) module.
-
-- [ToolsNamedFunctionChoice](#toolsnamedfunctionchoice)
- - [ToolsNamedFunctionChoice](#toolsnamedfunctionchoice-1)
-
-## ToolsNamedFunctionChoice
-
-[Show source in tools_named_function_choice.py:11](../../../../../../../julep/api/types/tools_named_function_choice.py#L11)
-
-#### Signature
-
-```python
-class ToolsNamedFunctionChoice(pydantic_v1.BaseModel): ...
-```
-
-### ToolsNamedFunctionChoice().dict
-
-[Show source in tools_named_function_choice.py:25](../../../../../../../julep/api/types/tools_named_function_choice.py#L25)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ToolsNamedFunctionChoice().json
-
-[Show source in tools_named_function_choice.py:17](../../../../../../../julep/api/types/tools_named_function_choice.py#L17)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_named_tool_choice.md b/docs/python-sdk-docs/julep/api/types/tools_named_tool_choice.md
deleted file mode 100644
index 67ac8f4c2..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_named_tool_choice.md
+++ /dev/null
@@ -1,75 +0,0 @@
-# Tools Named Tool Choice
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tools Named Tool Choice
-
-> Auto-generated documentation for [julep.api.types.tools_named_tool_choice](../../../../../../../julep/api/types/tools_named_tool_choice.py) module.
-
-- [Tools Named Tool Choice](#tools-named-tool-choice)
- - [Base](#base)
- - [ToolsNamedToolChoice_Function](#toolsnamedtoolchoice_function)
-
-## Base
-
-[Show source in tools_named_tool_choice.py:13](../../../../../../../julep/api/types/tools_named_tool_choice.py#L13)
-
-#### Signature
-
-```python
-class Base(pydantic_v1.BaseModel): ...
-```
-
-### Base().dict
-
-[Show source in tools_named_tool_choice.py:27](../../../../../../../julep/api/types/tools_named_tool_choice.py#L27)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### Base().json
-
-[Show source in tools_named_tool_choice.py:19](../../../../../../../julep/api/types/tools_named_tool_choice.py#L19)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## ToolsNamedToolChoice_Function
-
-[Show source in tools_named_tool_choice.py:51](../../../../../../../julep/api/types/tools_named_tool_choice.py#L51)
-
-#### Signature
-
-```python
-class ToolsNamedToolChoice_Function(Base): ...
-```
-
-#### See also
-
-- [Base](#base)
-
-### ToolsNamedToolChoice_Function().dict
-
-[Show source in tools_named_tool_choice.py:63](../../../../../../../julep/api/types/tools_named_tool_choice.py#L63)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ToolsNamedToolChoice_Function().json
-
-[Show source in tools_named_tool_choice.py:55](../../../../../../../julep/api/types/tools_named_tool_choice.py#L55)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_tool.md b/docs/python-sdk-docs/julep/api/types/tools_tool.md
deleted file mode 100644
index 4d33f1985..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_tool.md
+++ /dev/null
@@ -1,75 +0,0 @@
-# Tools Tool
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tools Tool
-
-> Auto-generated documentation for [julep.api.types.tools_tool](../../../../../../../julep/api/types/tools_tool.py) module.
-
-- [Tools Tool](#tools-tool)
- - [Base](#base)
- - [ToolsTool_Function](#toolstool_function)
-
-## Base
-
-[Show source in tools_tool.py:16](../../../../../../../julep/api/types/tools_tool.py#L16)
-
-#### Signature
-
-```python
-class Base(pydantic_v1.BaseModel): ...
-```
-
-### Base().dict
-
-[Show source in tools_tool.py:46](../../../../../../../julep/api/types/tools_tool.py#L46)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### Base().json
-
-[Show source in tools_tool.py:38](../../../../../../../julep/api/types/tools_tool.py#L38)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
-
-
-
-## ToolsTool_Function
-
-[Show source in tools_tool.py:70](../../../../../../../julep/api/types/tools_tool.py#L70)
-
-#### Signature
-
-```python
-class ToolsTool_Function(Base): ...
-```
-
-#### See also
-
-- [Base](#base)
-
-### ToolsTool_Function().dict
-
-[Show source in tools_tool.py:83](../../../../../../../julep/api/types/tools_tool.py#L83)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ToolsTool_Function().json
-
-[Show source in tools_tool.py:75](../../../../../../../julep/api/types/tools_tool.py#L75)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_tool_response.md b/docs/python-sdk-docs/julep/api/types/tools_tool_response.md
deleted file mode 100644
index 7655fb126..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_tool_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# ToolsToolResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / ToolsToolResponse
-
-> Auto-generated documentation for [julep.api.types.tools_tool_response](../../../../../../../julep/api/types/tools_tool_response.py) module.
-
-- [ToolsToolResponse](#toolstoolresponse)
- - [ToolsToolResponse](#toolstoolresponse-1)
-
-## ToolsToolResponse
-
-[Show source in tools_tool_response.py:11](../../../../../../../julep/api/types/tools_tool_response.py#L11)
-
-#### Signature
-
-```python
-class ToolsToolResponse(pydantic_v1.BaseModel): ...
-```
-
-### ToolsToolResponse().dict
-
-[Show source in tools_tool_response.py:26](../../../../../../../julep/api/types/tools_tool_response.py#L26)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### ToolsToolResponse().json
-
-[Show source in tools_tool_response.py:18](../../../../../../../julep/api/types/tools_tool_response.py#L18)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/tools_tool_type.md b/docs/python-sdk-docs/julep/api/types/tools_tool_type.md
deleted file mode 100644
index 704512b7d..000000000
--- a/docs/python-sdk-docs/julep/api/types/tools_tool_type.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Tools Tool Type
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Tools Tool Type
-
-> Auto-generated documentation for [julep.api.types.tools_tool_type](../../../../../../../julep/api/types/tools_tool_type.py) module.
-- [Tools Tool Type](#tools-tool-type)
diff --git a/docs/python-sdk-docs/julep/api/types/user_docs_route_list_request_direction.md b/docs/python-sdk-docs/julep/api/types/user_docs_route_list_request_direction.md
deleted file mode 100644
index 942657be7..000000000
--- a/docs/python-sdk-docs/julep/api/types/user_docs_route_list_request_direction.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# User Docs Route List Request Direction
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / User Docs Route List Request Direction
-
-> Auto-generated documentation for [julep.api.types.user_docs_route_list_request_direction](../../../../../../../julep/api/types/user_docs_route_list_request_direction.py) module.
-- [User Docs Route List Request Direction](#user-docs-route-list-request-direction)
diff --git a/docs/python-sdk-docs/julep/api/types/user_docs_route_list_request_sort_by.md b/docs/python-sdk-docs/julep/api/types/user_docs_route_list_request_sort_by.md
deleted file mode 100644
index 49add30a0..000000000
--- a/docs/python-sdk-docs/julep/api/types/user_docs_route_list_request_sort_by.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# User Docs Route List Request Sort By
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / User Docs Route List Request Sort By
-
-> Auto-generated documentation for [julep.api.types.user_docs_route_list_request_sort_by](../../../../../../../julep/api/types/user_docs_route_list_request_sort_by.py) module.
-- [User Docs Route List Request Sort By](#user-docs-route-list-request-sort-by)
diff --git a/docs/python-sdk-docs/julep/api/types/user_docs_route_list_response.md b/docs/python-sdk-docs/julep/api/types/user_docs_route_list_response.md
deleted file mode 100644
index 272cf8500..000000000
--- a/docs/python-sdk-docs/julep/api/types/user_docs_route_list_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# UserDocsRouteListResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / UserDocsRouteListResponse
-
-> Auto-generated documentation for [julep.api.types.user_docs_route_list_response](../../../../../../../julep/api/types/user_docs_route_list_response.py) module.
-
-- [UserDocsRouteListResponse](#userdocsroutelistresponse)
- - [UserDocsRouteListResponse](#userdocsroutelistresponse-1)
-
-## UserDocsRouteListResponse
-
-[Show source in user_docs_route_list_response.py:11](../../../../../../../julep/api/types/user_docs_route_list_response.py#L11)
-
-#### Signature
-
-```python
-class UserDocsRouteListResponse(pydantic_v1.BaseModel): ...
-```
-
-### UserDocsRouteListResponse().dict
-
-[Show source in user_docs_route_list_response.py:22](../../../../../../../julep/api/types/user_docs_route_list_response.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### UserDocsRouteListResponse().json
-
-[Show source in user_docs_route_list_response.py:14](../../../../../../../julep/api/types/user_docs_route_list_response.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/user_docs_search_route_search_request_body.md b/docs/python-sdk-docs/julep/api/types/user_docs_search_route_search_request_body.md
deleted file mode 100644
index 69e2cefff..000000000
--- a/docs/python-sdk-docs/julep/api/types/user_docs_search_route_search_request_body.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# User Docs Search Route Search Request Body
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / User Docs Search Route Search Request Body
-
-> Auto-generated documentation for [julep.api.types.user_docs_search_route_search_request_body](../../../../../../../julep/api/types/user_docs_search_route_search_request_body.py) module.
-- [User Docs Search Route Search Request Body](#user-docs-search-route-search-request-body)
diff --git a/docs/python-sdk-docs/julep/api/types/users_create_or_update_user_request.md b/docs/python-sdk-docs/julep/api/types/users_create_or_update_user_request.md
deleted file mode 100644
index 5dd9a655a..000000000
--- a/docs/python-sdk-docs/julep/api/types/users_create_or_update_user_request.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# UsersCreateOrUpdateUserRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / UsersCreateOrUpdateUserRequest
-
-> Auto-generated documentation for [julep.api.types.users_create_or_update_user_request](../../../../../../../julep/api/types/users_create_or_update_user_request.py) module.
-
-- [UsersCreateOrUpdateUserRequest](#userscreateorupdateuserrequest)
- - [UsersCreateOrUpdateUserRequest](#userscreateorupdateuserrequest-1)
-
-## UsersCreateOrUpdateUserRequest
-
-[Show source in users_create_or_update_user_request.py:12](../../../../../../../julep/api/types/users_create_or_update_user_request.py#L12)
-
-#### Signature
-
-```python
-class UsersCreateOrUpdateUserRequest(UsersCreateUserRequest): ...
-```
-
-### UsersCreateOrUpdateUserRequest().dict
-
-[Show source in users_create_or_update_user_request.py:23](../../../../../../../julep/api/types/users_create_or_update_user_request.py#L23)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### UsersCreateOrUpdateUserRequest().json
-
-[Show source in users_create_or_update_user_request.py:15](../../../../../../../julep/api/types/users_create_or_update_user_request.py#L15)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/users_create_user_request.md b/docs/python-sdk-docs/julep/api/types/users_create_user_request.md
deleted file mode 100644
index 3f765ed01..000000000
--- a/docs/python-sdk-docs/julep/api/types/users_create_user_request.md
+++ /dev/null
@@ -1,40 +0,0 @@
-# UsersCreateUserRequest
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / UsersCreateUserRequest
-
-> Auto-generated documentation for [julep.api.types.users_create_user_request](../../../../../../../julep/api/types/users_create_user_request.py) module.
-
-- [UsersCreateUserRequest](#userscreateuserrequest)
- - [UsersCreateUserRequest](#userscreateuserrequest-1)
-
-## UsersCreateUserRequest
-
-[Show source in users_create_user_request.py:11](../../../../../../../julep/api/types/users_create_user_request.py#L11)
-
-Payload for creating a user (and associated documents)
-
-#### Signature
-
-```python
-class UsersCreateUserRequest(pydantic_v1.BaseModel): ...
-```
-
-### UsersCreateUserRequest().dict
-
-[Show source in users_create_user_request.py:35](../../../../../../../julep/api/types/users_create_user_request.py#L35)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### UsersCreateUserRequest().json
-
-[Show source in users_create_user_request.py:27](../../../../../../../julep/api/types/users_create_user_request.py#L27)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/users_route_list_request_direction.md b/docs/python-sdk-docs/julep/api/types/users_route_list_request_direction.md
deleted file mode 100644
index 977ec383d..000000000
--- a/docs/python-sdk-docs/julep/api/types/users_route_list_request_direction.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Users Route List Request Direction
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Users Route List Request Direction
-
-> Auto-generated documentation for [julep.api.types.users_route_list_request_direction](../../../../../../../julep/api/types/users_route_list_request_direction.py) module.
-- [Users Route List Request Direction](#users-route-list-request-direction)
diff --git a/docs/python-sdk-docs/julep/api/types/users_route_list_request_sort_by.md b/docs/python-sdk-docs/julep/api/types/users_route_list_request_sort_by.md
deleted file mode 100644
index a155de328..000000000
--- a/docs/python-sdk-docs/julep/api/types/users_route_list_request_sort_by.md
+++ /dev/null
@@ -1,6 +0,0 @@
-# Users Route List Request Sort By
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / Users Route List Request Sort By
-
-> Auto-generated documentation for [julep.api.types.users_route_list_request_sort_by](../../../../../../../julep/api/types/users_route_list_request_sort_by.py) module.
-- [Users Route List Request Sort By](#users-route-list-request-sort-by)
diff --git a/docs/python-sdk-docs/julep/api/types/users_route_list_response.md b/docs/python-sdk-docs/julep/api/types/users_route_list_response.md
deleted file mode 100644
index 4baec8697..000000000
--- a/docs/python-sdk-docs/julep/api/types/users_route_list_response.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# UsersRouteListResponse
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / UsersRouteListResponse
-
-> Auto-generated documentation for [julep.api.types.users_route_list_response](../../../../../../../julep/api/types/users_route_list_response.py) module.
-
-- [UsersRouteListResponse](#usersroutelistresponse)
- - [UsersRouteListResponse](#usersroutelistresponse-1)
-
-## UsersRouteListResponse
-
-[Show source in users_route_list_response.py:11](../../../../../../../julep/api/types/users_route_list_response.py#L11)
-
-#### Signature
-
-```python
-class UsersRouteListResponse(pydantic_v1.BaseModel): ...
-```
-
-### UsersRouteListResponse().dict
-
-[Show source in users_route_list_response.py:22](../../../../../../../julep/api/types/users_route_list_response.py#L22)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### UsersRouteListResponse().json
-
-[Show source in users_route_list_response.py:14](../../../../../../../julep/api/types/users_route_list_response.py#L14)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/api/types/users_user.md b/docs/python-sdk-docs/julep/api/types/users_user.md
deleted file mode 100644
index e83f75d39..000000000
--- a/docs/python-sdk-docs/julep/api/types/users_user.md
+++ /dev/null
@@ -1,38 +0,0 @@
-# UsersUser
-
-[Julep Python SDK Index](../../../README.md#julep-python-sdk-index) / [Julep](../../index.md#julep) / [Julep Python Library](../index.md#julep-python-library) / [Types](./index.md#types) / UsersUser
-
-> Auto-generated documentation for [julep.api.types.users_user](../../../../../../../julep/api/types/users_user.py) module.
-
-- [UsersUser](#usersuser)
- - [UsersUser](#usersuser-1)
-
-## UsersUser
-
-[Show source in users_user.py:12](../../../../../../../julep/api/types/users_user.py#L12)
-
-#### Signature
-
-```python
-class UsersUser(pydantic_v1.BaseModel): ...
-```
-
-### UsersUser().dict
-
-[Show source in users_user.py:43](../../../../../../../julep/api/types/users_user.py#L43)
-
-#### Signature
-
-```python
-def dict(self, **kwargs: typing.Any) -> typing.Dict[str, typing.Any]: ...
-```
-
-### UsersUser().json
-
-[Show source in users_user.py:35](../../../../../../../julep/api/types/users_user.py#L35)
-
-#### Signature
-
-```python
-def json(self, **kwargs: typing.Any) -> str: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/client.md b/docs/python-sdk-docs/julep/client.md
deleted file mode 100644
index 589c499ee..000000000
--- a/docs/python-sdk-docs/julep/client.md
+++ /dev/null
@@ -1,112 +0,0 @@
-# Client
-
-[Julep Python SDK Index](../README.md#julep-python-sdk-index) / [Julep](./index.md#julep) / Client
-
-> Auto-generated documentation for [julep.client](../../../../../julep/client.py) module.
-
-- [Client](#client)
- - [AsyncClient](#asyncclient)
- - [Client](#client-1)
-
-## AsyncClient
-
-[Show source in client.py:158](../../../../../julep/client.py#L158)
-
-A class representing an asynchronous client for interacting with various managers.
-
-This class initializes asynchronous managers for agents, users, sessions, documents, memories,
-and tools. It requires an API key and a base URL to establish a connection with the backend
-service. If these are not explicitly provided, it looks for them in the environment variables.
-
-#### Attributes
-
-- `agents` *AsyncAgentsManager* - Manager for handling agent-related interactions.
-- `users` *AsyncUsersManager* - Manager for handling user-related interactions.
-- `sessions` *AsyncSessionsManager* - Manager for handling session-related interactions.
-- `docs` *AsyncDocsManager* - Manager for handling document-related interactions.
-- `memories` *AsyncMemoriesManager* - Manager for handling memory-related interactions.
-- `tools` *AsyncToolsManager* - Manager for handling tool-related interactions.
-- `chat` *AsyncChat* - A chat manager instance for handling chat interactions (based on OpenAI client).
-- `completions` *AsyncCompletions* - A manager instance for handling completions (based on OpenAI client).
-
-#### Raises
-
-- `AssertionError` - If `api_key` or `base_url` is not provided and also not set as an
- environment variable.
-
-#### Notes
-
-The `api_key` and `base_url` can either be passed explicitly or set as environment
-variables `JULEP_API_KEY` and `JULEP_API_URL`, respectively.
-
-#### Arguments
-
-- `api_key` *Optional[str]* - The API key required to authenticate with the service.
- Defaults to the value of the `JULEP_API_KEY` environment variable.
-- `base_url` *Optional[str]* - The base URL of the API service.
- Defaults to the value of the `JULEP_API_URL` environment variable.
-- `*args` - Variable length argument list.
-- `**kwargs` - Arbitrary keyword arguments.
-
-#### Signature
-
-```python
-class AsyncClient:
- @beartype
- def __init__(
- self,
- api_key: Optional[str] = JULEP_API_KEY,
- base_url: Optional[str] = JULEP_API_URL,
- *args,
- **kwargs
- ): ...
-```
-
-
-
-## Client
-
-[Show source in client.py:40](../../../../../julep/client.py#L40)
-
-A class that encapsulates managers for different aspects of a system and provides an interface for interacting with an API.
-
-This class initializes and makes use of various manager classes to handle agents, users, sessions, documents, memories, and tools. It requires an API key and a base URL to initialize the API client that the managers will use.
-
-Attributes:
- agents (AgentsManager): A manager instance for handling agents.
- users (UsersManager): A manager instance for handling users.
- sessions (SessionsManager): A manager instance for handling sessions.
- docs (DocsManager): A manager instance for handling documents.
- memories (MemoriesManager): A manager instance for handling memories.
- tools (ToolsManager): A manager instance for handling tools.
- chat (Chat): A chat manager instance for handling chat interactions (based on OpenAI client).
- completions (Completions): A manager instance for handling completions (based on OpenAI client).
-
-Args:
- api_key (Optional[str]): The API key needed to authenticate with the API. Defaults to the JULEP_API_KEY environment variable.
- base_url (Optional[str]): The base URL for the API endpoints. Defaults to the JULEP_API_URL environment variable.
- *args: Variable length argument list.
- **kwargs: Arbitrary keyword arguments.
-
-Raises:
- AssertionError: If either `api_key` or `base_url` is not provided and not set as an environment variable.
-
-Note:
- `beartype` decorator is expected to ensure type checking on the parameters during runtime. The constants `JULEP_API_KEY` and `JULEP_API_URL` should be predefined and represent default values for the API key and base URL, respectively, which can be overridden by providing a value at instantiation.
-
-#### Signature
-
-```python
-class Client:
- @beartype
- def __init__(
- self,
- api_key: Optional[str] = JULEP_API_KEY,
- base_url: Optional[str] = JULEP_API_URL,
- timeout: int = 300,
- additional_headers: Dict[str, str] = {},
- _httpx_client: Optional[httpx.Client] = None,
- *args,
- **kwargs
- ): ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/env.md b/docs/python-sdk-docs/julep/env.md
deleted file mode 100644
index b0a6fe385..000000000
--- a/docs/python-sdk-docs/julep/env.md
+++ /dev/null
@@ -1,14 +0,0 @@
-# Env
-
-[Julep Python SDK Index](../README.md#julep-python-sdk-index) / [Julep](./index.md#julep) / Env
-
-> Auto-generated documentation for [julep.env](../../../../../julep/env.py) module.
-
-#### Attributes
-
-- `env` - Initialize the environment variable handler.: Env()
-
-- `JULEP_API_KEY`: `Optional[str]` - Optional environment variable for the Julep API key. Defaults to None if not set.: env.str('JULEP_API_KEY', None)
-
-- `JULEP_API_URL`: `Optional[str]` - Optional environment variable for the Julep API URL. Defaults to the Julep API's default environment URL if not set.: env.str('JULEP_API_URL', JulepApiEnvironment.DEFAULT.value)
-- [Env](#env)
diff --git a/docs/python-sdk-docs/julep/index.md b/docs/python-sdk-docs/julep/index.md
deleted file mode 100644
index 956edacf9..000000000
--- a/docs/python-sdk-docs/julep/index.md
+++ /dev/null
@@ -1,16 +0,0 @@
-# Julep
-
-[Julep Python SDK Index](../README.md#julep-python-sdk-index) / Julep
-
-> Auto-generated documentation for [julep](../../../../../julep/__init__.py) module.
-
-- [Julep](#julep)
- - [Modules](#modules)
-
-## Modules
-
-- [Julep Python Library](api/index.md)
-- [Client](./client.md)
-- [Env](./env.md)
-- [Managers](managers/index.md)
-- [Utils](utils/index.md)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/managers/agent.md b/docs/python-sdk-docs/julep/managers/agent.md
deleted file mode 100644
index aaf04fd29..000000000
--- a/docs/python-sdk-docs/julep/managers/agent.md
+++ /dev/null
@@ -1,748 +0,0 @@
-# Agent
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Managers](./index.md#managers) / Agent
-
-> Auto-generated documentation for [julep.managers.agent](../../../../../../julep/managers/agent.py) module.
-
-- [Agent](#agent)
- - [AgentCreateArgs](#agentcreateargs)
- - [AgentUpdateArgs](#agentupdateargs)
- - [AgentsManager](#agentsmanager)
- - [AsyncAgentsManager](#asyncagentsmanager)
- - [BaseAgentsManager](#baseagentsmanager)
-
-## AgentCreateArgs
-
-[Show source in agent.py:41](../../../../../../julep/managers/agent.py#L41)
-
-#### Signature
-
-```python
-class AgentCreateArgs(TypedDict): ...
-```
-
-
-
-## AgentUpdateArgs
-
-[Show source in agent.py:53](../../../../../../julep/managers/agent.py#L53)
-
-#### Signature
-
-```python
-class AgentUpdateArgs(TypedDict): ...
-```
-
-
-
-## AgentsManager
-
-[Show source in agent.py:312](../../../../../../julep/managers/agent.py#L312)
-
-A class for managing agents, inheriting from [BaseAgentsManager](#baseagentsmanager).
-
-This class provides functionalities to interact with and manage agents, including creating, retrieving, listing, updating, and deleting agents. It utilizes type annotations to ensure type correctness at runtime using the `beartype` decorator.
-
-#### Methods
-
-- `get(id` - Union[str, UUID]) -> Agent:
- Retrieves an agent by its unique identifier.
-
-#### Arguments
-
-id (Union[str, UUID]): The unique identifier of the agent, which can be either a string or a UUID.
-
-- `name` *str* - The name of the agent.
-- `about` *str* - A description of the agent.
-- `instructions` *List[str]* - A list of instructions or dictionaries defining instructions.
-- `tools` *List[ToolDict], optional* - A list of dictionaries defining tools. Defaults to an empty list.
-- `functions` *List[FunctionDefDict], optional* - A list of dictionaries defining functions. Defaults to an empty list.
-- `default_settings` *DefaultSettingsDict, optional* - A dictionary of default settings. Defaults to an empty dictionary.
-- `model` *ModelName, optional* - The model name to be used. Defaults to 'julep-ai/samantha-1-turbo'.
-- `docs` *List[DocDict], optional* - A list of dictionaries defining documentation. Defaults to an empty list.
-metadata (Dict[str, Any])
-
-- `limit` *Optional[int], optional* - The maximum number of agents to retrieve. Defaults to None, meaning no limit.
-- `offset` *Optional[int], optional* - The number of agents to skip (for pagination). Defaults to None.
-
-agent_id (Union[str, UUID]): The unique identifier of the agent to be deleted.
-
-- `update(*,` *agent_id* - Union[str, UUID], about: Optional[str]=None, instructions: Optional[List[str]]=None, name: Optional[str]=None, model: Optional[str]=None, default_settings: Optional[DefaultSettingsDict]=None) -> ResourceUpdatedResponse:
- Updates an existing agent with new details.
-
-agent_id (Union[str, UUID]): The unique identifier of the agent to be updated.
-- `about` *Optional[str], optional* - A new description of the agent. Defaults to None (no change).
-- `instructions` *Optional[List[str]], optional* - A new list of instructions or dictionaries defining instructions. Defaults to None (no change).
-- `name` *Optional[str], optional* - A new name for the agent. Defaults to None (no change).
-- `model` *Optional[str], optional* - A new model name to be used. Defaults to None (no change).
-- `default_settings` *Optional[DefaultSettingsDict], optional* - A new dictionary of default settings. Defaults to None (no change).
-metadata (Dict[str, Any])
-
-#### Returns
-
-- `Agent` - The agent with the corresponding identifier.
-
-- `create(*,` *name* - str, about: str, instructions: List[str], tools: List[ToolDict]=[], functions: List[FunctionDefDict]=[], default_settings: DefaultSettingsDict={}, model: ModelName='julep-ai/samantha-1-turbo', docs: List[DocDict]=[]) -> ResourceCreatedResponse:
- Creates a new agent with the provided details.
-
-- `ResourceCreatedResponse` - The response indicating the resource (agent) was successfully created.
-
-- `list(*,` *limit* - Optional[int]=None, offset: Optional[int]=None) -> List[Agent]:
- Lists all agents with pagination support.
-
-- `List[Agent]` - A list of agents, considering the pagination parameters.
-
-- `delete(agent_id` - Union[str, UUID]):
- Deletes an agent by its unique identifier.
-
-- `ResourceUpdatedResponse` - The response indicating the resource (agent) was successfully updated.
-
-#### Signature
-
-```python
-class AgentsManager(BaseAgentsManager): ...
-```
-
-#### See also
-
-- [BaseAgentsManager](#baseagentsmanager)
-
-### AgentsManager().create
-
-[Show source in agent.py:394](../../../../../../julep/managers/agent.py#L394)
-
-Creates a new resource with the specified details.
-
-#### Arguments
-
-- `name` *str* - The name of the resource.
-- `about` *str* - A description of the resource.
-- `instructions` *List[str]* - A list of instructions or dictionaries with instruction details.
-- `tools` *List[ToolDict], optional* - A list of dictionaries with tool details. Defaults to an empty list.
-- `functions` *List[FunctionDefDict], optional* - A list of dictionaries with function definition details. Defaults to an empty list.
-- `default_settings` *DefaultSettingsDict, optional* - A dictionary with default settings. Defaults to an empty dictionary.
-- `model` *ModelName, optional* - The name of the model to use. Defaults to 'julep-ai/samantha-1-turbo'.
-- `docs` *List[DocDict], optional* - A list of dictionaries with documentation details. Defaults to an empty list.
-metadata (Dict[str, Any])
-
-#### Returns
-
-- `Agent` - An instance of the Agent with the specified details
-
-#### Notes
-
-This function is decorated with `@beartype`, which will perform runtime type checking on the arguments.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Agent)
-def create(self, **kwargs: AgentCreateArgs) -> Agent: ...
-```
-
-#### See also
-
-- [AgentCreateArgs](#agentcreateargs)
-
-### AgentsManager().delete
-
-[Show source in agent.py:453](../../../../../../julep/managers/agent.py#L453)
-
-Delete the agent with the specified ID.
-
-Args:
- agent_id (Union[str, UUID]): The identifier of the agent to be deleted.
-
-Returns:
- The return type depends on the implementation of the `_delete` method. This will typically be `None`
- if the deletion is successful, or an error may be raised if the deletion fails.
-
-Note:
- The `@beartype` decorator is used to enforce type checking of the `agent_id` parameter.
-
-#### Signature
-
-```python
-@beartype
-def delete(self, agent_id: Union[str, UUID]): ...
-```
-
-### AgentsManager().get
-
-[Show source in agent.py:377](../../../../../../julep/managers/agent.py#L377)
-
-Retrieve an Agent object by its identifier.
-
-#### Arguments
-
-id (Union[str, UUID]): The unique identifier of the Agent to be retrieved.
-
-#### Returns
-
-- `Agent` - An instance of the Agent with the specified ID.
-
-#### Raises
-
-- `BeartypeException` - If the type of `id` is neither a string nor a UUID.
-Any exception raised by the `_get` method.
-
-#### Signature
-
-```python
-@beartype
-def get(self, id: Union[str, UUID]) -> Agent: ...
-```
-
-### AgentsManager().list
-
-[Show source in agent.py:420](../../../../../../julep/managers/agent.py#L420)
-
-List the Agent objects, possibly with pagination.
-
-#### Arguments
-
-- `limit` *Optional[int], optional* - The maximum number of Agent objects to return.
- Defaults to None, meaning no limit is applied.
-- `offset` *Optional[int], optional* - The number of initial Agent objects to skip before
- starting to collect the return list. Defaults to None,
- meaning no offset is applied.
-
-#### Returns
-
-- `List[Agent]` - A list of Agent objects.
-
-#### Raises
-
-- `BeartypeDecorHintPepParamViolation` - If the function is called with incorrect types
- for the `limit` or `offset` parameters.
-
-#### Signature
-
-```python
-@beartype
-def list(
- self,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: Dict[str, Any] = {},
-) -> List[Agent]: ...
-```
-
-### AgentsManager().update
-
-[Show source in agent.py:470](../../../../../../julep/managers/agent.py#L470)
-
-Update the properties of a resource.
-
-This function updates various attributes of an existing resource based on the provided keyword arguments. All updates are optional and are applied only if the corresponding argument is given.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The identifier of the agent, either as a string or a UUID object.
-- `about` *Optional[str], optional* - A brief description of the agent. Defaults to None.
-- `instructions` *Optional[List[str]], optional* - A list of instructions or instruction dictionaries to update the agent with. Defaults to None.
-- `name` *Optional[str], optional* - The new name to assign to the agent. Defaults to None.
-- `model` *Optional[str], optional* - The model identifier to associate with the agent. Defaults to None.
-- `default_settings` *Optional[DefaultSettingsDict], optional* - A dictionary of default settings to apply to the agent. Defaults to None.
-metadata (Dict[str, Any])
-- `overwrite` *bool, optional* - Whether to overwrite the existing agent settings. Defaults to False.
-
-#### Returns
-
-- `ResourceUpdatedResponse` - An object representing the response to the update request.
-
-#### Notes
-
-This method is decorated with `beartype`, which means it enforces type annotations at runtime.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Agent)
-def update(self, agent_id: Union[str, UUID], **kwargs: AgentUpdateArgs) -> Agent: ...
-```
-
-#### See also
-
-- [AgentUpdateArgs](#agentupdateargs)
-
-
-
-## AsyncAgentsManager
-
-[Show source in agent.py:499](../../../../../../julep/managers/agent.py#L499)
-
-A class for managing asynchronous agent operations.
-
-This class provides asynchronous methods for creating, retrieving, updating,
-listing, and deleting agents. It is a subclass of BaseAgentsManager, which
-defines the underlying functionality and structure that this class utilizes.
-
-#### Attributes
-
-None explicitly listed, as they are inherited from the [BaseAgentsManager](#baseagentsmanager) class.
-
-#### Methods
-
-get:
- Retrieves a single agent by its ID.
-
-#### Arguments
-
-id (Union[UUID, str]): The unique identifier of the agent to retrieve.
-
-- `name` *str* - The name of the agent to create.
-- `about` *str* - A description of the agent.
-- `instructions` *List[str]* - The instructions for operating the agent.
-- `tools` *List[ToolDict], optional* - An optional list of tools for the agent.
-- `functions` *List[FunctionDefDict], optional* - An optional list of functions the agent can perform.
-- `default_settings` *DefaultSettingsDict, optional* - Optional default settings for the agent.
-- `model` *ModelName, optional* - The model name to associate with the agent, defaults to 'julep-ai/samantha-1-turbo'.
-- `docs` *List[DocDict], optional* - An optional list of documents associated with the agent.
-metadata (Dict[str, Any])
-
-- `limit` *Optional[int], optional* - The maximum number of agents to retrieve.
-- `offset` *Optional[int], optional* - The number of agents to skip before starting to collect the results.
-
-agent_id (Union[str, UUID]): The unique identifier of the agent to delete.
-
-agent_id (Union[str, UUID]): The unique identifier of the agent to update.
-- `about` *Optional[str], optional* - An optional new description for the agent.
-- `instructions` *Optional[List[str]], optional* - Optional new instructions for the agent.
-- `name` *Optional[str], optional* - An optional new name for the agent.
-- `model` *Optional[str], optional* - Optional new model associated with the agent.
-- `default_settings` *Optional[DefaultSettingsDict], optional* - Optional new default settings for the agent.
-metadata (Dict[str, Any])
-
-#### Returns
-
-- `Agent` - The requested agent.
-
-create:
- Creates a new agent with the provided specifications.
-
-- `ResourceCreatedResponse` - A response indicating the agent was created successfully.
-
-list:
- Asynchronously lists agents with optional pagination and returns an awaitable object.
-
-- `List[Agent]` - A list of agents.
-
-delete:
- Asynchronously deletes an agent by its ID and returns an awaitable object.
-
-The response from the delete operation (specific return type may vary).
-
-update:
- Asynchronously updates the specified fields of an agent by its ID and returns an awaitable object.
-
-- `ResourceUpdatedResponse` - A response indicating the agent was updated successfully.
-
-#### Signature
-
-```python
-class AsyncAgentsManager(BaseAgentsManager): ...
-```
-
-#### See also
-
-- [BaseAgentsManager](#baseagentsmanager)
-
-### AsyncAgentsManager().create
-
-[Show source in agent.py:591](../../../../../../julep/managers/agent.py#L591)
-
-Create a new resource asynchronously with specified details.
-
-This function is decorated with `beartype` to ensure that arguments conform to specified types.
-
-#### Arguments
-
-- `name` *str* - The name of the resource to create.
-- `about` *str* - Information or description about the resource.
-- `instructions` *List[str]* - A list of strings or dictionaries detailing the instructions for the resource.
-- `tools` *List[ToolDict], optional* - A list of dictionaries representing the tools associated with the resource. Defaults to an empty list.
-- `functions` *List[FunctionDefDict], optional* - A list of dictionaries defining functions that can be performed with the resource. Defaults to an empty list.
-- `default_settings` *DefaultSettingsDict, optional* - A dictionary with default settings for the resource. Defaults to an empty dictionary.
-- `model` *ModelName, optional* - The model identifier to use for the resource. Defaults to 'julep-ai/samantha-1-turbo'.
-- `docs` *List[DocDict], optional* - A list of dictionaries containing documentation for the resource. Defaults to an empty list.
-metadata (Dict[str, Any])
-
-#### Returns
-
-- `Agent` - An instance of the Agent with the specified details
-
-#### Raises
-
-The exceptions that may be raised are not specified in the signature and depend on the implementation of the _create method.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Agent)
-async def create(self, **kwargs: AgentCreateArgs) -> Agent: ...
-```
-
-#### See also
-
-- [AgentCreateArgs](#agentcreateargs)
-
-### AsyncAgentsManager().delete
-
-[Show source in agent.py:650](../../../../../../julep/managers/agent.py#L650)
-
-Asynchronously deletes an agent given its identifier.
-
-This function is decorated with @beartype to ensure type checking of the input argument at runtime.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The identifier of the agent to be deleted. Can be a string or a UUID object.
-
-#### Returns
-
-The result of the asynchronous deletion operation, which is implementation-dependent.
-
-#### Signature
-
-```python
-@beartype
-async def delete(self, agent_id: Union[str, UUID]): ...
-```
-
-### AsyncAgentsManager().get
-
-[Show source in agent.py:572](../../../../../../julep/managers/agent.py#L572)
-
-Asynchronously retrieve an Agent object by its ID.
-
-The `id` parameter can be either a UUID or a string representation of a UUID.
-
-#### Arguments
-
-id (Union[UUID, str]): The unique identifier of the Agent to retrieve.
-
-#### Returns
-
-- `Agent` - The Agent object associated with the given id.
-
-#### Raises
-
-- `Beartype` *exceptions* - If the input id does not conform to the specified types.
-- `Other` *exceptions* - Depending on the implementation of the `_get` method.
-
-#### Signature
-
-```python
-@beartype
-async def get(self, id: Union[UUID, str]) -> Agent: ...
-```
-
-### AsyncAgentsManager().list
-
-[Show source in agent.py:619](../../../../../../julep/managers/agent.py#L619)
-
-Asynchronously lists agents with optional limit and offset.
-
-This method wraps the call to a private method '_list_items' which performs the actual listing
-of agent items. It uses the 'beartype' decorator for runtime type checking.
-
-#### Arguments
-
-- `limit` *Optional[int], optional* - The maximum number of agent items to return. Defaults to None, which means no limit.
-- `offset` *Optional[int], optional* - The offset from where to start the listing. Defaults to None, which means start from the beginning.
-
-#### Returns
-
-- `List[Agent]` - A list of agent items collected based on the provided 'limit' and 'offset' parameters.
-
-#### Signature
-
-```python
-@beartype
-async def list(
- self,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: Dict[str, Any] = {},
-) -> List[Agent]: ...
-```
-
-### AsyncAgentsManager().update
-
-[Show source in agent.py:665](../../../../../../julep/managers/agent.py#L665)
-
-Asynchronously update an agent's details.
-
-This function is decorated with `beartype` to enforce the type checking of parameters. It updates the properties of the agent identified by `agent_id`.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): Unique identifier for the agent. It can be a string or a UUID object.
-- `about` *Optional[str]* - Additional information about the agent. Default is None.
-- `instructions` *Optional[List[str]]* - A list of instructions or instruction dictionaries. Default is None.
-- `name` *Optional[str]* - The name of the agent. Default is None.
-- `model` *Optional[str]* - The model identifier or name. Default is None.
-- `default_settings` *Optional[DefaultSettingsDict]* - Dictionary with default settings for the agent. Default is None.
-metadata (Dict[str, Any])
-- `overwrite` *bool* - Whether to overwrite the existing agent settings. Default is False.
-
-#### Returns
-
-- `ResourceUpdatedResponse` - An object containing the details of the update response.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Agent)
-async def update(
- self, agent_id: Union[str, UUID], **kwargs: AgentUpdateArgs
-) -> Agent: ...
-```
-
-#### See also
-
-- [AgentUpdateArgs](#agentupdateargs)
-
-
-
-## BaseAgentsManager
-
-[Show source in agent.py:63](../../../../../../julep/managers/agent.py#L63)
-
-A class responsible for managing agent entities.
-
-This manager handles CRUD operations for agents including retrieving, creating, listing, deleting, and updating agents using an API client.
-
-#### Attributes
-
-- `api_client` *ApiClientType* - The client responsible for API interactions.
-
-#### Methods
-
-- `_get(self,` *id* - Union[str, UUID]) -> Union[Agent, Awaitable[Agent]]:
- Retrieves a single agent by its UUID.
-
-#### Arguments
-
-id (Union[str, UUID]): The UUID of the agent to retrieve.
-- `name` *str* - The name of the new agent.
-- `about` *str* - Description about the new agent.
-- `instructions` *List[str]* - List of instructions or instruction dictionaries for the new agent.
-- `tools` *List[ToolDict], optional* - List of tool dictionaries. Defaults to an empty list.
-- `functions` *List[FunctionDefDict], optional* - List of function definition dictionaries. Defaults to an empty list.
-- `default_settings` *DefaultSettingsDict, optional* - Dictionary of default settings for the new agent. Defaults to an empty dictionary.
-- `model` *ModelName, optional* - The model name for the new agent. Defaults to 'julep-ai/samantha-1-turbo'.
-- `docs` *List[DocDict], optional* - List of document dictionaries for the new agent. Defaults to an empty list.
-metadata (Dict[str, Any], optional): Dictionary of metadata for the new agent. Defaults to an empty dictionary.
-- `limit` *Optional[int], optional* - The maximum number of agents to list. Defaults to None.
-- `offset` *Optional[int], optional* - The number of agents to skip (for pagination). Defaults to None.
-metadata_filter (Dict[str, Any], optional): Filters for querying agents based on metadata. Defaults to an empty dictionary.
-agent_id (Union[str, UUID]): The UUID of the agent to delete.
-agent_id (Union[str, UUID]): The UUID of the agent to update.
-- `about` *Optional[str], optional* - The new description about the agent.
-- `instructions` *Optional[List[str]], optional* - The new list of instructions or instruction dictionaries.
-- `name` *Optional[str], optional* - The new name for the agent.
-- `model` *Optional[str], optional* - The new model name for the agent.
-- `default_settings` *Optional[DefaultSettingsDict], optional* - The new default settings dictionary for the agent.
-metadata (Dict[str, Any])
-
-#### Returns
-
-The agent object or an awaitable that resolves to the agent object.
-
-- `_create(self,` *name* - str, about: str, instructions: List[str], tools: List[ToolDict] = [], functions: List[FunctionDefDict] = [], default_settings: DefaultSettingsDict = {}, model: ModelName = 'julep-ai/samantha-1-turbo', docs: List[DocDict] = [], metadata: Dict[str, Any] = {}) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]:
- Creates an agent with the given specifications.
- The response indicating creation or an awaitable that resolves to the creation response.
-
-- `_list_items(self,` *limit* - Optional[int] = None, offset: Optional[int] = None, metadata_filter: Dict[str, Any] = {}) -> Union[ListAgentsResponse, Awaitable[ListAgentsResponse]]:
- Lists agents with pagination support and optional metadata filtering.
- The list of agents or an awaitable that resolves to the list of agents.
-
-- `_delete(self,` *agent_id* - Union[str, UUID]) -> Union[None, Awaitable[None]]:
- Deletes an agent with the specified UUID.
- None or an awaitable that resolves to None.
-
-- `_update(self,` *agent_id* - Union[str, UUID], about: Optional[str] = None, instructions: Optional[List[str]] = None, name: Optional[str] = None, model: Optional[str] = None, default_settings: Optional[DefaultSettingsDict] = None, metadata: Dict[str, Any] = {}) -> Union[ResourceUpdatedResponse, Awaitable[ResourceUpdatedResponse]]:
- Updates the specified fields of an agent.
- The response indicating successful update or an awaitable that resolves to the update response.
-
-#### Signature
-
-```python
-class BaseAgentsManager(BaseManager): ...
-```
-
-### BaseAgentsManager()._create
-
-[Show source in agent.py:141](../../../../../../julep/managers/agent.py#L141)
-
-Create a new agent with the specified configuration.
-
-#### Arguments
-
-- `name` *str* - Name of the agent.
-- `about` *str* - Information about the agent.
-- `instructions` *List[str]* - List of instructions as either string or dictionaries for the agent.
-- `tools` *List[ToolDict], optional* - List of tool configurations for the agent. Defaults to an empty list.
-- `functions` *List[FunctionDefDict], optional* - List of function definitions for the agent. Defaults to an empty list.
-- `default_settings` *DefaultSettingsDict, optional* - Dictionary of default settings for the agent. Defaults to an empty dict.
-- `model` *ModelName, optional* - The model name identifier. Defaults to 'julep-ai/samantha-1-turbo'.
-- `docs` *List[DocDict], optional* - List of document configurations for the agent. Defaults to an empty list.
-metadata (Dict[str, Any])
-
-#### Returns
-
-- `Union[ResourceCreatedResponse,` *Awaitable[ResourceCreatedResponse]]* - The response object indicating the resource has been created or a future of the response object if the creation is being awaited.
-
-#### Raises
-
-- `AssertionError` - If both functions and tools are provided.
-
-#### Notes
-
-The `_create` method is meant to be used internally and should be considered private.
-It assumes the input data for instructions, tools, and docs will have the proper format,
-and items in the 'instructions' list will be converted to Instruction instances.
-
-#### Signature
-
-```python
-def _create(
- self,
- name: str,
- about: str = "",
- instructions: List[str] = [],
- tools: List[ToolDict] = [],
- functions: List[FunctionDefDict] = [],
- default_settings: DefaultSettingsDict = {},
- model: ModelName = "julep-ai/samantha-1-turbo",
- docs: List[DocDict] = [],
- metadata: Dict[str, Any] = {},
-) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]: ...
-```
-
-#### See also
-
-- [ModelName](#modelname)
-
-### BaseAgentsManager()._delete
-
-[Show source in agent.py:235](../../../../../../julep/managers/agent.py#L235)
-
-Delete an agent by its ID.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The UUID v4 of the agent to be deleted.
-
-#### Returns
-
-- `Union[None,` *Awaitable[None]]* - A future that resolves to None if the
-operation is asynchronous, or None immediately if the operation is
-synchronous.
-
-#### Raises
-
-- `AssertionError` - If `agent_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _delete(self, agent_id: Union[str, UUID]) -> Union[None, Awaitable[None]]: ...
-```
-
-### BaseAgentsManager()._get
-
-[Show source in agent.py:125](../../../../../../julep/managers/agent.py#L125)
-
-Retrieves an agent based on the provided identifier.
-
-#### Arguments
-
-id (Union[str, UUID]): The identifier of the agent, which can be a string or UUID object.
-
-#### Returns
-
-- `Union[Agent,` *Awaitable[Agent]]* - The agent object or an awaitable yielding the agent object, depending on the API client.
-
-#### Raises
-
-- `AssertionError` - If the provided id is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _get(self, id: Union[str, UUID]) -> Union[Agent, Awaitable[Agent]]: ...
-```
-
-### BaseAgentsManager()._list_items
-
-[Show source in agent.py:211](../../../../../../julep/managers/agent.py#L211)
-
-Lists items with optional pagination.
-
-This method wraps the `list_agents` API call and includes optional limit and offset parameters for pagination.
-
-Args:
- limit (Optional[int], optional): The maximum number of items to return. Defaults to None, which means no limit.
- offset (Optional[int], optional): The index of the first item to return. Defaults to None, which means no offset.
-
-Returns:
- Union[ListAgentsResponse, Awaitable[ListAgentsResponse]]: A ListAgentsResponse object, or an awaitable that resolves to a ListAgentsResponse object.
-
-#### Signature
-
-```python
-def _list_items(
- self,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: str = "{}",
-) -> Union[ListAgentsResponse, Awaitable[ListAgentsResponse]]: ...
-```
-
-### BaseAgentsManager()._update
-
-[Show source in agent.py:253](../../../../../../julep/managers/agent.py#L253)
-
-Update the agent's properties.
-
-Args:
- agent_id (Union[str, UUID]): The unique identifier for the agent, which can be a string or UUID object.
- about (Optional[str], optional): A brief description of the agent. Defaults to None.
- instructions (Optional[List[str]], optional): A list of either strings or instruction dictionaries that will be converted into Instruction objects. Defaults to None.
- name (Optional[str], optional): The name of the agent. Defaults to None.
- model (Optional[str], optional): The model identifier for the agent. Defaults to None.
- default_settings (Optional[DefaultSettingsDict], optional): A dictionary of default settings to apply to the agent. Defaults to None.
- metadata (Dict[str, Any])
- overwrite (bool, optional): Whether to overwrite the existing agent settings. Defaults to False.
-
-Returns:
- Union[ResourceUpdatedResponse, Awaitable[ResourceUpdatedResponse]]: An object representing the response for the resource updated, which can also be an awaitable in asynchronous contexts.
-
-Raises:
- AssertionError: If the provided agent_id is not validated by the is_valid_uuid4 function.
-
-Note:
- This method asserts that the agent_id must be a valid UUID v4. The instructions and default_settings, if provided, are converted into their respective object types before making the update API call.
-
-#### Signature
-
-```python
-def _update(
- self,
- agent_id: Union[str, UUID],
- about: Optional[str] = NotSet,
- instructions: List[str] = NotSet,
- name: Optional[str] = NotSet,
- model: Optional[str] = NotSet,
- default_settings: Optional[DefaultSettingsDict] = NotSet,
- metadata: Dict[str, Any] = NotSet,
- overwrite: bool = False,
-) -> Union[ResourceUpdatedResponse, Awaitable[ResourceUpdatedResponse]]: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/managers/base.md b/docs/python-sdk-docs/julep/managers/base.md
deleted file mode 100644
index 242176b4f..000000000
--- a/docs/python-sdk-docs/julep/managers/base.md
+++ /dev/null
@@ -1,27 +0,0 @@
-# Base
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Managers](./index.md#managers) / Base
-
-> Auto-generated documentation for [julep.managers.base](../../../../../../julep/managers/base.py) module.
-
-- [Base](#base)
- - [BaseManager](#basemanager)
-
-## BaseManager
-
-[Show source in base.py:7](../../../../../../julep/managers/base.py#L7)
-
-A class that serves as a base manager for working with different API clients. This class is responsible for abstracting the complexities of interacting with various API clients, providing a unified interface for higher-level components.
-
-Attributes:
- api_client (Union[JulepApi, AsyncJulepApi]): A client instance for communicating with an API. This attribute is essential for enabling the class to perform API operations, whether they are synchronous or asynchronous.
-
-Args:
- api_client (Union[JulepApi, AsyncJulepApi]): The API client that is used for making API calls. It is crucial for the operation of this class, allowing it to interact with the API effectively.
-
-#### Signature
-
-```python
-class BaseManager:
- def __init__(self, api_client: Union[JulepApi, AsyncJulepApi]): ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/managers/doc.md b/docs/python-sdk-docs/julep/managers/doc.md
deleted file mode 100644
index d25537089..000000000
--- a/docs/python-sdk-docs/julep/managers/doc.md
+++ /dev/null
@@ -1,501 +0,0 @@
-# Doc
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Managers](./index.md#managers) / Doc
-
-> Auto-generated documentation for [julep.managers.doc](../../../../../../julep/managers/doc.py) module.
-
-- [Doc](#doc)
- - [AsyncDocsManager](#asyncdocsmanager)
- - [BaseDocsManager](#basedocsmanager)
- - [DocsCreateArgs](#docscreateargs)
- - [DocsManager](#docsmanager)
-
-## AsyncDocsManager
-
-[Show source in doc.py:342](../../../../../../julep/managers/doc.py#L342)
-
-A class for managing asynchronous operations on documents.
-
-Inherits from BaseDocsManager to provide async document retrieval, creation, and deletion.
-
-#### Attributes
-
-Inherited from BaseDocsManager.
-
-#### Methods
-
-async list(self, *, agent_id: Optional[Union[str, UUID]] = None, user_id: Optional[Union[str, UUID]] = None, limit: Optional[int] = None, offset: Optional[int] = None) -> List[Doc]:
- Asynchronously get a list of documents, with optional filtering based on agent_id, user_id, and pagination options limit and offset.
-
-#### Arguments
-
-agent_id (Optional[Union[str, UUID]]): The agent's identifier to filter documents.
-user_id (Optional[Union[str, UUID]]): The user's identifier to filter documents.
-- `limit` *Optional[int]* - The maximum number of documents to return.
-- `offset` *Optional[int]* - The offset from where to start returning documents.
-agent_id (Optional[Union[str, UUID]]): The agent's identifier associated with the document.
-user_id (Optional[Union[str, UUID]]): The user's identifier associated with the document.
-- `doc` *DocDict* - The document data to be created.
-doc_id (Union[str, UUID]): The unique identifier of the document to be deleted.
-agent_id (Optional[Union[str, UUID]]): The agent's identifier associated with the document, if applicable.
-user_id (Optional[Union[str, UUID]]): The user's identifier associated with the document, if applicable.
-
-#### Returns
-
-- `List[Doc]` - A list of documents.
-
-async create(self, *, agent_id: Optional[Union[str, UUID]] = None, user_id: Optional[Union[str, UUID]] = None, doc: DocDict) -> ResourceCreatedResponse:
- Asynchronously create a new document with the given document information, and optional agent_id and user_id.
- - `ResourceCreatedResponse` - A response object indicating successful creation of the document.
-
-async delete(self, *, doc_id: Union[str, UUID], agent_id: Optional[Union[str, UUID]] = None, user_id: Optional[Union[str, UUID]] = None):
- Asynchronously delete a document by its id, with optional association to a specific agent_id or user_id.
-
-#### Notes
-
-The `@beartype` decorator is being used to perform runtime type checking on the function arguments.
-
-#### Signature
-
-```python
-class AsyncDocsManager(BaseDocsManager): ...
-```
-
-#### See also
-
-- [BaseDocsManager](#basedocsmanager)
-
-### AsyncDocsManager().create
-
-[Show source in doc.py:423](../../../../../../julep/managers/doc.py#L423)
-
-Create a new resource asynchronously.
-
-#### Arguments
-
-agent_id (Optional[Union[str, UUID]]): The ID of the agent. Default is None.
-user_id (Optional[Union[str, UUID]]): The ID of the user. Default is None.
-- `doc` *DocDict* - A dictionary containing document data.
-
-#### Returns
-
-- `ResourceCreatedResponse` - An object representing the response for a resource created.
-
-#### Raises
-
-- `BeartypeException` - If any of the input arguments do not match their expected types. This is implicitly raised due to the use of the beartype decorator.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Doc)
-async def create(self, **kwargs: DocsCreateArgs) -> Doc: ...
-```
-
-#### See also
-
-- [DocsCreateArgs](#docscreateargs)
-
-### AsyncDocsManager().delete
-
-[Show source in doc.py:443](../../../../../../julep/managers/doc.py#L443)
-
-Asynchronously deletes a document by its ID.
-
-This function is a coroutine and must be awaited.
-
-#### Arguments
-
-doc_id (Union[str, UUID]): The unique identifier of the document to delete.
-agent_id (Optional[Union[str, UUID]]): The unique identifier of the agent, if any.
-user_id (Optional[Union[str, UUID]]): The unique identifier of the user, if any.
-
-#### Returns
-
-- `Coroutine[Any]` - A coroutine that, when awaited, returns the result of the document deletion process.
-
-#### Notes
-
-The `@beartype` decorator is used to enforce type checking on the function arguments.
-
-#### Signature
-
-```python
-@beartype
-async def delete(
- self,
- doc_id: Union[str, UUID],
- agent_id: Optional[Union[str, UUID]] = None,
- user_id: Optional[Union[str, UUID]] = None,
-): ...
-```
-
-### AsyncDocsManager().list
-
-[Show source in doc.py:382](../../../../../../julep/managers/doc.py#L382)
-
-Asynchronously get a list of documents.
-
-This function fetches documents based on the provided filtering criteria such as `agent_id`, `user_id`,
-and supports pagination through `limit` and `offset`.
-
-#### Arguments
-
-agent_id (Optional[Union[str, UUID]]): The ID of the agent to filter documents by. Default is None.
-user_id (Optional[Union[str, UUID]]): The ID of the user to filter documents by. Default is None.
-- `limit` *Optional[int]* - The maximum number of documents to return. Default is None.
-- `offset` *Optional[int]* - The offset from where to start the document retrieval. Default is None.
-
-#### Returns
-
-- `List[Doc]` - A list of document objects.
-
-#### Notes
-
-The `@beartype` decorator is used to ensure that arguments conform to the expected types.
-
-#### Raises
-
-- `BeartypeDecorHintPepParamException` - If any of the parameters do not adhere to the declared types.
-
-#### Signature
-
-```python
-@beartype
-async def list(
- self,
- agent_id: Optional[Union[str, UUID]] = None,
- user_id: Optional[Union[str, UUID]] = None,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: Dict[str, Any] = {},
-) -> List[Doc]: ...
-```
-
-
-
-## BaseDocsManager
-
-[Show source in doc.py:30](../../../../../../julep/managers/doc.py#L30)
-
-Manages documents for agents or users by providing internal methods to list, create, and delete documents.
-
-The class utilizes an API client to interact with a back-end service that handles the document management operations.
-
-Typical usage example:
-
-docs_manager = BaseDocsManager(api_client)
-agent_docs = docs_manager._list(agent_id="some-agent-uuid")
-user_docs = docs_manager._list(user_id="some-user-uuid")
-created_doc = docs_manager._create(agent_id="some-agent-uuid", doc={"key": "value"})
-docs_manager._delete(user_id="some-user-uuid", doc_id="some-doc-uuid")
-
-#### Attributes
-
-- `api_client` - A client instance used to make API calls to the document management system.
-
-#### Methods
-
-- `_list(agent_id` - Optional[Union[str, UUID]], user_id: Optional[Union[str, UUID]],
- - `limit` - Optional[int]=None, offset: Optional[int]=None) -> Union[GetAgentDocsResponse, Awaitable[GetAgentDocsResponse]]
- Retrieves docsrmation for either an agent or user.
- Must provide exactly one valid UUID v4 for either `agent_id` or `user_id`.
-
-- `_create(agent_id` - Optional[Union[str, UUID]], user_id: Optional[Union[str, UUID]], doc: DocDict) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]
- Creates docsrmation for either an agent or user.
- Must provide exactly one valid UUID v4 for either `agent_id` or `user_id`.
- The `doc` parameter contains the document information to be created.
-
-- `_delete(agent_id` - Optional[Union[str, UUID]], user_id: Optional[Union[str, UUID]], doc_id: Union[str, UUID]):
- Deletes docsrmation for either an agent or user.
- Must provide exactly one valid UUID v4 for either `agent_id` or `user_id`, and a valid UUID for `doc_id`.
-
-#### Signature
-
-```python
-class BaseDocsManager(BaseManager): ...
-```
-
-### BaseDocsManager()._create
-
-[Show source in doc.py:115](../../../../../../julep/managers/doc.py#L115)
-
-Create a new resource with docsrmation for either an agent or a user, but not both.
-
-This function asserts that exactly one of `agent_id` or `user_id` is provided and is a valid UUID v4.
-It then creates the appropriate docsrmation based on which ID was provided.
-
-Args:
- agent_id (Optional[Union[str, UUID]]): The UUID of the agent or None.
- user_id (Optional[Union[str, UUID]]): The UUID of the user or None.
- doc (DocDict): A dictionary containing the document data for the resource being created.
- metadata (Dict[str, Any]): Optional metadata for the document. Defaults to an empty dictionary.
-
-Returns:
- Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]: The response after creating the resource, which could be immediate or an awaitable for asynchronous execution.
-
-Raises:
- AssertionError: If both `agent_id` and `user_id` are provided, neither are provided, or if the provided IDs are not valid UUID v4 strings.
-
-Note:
- One and only one of `agent_id` or `user_id` must be provided and must be a valid UUID v4.
- The `DocDict` type should be a dictionary compatible with the `CreateDoc` schema.
-
-#### Signature
-
-```python
-def _create(
- self,
- doc: DocDict,
- agent_id: Optional[Union[str, UUID]] = None,
- user_id: Optional[Union[str, UUID]] = None,
- metadata: Dict[str, Any] = {},
-) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]: ...
-```
-
-### BaseDocsManager()._delete
-
-[Show source in doc.py:164](../../../../../../julep/managers/doc.py#L164)
-
-Delete docs based on either an agent_id or a user_id.
-
-This method selects the appropriate deletion operation (agent or user) based on whether an `agent_id` or `user_id` is provided. Only one of these ID types should be valid and provided.
-
-Args:
- agent_id (Optional[Union[str, UUID]]): A unique identifier of an agent. Either a string or UUID v4, but not both `agent_id` and `user_id`.
- user_id (Optional[Union[str, UUID]]): A unique identifier of a user. Either a string or UUID v4, but not both `agent_id` and `user_id`.
- doc_id (Union[str, UUID]): A unique identifier for docsrmation to be deleted, as a string or UUID v4.
-
-Returns:
- The result of the API deletion request. This can be the response object from the client's delete operation.
-
-Raises:
- AssertionError: If both `agent_id` and `user_id` are provided, neither are provided, or if the provided IDs are not valid UUID v4 strings.
- Other exceptions related to the `api_client` operations could potentially be raised and depend on its implementation.
-
-#### Signature
-
-```python
-def _delete(
- self,
- agent_id: Optional[Union[str, UUID]],
- user_id: Optional[Union[str, UUID]],
- doc_id: Union[str, UUID],
-) -> Union[ResourceDeletedResponse, Awaitable[ResourceDeletedResponse]]: ...
-```
-
-### BaseDocsManager()._list
-
-[Show source in doc.py:63](../../../../../../julep/managers/doc.py#L63)
-
-Retrieve docsrmation for an agent or user based on their ID.
-
-This internal method fetches docsrmation for either an agent or a user,
-but not both. If both or neither `agent_id` and `user_id` are provided, it will
-assert an error.
-
-#### Arguments
-
-agent_id (Optional[Union[str, UUID]]): The UUID v4 of the agent for whom docs is requested, exclusive with `user_id`.
-user_id (Optional[Union[str, UUID]]): The UUID v4 of the user for whom docs is requested, exclusive with `agent_id`.
-- `limit` *Optional[int]* - The maximum number of records to return. Defaults to None.
-- `offset` *Optional[int]* - The number of records to skip before starting to collect the response set. Defaults to None.
-metadata_filter (Dict[str, Any]): A dictionary used for filtering documents based on metadata criteria. Defaults to an empty dictionary.
-
-#### Returns
-
-- `Union[GetAgentDocsResponse,` *Awaitable[GetAgentDocsResponse]]* - The response object containing docsrmation about the agent or user, or a promise of such an object if the call is asynchronous.
-
-#### Raises
-
-- `AssertionError` - If both `agent_id` and `user_id` are provided or neither is provided, or if the provided IDs are not valid UUID v4.
-
-#### Signature
-
-```python
-def _list(
- self,
- agent_id: Optional[Union[str, UUID]],
- user_id: Optional[Union[str, UUID]],
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: Dict[str, Any] = {},
-) -> Union[GetAgentDocsResponse, Awaitable[GetAgentDocsResponse]]: ...
-```
-
-
-
-## DocsCreateArgs
-
-[Show source in doc.py:23](../../../../../../julep/managers/doc.py#L23)
-
-#### Signature
-
-```python
-class DocsCreateArgs(TypedDict): ...
-```
-
-
-
-## DocsManager
-
-[Show source in doc.py:208](../../../../../../julep/managers/doc.py#L208)
-
-A class responsible for managing documents.
-
-This class provides methods for retrieving, creating, and deleting documents. It uses a base document management system to perform operations.
-
-#### Attributes
-
-None specific to this class, as all are inherited from BaseDocsManager.
-
-#### Methods
-
-get:
- Retrieves a list of documents according to specified filters.
-
-#### Arguments
-
-agent_id (Optional[Union[str, UUID]]): The agent's identifier to filter documents by, if any.
-user_id (Optional[Union[str, UUID]]): The user's identifier to filter documents by, if any.
-- `limit` *Optional[int]* - The maximum number of documents to be retrieved.
-- `offset` *Optional[int]* - The number of documents to skip before starting to collect the document output list.
-
-agent_id (Optional[Union[str, UUID]]): The agent's identifier associated with the document, if any.
-user_id (Optional[Union[str, UUID]]): The user's identifier associated with the document, if any.
-- `doc` *DocDict* - The document to be created represented as a dictionary of document metadata.
-
-doc_id (Union[str, UUID]): The identifier of the document to be deleted.
-agent_id (Optional[Union[str, UUID]]): The agent's identifier associated with the document, if any.
-user_id (Optional[Union[str, UUID]]): The user's identifier associated with the document, if any.
-
-#### Returns
-
-- `List[Doc]` - A list of documents matching the provided filters.
-
-create:
- Creates a new document.
-
-- `ResourceCreatedResponse` - An object representing the creation response, typically containing the ID of the created document.
-
-delete:
- Deletes a document by its document identifier.
-
-None, but the method may raise exceptions on failure.
-
-#### Signature
-
-```python
-class DocsManager(BaseDocsManager): ...
-```
-
-#### See also
-
-- [BaseDocsManager](#basedocsmanager)
-
-### DocsManager().create
-
-[Show source in doc.py:288](../../../../../../julep/managers/doc.py#L288)
-
-Create a new resource with the specified document.
-
-This method wraps a call to an internal '_create' method, passing along any
-specified agent or user identifiers, along with the document data.
-
-#### Arguments
-
-agent_id (Optional[Union[str, UUID]]): The agent identifier associated with the resource creation.
-user_id (Optional[Union[str, UUID]]): The user identifier associated with the resource creation.
-- `doc` *DocDict* - A dictionary containing the document data.
-
-#### Returns
-
-- `ResourceCreatedResponse` - An object representing the response for the resource creation operation.
-
-#### Raises
-
-- `BeartypeException` - If any input parameters are of incorrect type, due to type enforcement by the @beartype decorator.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Doc)
-def create(self, **kwargs: DocsCreateArgs) -> Doc: ...
-```
-
-#### See also
-
-- [DocsCreateArgs](#docscreateargs)
-
-### DocsManager().delete
-
-[Show source in doc.py:311](../../../../../../julep/managers/doc.py#L311)
-
-Deletes a document by its identifier.
-
-This function wraps the internal _delete method, providing an interface to delete documents by their ID while optionally specifying the agent ID and user ID.
-
-#### Arguments
-
-doc_id (Union[str, UUID]): The unique identifier of the document to be deleted.
-agent_id (Optional[Union[str, UUID]]): The unique identifier of the agent performing the delete operation, if any.
-user_id (Optional[Union[str, UUID]]): The unique identifier of the user performing the delete operation, if any.
-
-#### Returns
-
-The return type depends on the implementation of the `_delete` method.
-
-#### Raises
-
-The exceptions raised depend on the implementation of the `_delete` method.
-
-#### Signature
-
-```python
-@beartype
-def delete(
- self,
- doc_id: Union[str, UUID],
- agent_id: Optional[Union[str, UUID]] = None,
- user_id: Optional[Union[str, UUID]] = None,
-): ...
-```
-
-### DocsManager().list
-
-[Show source in doc.py:253](../../../../../../julep/managers/doc.py#L253)
-
-Retrieve a list of documents based on specified criteria.
-
-This method supports filtering the documents by agent_id or user_id, and also supports pagination through the limit and offset parameters.
-
-#### Arguments
-
-agent_id (Optional[Union[str, UUID]]): The unique identifier for the agent. Can be a string or a UUID object. Default is None, which means no filtering by agent_id is applied.
-user_id (Optional[Union[str, UUID]]): The unique identifier for the user. Can be a string or a UUID object. Default is None, which means no filtering by user_id is applied.
-- `limit` *Optional[int]* - The maximum number of documents to retrieve. Default is None, which means no limit is applied.
-- `offset` *Optional[int]* - The number of documents to skip before starting to collect the document list. Default is None, which means no offset is applied.
-
-#### Returns
-
-- `List[Doc]` - A list of documents that match the provided criteria.
-
-#### Notes
-
-The `@beartype` decorator is used to ensure that the input arguments are of the expected types. If an argument is passed that does not match the expected type, a type error will be raised.
-
-#### Signature
-
-```python
-@beartype
-def list(
- self,
- agent_id: Optional[Union[str, UUID]] = None,
- user_id: Optional[Union[str, UUID]] = None,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: Dict[str, Any] = {},
-) -> List[Doc]: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/managers/index.md b/docs/python-sdk-docs/julep/managers/index.md
deleted file mode 100644
index 94775758f..000000000
--- a/docs/python-sdk-docs/julep/managers/index.md
+++ /dev/null
@@ -1,20 +0,0 @@
-# Managers
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / Managers
-
-> Auto-generated documentation for [julep.managers](../../../../../../julep/managers/__init__.py) module.
-
-- [Managers](#managers)
- - [Modules](#modules)
-
-## Modules
-
-- [Agent](./agent.md)
-- [Base](./base.md)
-- [Doc](./doc.md)
-- [Memory](./memory.md)
-- [Session](./session.md)
-- [Task](./task.md)
-- [Tool](./tool.md)
-- [Types](./types.md)
-- [User](./user.md)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/managers/memory.md b/docs/python-sdk-docs/julep/managers/memory.md
deleted file mode 100644
index 11b7d9dc8..000000000
--- a/docs/python-sdk-docs/julep/managers/memory.md
+++ /dev/null
@@ -1,219 +0,0 @@
-# Memory
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Managers](./index.md#managers) / Memory
-
-> Auto-generated documentation for [julep.managers.memory](../../../../../../julep/managers/memory.py) module.
-
-- [Memory](#memory)
- - [AsyncMemoriesManager](#asyncmemoriesmanager)
- - [BaseMemoriesManager](#basememoriesmanager)
- - [MemoriesManager](#memoriesmanager)
-
-## AsyncMemoriesManager
-
-[Show source in memory.py:134](../../../../../../julep/managers/memory.py#L134)
-
-Asynchronously lists memories based on various filter parameters.
-
-Args:
- agent_id (Union[str, UUID]): The unique identifier of the agent.
- query (str): The search query string to filter memories.
- types (Optional[Union[str, List[str]]], optional): The types of memories to filter by. Defaults to None.
- user_id (Optional[str], optional): The unique identifier of the user. Defaults to None.
- limit (Optional[int], optional): The maximum number of memories to return. Defaults to None.
- offset (Optional[int], optional): The number of memories to skip before starting to collect the result set. Defaults to None.
-
-Returns:
- List[Memory]: A list of Memory objects that match the given filters.
-
-Raises:
- ValidationError: If the input validation fails.
- DatabaseError: If there is a problem accessing the database.
-
-#### Signature
-
-```python
-class AsyncMemoriesManager(BaseMemoriesManager): ...
-```
-
-#### See also
-
-- [BaseMemoriesManager](#basememoriesmanager)
-
-### AsyncMemoriesManager().list
-
-[Show source in memory.py:154](../../../../../../julep/managers/memory.py#L154)
-
-Asynchronously list memories based on query parameters.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The ID of the agent to list memories for.
-- `query` *str* - The query string to filter memories.
-types (Optional[Union[str, List[str]]], optional): The types of memories to retrieve. Defaults to None.
-- `user_id` *Optional[str], optional* - The ID of the user to list memories for. Defaults to None.
-- `limit` *Optional[int], optional* - The maximum number of memories to return. Defaults to None.
-- `offset` *Optional[int], optional* - The offset to start listing memories from. Defaults to None.
-
-#### Returns
-
-- `List[Memory]` - A list of Memory objects that match the query.
-
-#### Notes
-
-`@beartype` decorator is used for runtime type checking.
-
-#### Signature
-
-```python
-@beartype
-async def list(
- self,
- agent_id: Union[str, UUID],
- query: str,
- types: Optional[Union[str, List[str]]] = None,
- user_id: Optional[str] = None,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> List[Memory]: ...
-```
-
-
-
-## BaseMemoriesManager
-
-[Show source in memory.py:16](../../../../../../julep/managers/memory.py#L16)
-
-A base manager class for handling agent memories.
-
-This manager provides an interface to interact with agent memories, facilitating
-operations such as listing and retrieving memories based on various criteria.
-
-Methods:
- _list(agent_id, query, types=None, user_id=None, limit=None, offset=None):
- Retrieves a list of memories for a given agent.
-
-Args:
- agent_id (str): A valid UUID v4 string identifying the agent.
- query (str): The query string to search memories.
- types (Optional[Union[str, List[str]]]): The type(s) of memories to retrieve.
- user_id (Optional[str]): The user identifier associated with the memories.
- limit (Optional[int]): The maximum number of memories to retrieve.
- offset (Optional[int]): The number of initial memories to skip in the result set.
-
-Returns:
- Union[GetAgentMemoriesResponse, Awaitable[GetAgentMemoriesResponse]]:
- A synchronous or asynchronous response object containing the list of agent memories.
-
-Raises:
- AssertionError: If `agent_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-class BaseMemoriesManager(BaseManager): ...
-```
-
-### BaseMemoriesManager()._list
-
-[Show source in memory.py:43](../../../../../../julep/managers/memory.py#L43)
-
-List memories from a given agent based on a query and further filtering options.
-
-#### Arguments
-
-- `agent_id` *str* - A valid UUID v4 representing the agent ID.
-- `query` *str* - Query string to filter memories.
-types (Optional[Union[str, List[str]]], optional): The types of memories to filter.
-- `user_id` *Optional[str], optional* - The user ID to filter memories.
-- `limit` *Optional[int], optional* - The maximum number of memories to return.
-- `offset` *Optional[int], optional* - The number of memories to skip before starting to collect the result set.
-
-#### Returns
-
-- `Union[GetAgentMemoriesResponse,` *Awaitable[GetAgentMemoriesResponse]]* - Returns a synchronous or asynchronous response with the agent memories.
-
-#### Raises
-
-- `AssertionError` - If `agent_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _list(
- self,
- agent_id: str,
- query: str,
- types: Optional[Union[str, List[str]]] = None,
- user_id: Optional[str] = None,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> Union[GetAgentMemoriesResponse, Awaitable[GetAgentMemoriesResponse]]: ...
-```
-
-
-
-## MemoriesManager
-
-[Show source in memory.py:80](../../../../../../julep/managers/memory.py#L80)
-
-A class for managing memory entities associated with agents.
-
-Inherits from [BaseMemoriesManager](#basememoriesmanager) and extends its functionality to specifically
-manage and retrieve memory entities for agents based on query parameters.
-
-Attributes:
- Inherited from [BaseMemoriesManager](#basememoriesmanager).
-
-Methods:
- list: Retrieves a list of memory entities based on query parameters.
-
-#### Signature
-
-```python
-class MemoriesManager(BaseMemoriesManager): ...
-```
-
-#### See also
-
-- [BaseMemoriesManager](#basememoriesmanager)
-
-### MemoriesManager().list
-
-[Show source in memory.py:94](../../../../../../julep/managers/memory.py#L94)
-
-List memories meeting specified criteria.
-
-This function fetches a list of Memory objects based on various filters and parameters such as agent_id, query, types, user_id, limit, and offset.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The unique identifier for the agent.
-- `query` *str* - The search term used to filter memories.
-types (Optional[Union[str, List[str]]], optional): The types of memories to retrieve. Can be a single type as a string or a list of types. Default is None, which does not filter by type.
-- `user_id` *Optional[str], optional* - The unique identifier for the user. If provided, only memories associated with this user will be retrieved. Default is None.
-- `limit` *Optional[int], optional* - The maximum number of memories to return. Default is None, which means no limit.
-- `offset` *Optional[int], optional* - The number of memories to skip before starting to return the results. Default is None.
-
-#### Returns
-
-- `List[Memory]` - A list of Memory objects that match the given criteria.
-
-#### Notes
-
-The `@beartype` decorator is used to ensure that arguments conform to the expected types at runtime.
-
-#### Signature
-
-```python
-@beartype
-def list(
- self,
- agent_id: Union[str, UUID],
- query: str,
- types: Optional[Union[str, List[str]]] = None,
- user_id: Optional[str] = None,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> List[Memory]: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/managers/session.md b/docs/python-sdk-docs/julep/managers/session.md
deleted file mode 100644
index 96a40a6de..000000000
--- a/docs/python-sdk-docs/julep/managers/session.md
+++ /dev/null
@@ -1,1226 +0,0 @@
-# Session
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Managers](./index.md#managers) / Session
-
-> Auto-generated documentation for [julep.managers.session](../../../../../../julep/managers/session.py) module.
-
-- [Session](#session)
- - [AsyncSessionsManager](#asyncsessionsmanager)
- - [BaseSessionsManager](#basesessionsmanager)
- - [SessionCreateArgs](#sessioncreateargs)
- - [SessionUpdateArgs](#sessionupdateargs)
- - [SessionsManager](#sessionsmanager)
-
-## AsyncSessionsManager
-
-[Show source in session.py:800](../../../../../../julep/managers/session.py#L800)
-
-A class for managing asynchronous sessions.
-
-This class handles operations related to creating, retrieving, updating,
-deleting, and interacting with sessions asynchronously. It extends the
-functionality of BaseSessionsManager with asynchronous behavior.
-
-#### Attributes
-
-Inherits attributes from the BaseSessionsManager class.
-
-#### Methods
-
-- `async` *get(id* - Union[UUID, str]) -> Session:
- Retrieves a session by its ID.
-
-async create(*, user_id: Union[str, UUID], agent_id: Union[str, UUID], situation: Optional[str]=None) -> ResourceCreatedResponse:
- Creates a new session with the specified user and agent IDs, and an optional situation.
-
-async list(*, limit: Optional[int]=None, offset: Optional[int]=None) -> List[Session]:
- Lists sessions with an optional limit and offset for pagination.
-
-- `async` *delete(session_id* - Union[str, UUID]):
- Deletes a session by its ID.
-
-async update(*, session_id: Union[str, UUID], situation: str) -> ResourceUpdatedResponse:
- Updates the situation for a session by its ID.
-
-async chat(*, session_id: str, messages: List[InputChatMlMessage], tools: Optional[List[Tool]]=None, tool_choice: Optional[ToolChoiceOption]=None, frequency_penalty: Optional[float]=None, length_penalty: Optional[float]=None, logit_bias: Optional[Dict[str, Optional[int]]]=None, max_tokens: Optional[int]=None, presence_penalty: Optional[float]=None, repetition_penalty: Optional[float]=None, response_format: Optional[ChatSettingsResponseFormat]=None, seed: Optional[int]=None, stop: Optional[ChatSettingsStop]=None, stream: Optional[bool]=None, temperature: Optional[float]=None, top_p: Optional[float]=None, recall: Optional[bool]=None, remember: Optional[bool]=None) -> ChatResponse:
- Initiates a chat session with given messages and optional parameters for the chat behavior and output.
-
-async suggestions(*, session_id: Union[str, UUID], limit: Optional[int]=None, offset: Optional[int]=None) -> List[Suggestion]:
- Retrieves suggestions related to a session optionally limited and paginated.
-
-async history(*, session_id: Union[str, UUID], limit: Optional[int]=None, offset: Optional[int]=None) -> List[ChatMlMessage]:
- Retrieves the history of messages in a session, optionally limited and paginated.
-
-- `async` *delete_history(session_id* - Union[str, UUID]) -> None:
-
-#### Notes
-
-The `@beartype` decorator is used for runtime type checking of the arguments.
-
-Additional methods may be provided by the BaseSessionsManager.
-
-#### Signature
-
-```python
-class AsyncSessionsManager(BaseSessionsManager): ...
-```
-
-#### See also
-
-- [BaseSessionsManager](#basesessionsmanager)
-
-### AsyncSessionsManager().chat
-
-[Show source in session.py:975](../../../../../../julep/managers/session.py#L975)
-
-Sends a message in an asynchronous chat session and retrieves the response.
-
-This method leverages the messaging interface with various options to adjust the behavior of the chat bot.
-
-#### Arguments
-
-- `session_id` *str* - The unique identifier for the chat session.
-- `messages` *List[InputChatMlMessage]* - A list of chat messages in the session's context.
-- `tools` *Optional[List[Tool]]* - A list of tools, if provided, to enhance the chat capabilities.
-- `tool_choice` *Optional[ToolChoiceOption]* - A preference for tool selection during the chat.
-- `frequency_penalty` *Optional[float]* - Adjusts how much the model should avoid repeating the same line of thought.
-- `length_penalty` *Optional[float]* - Penalizes longer responses.
-logit_bias (Optional[Dict[str, Optional[int]]]): Biases the model's prediction towards or away from certain tokens.
-- `max_tokens` *Optional[int]* - The maximum length of the generated response.
-- `presence_penalty` *Optional[float]* - Adjusts how much the model should consider new concepts.
-- `repetition_penalty` *Optional[float]* - Adjusts how much the model should avoid repeating previous input.
-- `response_format` *Optional[ChatSettingsResponseFormat]* - The desired format for the response.
-- `seed` *Optional[int]* - A seed used to initialize the model's random number generator.
-- `stop` *Optional[ChatSettingsStop]* - Tokens that signify the end of the response.
-- `stream` *Optional[bool]* - Whether or not to stream the responses.
-- `temperature` *Optional[float]* - Controls randomness in the response generation.
-- `top_p` *Optional[float]* - Controls diversity via nucleus sampling.
-- `recall` *Optional[bool]* - If true, the model recalls previous messages within the same session.
-- `remember` *Optional[bool]* - If true, the model incorporates the context from the previous conversations in the session.
-
-#### Returns
-
-- `ChatResponse` - The response from the chat bot, encapsulating the result of the chat action.
-
-#### Notes
-
-This function is decorated with `@beartype`, which enforces type annotations at runtime.
-
-#### Examples
-
-```python
->>> response = await chat(...)
->>> print(response)
-```
-
-#### Signature
-
-```python
-@beartype
-async def chat(
- self,
- session_id: str,
- messages: List[Union[InputChatMlMessageDict, InputChatMlMessage]],
- tools: Optional[List[Union[ToolDict, Tool]]] = None,
- tool_choice: Optional[ToolChoiceOption] = None,
- frequency_penalty: Optional[float] = None,
- length_penalty: Optional[float] = None,
- logit_bias: Optional[Dict[str, Optional[int]]] = None,
- max_tokens: Optional[int] = None,
- presence_penalty: Optional[float] = None,
- repetition_penalty: Optional[float] = None,
- response_format: Optional[
- Union[ChatSettingsResponseFormatDict, ChatSettingsResponseFormat]
- ] = None,
- seed: Optional[int] = None,
- stop: Optional[ChatSettingsStop] = None,
- stream: Optional[bool] = None,
- temperature: Optional[float] = None,
- top_p: Optional[float] = None,
- recall: Optional[bool] = None,
- remember: Optional[bool] = None,
-) -> ChatResponse: ...
-```
-
-### AsyncSessionsManager().create
-
-[Show source in session.py:872](../../../../../../julep/managers/session.py#L872)
-
-Asynchronously create a resource with the specified user and agent identifiers.
-
-This function wraps an internal _create method and is decorated with `beartype` for run-time type checking.
-
-#### Arguments
-
-user_id (Union[str, UUID]): Unique identifier for the user.
-agent_id (Union[str, UUID]): Unique identifier for the agent.
-- `situation` *Optional[str], optional* - Description of the situation, defaults to None.
-
-#### Returns
-
-- `Session` - The created Session object
-
-#### Raises
-
-- `BeartypeException` - If any of the input arguments do not match their expected types.
-Any exception raised by the internal _create method.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Session)
-async def create(self, **kwargs: SessionCreateArgs) -> Session: ...
-```
-
-#### See also
-
-- [SessionCreateArgs](#sessioncreateargs)
-
-### AsyncSessionsManager().delete
-
-[Show source in session.py:925](../../../../../../julep/managers/session.py#L925)
-
-Asynchronously delete a session given its ID.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The unique identifier for the session, which can
- be either a string or a UUID.
-
-#### Returns
-
-Coroutine[Any, Any, Any]: A coroutine that, when awaited, completes the deletion process.
-
-#### Raises
-
-The decorators or the body of the '_delete' method may define specific exceptions that
-could be raised during the execution. Generally, include any exceptions that are raised
-by the '_delete' method or by the 'beartype' decorator in this section.
-
-#### Signature
-
-```python
-@beartype
-async def delete(self, session_id: Union[str, UUID]): ...
-```
-
-### AsyncSessionsManager().delete_history
-
-[Show source in session.py:1120](../../../../../../julep/managers/session.py#L1120)
-
-Delete the history of a session asynchronously.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The unique identifier for the session.
-
-#### Returns
-
-- `None` - The result of the delete operation.
-
-#### Raises
-
-- `AssertionError` - If the `session_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-@beartype
-async def delete_history(self, session_id: Union[str, UUID]) -> None: ...
-```
-
-### AsyncSessionsManager().get
-
-[Show source in session.py:844](../../../../../../julep/managers/session.py#L844)
-
-Asynchronously get a Session object by its identifier.
-
-This method retrieves a Session based on the provided `id`. It uses an underlying
-asynchronous '_get' method to perform the operation.
-
-#### Arguments
-
-id (Union[UUID, str]): The unique identifier of the Session to retrieve. It can be
- either a string representation or a UUID object.
-
-#### Returns
-
-- `Session` - The retrieved Session object associated with the given id.
-
-#### Raises
-
-- `TypeError` - If the `id` is not of type UUID or str.
-- `ValueError` - If the `id` is not a valid UUID or an invalid string is provided.
-- `AnyExceptionRaisedBy_get` - Descriptive name of specific exceptions that '_get'
- might raise, if any. Replace this with the actual exceptions.
-
-#### Notes
-
-The `@beartype` decorator is being used to enforce type checking at runtime.
-This ensures that the argument `id` is of the correct type (UUID or str) and
-that the return value is a Session object.
-
-#### Signature
-
-```python
-@beartype
-async def get(self, id: Union[UUID, str]) -> Session: ...
-```
-
-### AsyncSessionsManager().history
-
-[Show source in session.py:1088](../../../../../../julep/managers/session.py#L1088)
-
-Retrieve a history of chat messages based on the session ID, with optional limit and offset.
-
-This function is decorated with 'beartype' for runtime type checking.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The unique identifier for the chat session.
-- `limit` *Optional[int], optional* - The maximum number of chat messages to return. Defaults to None.
-- `offset` *Optional[int], optional* - The number of chat messages to skip before starting to collect the history slice. Defaults to None.
-
-#### Returns
-
-- `List[ChatMlMessage]` - A list of chat messages from the history that match the criteria.
-
-#### Raises
-
-Any exceptions that may be raised by the underlying '_history' method or 'beartype' decorator.
-
-#### Signature
-
-```python
-@beartype
-async def history(
- self,
- session_id: Union[str, UUID],
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> List[ChatMlMessage]: ...
-```
-
-### AsyncSessionsManager().list
-
-[Show source in session.py:895](../../../../../../julep/managers/session.py#L895)
-
-Asynchronously retrieves a list of sessions with optional pagination.
-
-This method utilizes `_list_items` internally to obtain session data with support for limit and offset parameters. The `beartype` decorator is used to ensure that the function parameters match the expected types.
-
-#### Arguments
-
-- `limit` *Optional[int], optional* - The maximum number of sessions to retrieve. Default is None, which retrieves all available sessions.
-- `offset` *Optional[int], optional* - The number to skip before starting to collect the response set. Default is None.
-
-#### Returns
-
-- `List[Session]` - A list of `Session` objects containing session data.
-
-#### Signature
-
-```python
-@beartype
-async def list(
- self,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: Dict[str, Any] = {},
-) -> List[Session]: ...
-```
-
-### AsyncSessionsManager().suggestions
-
-[Show source in session.py:1056](../../../../../../julep/managers/session.py#L1056)
-
-Retrieve a list of suggestions asynchronously.
-
-This function asynchronously fetches suggestions based on the provided session ID, with optional limit and offset parameters for pagination.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The session identifier for which suggestions are to be retrieved.
-- `limit` *Optional[int]* - The maximum number of suggestions to return. Defaults to None, which means no limit.
-- `offset` *Optional[int]* - The number of suggestions to skip before starting to return results. Defaults to None, which means no offset.
-
-#### Returns
-
-- `List[Suggestion]` - A list of Suggestion objects.
-
-#### Raises
-
-- `Exception` - Raises an exception if the underlying _suggestions call fails.
-
-#### Signature
-
-```python
-@beartype
-async def suggestions(
- self,
- session_id: Union[str, UUID],
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> List[Suggestion]: ...
-```
-
-### AsyncSessionsManager().update
-
-[Show source in session.py:944](../../../../../../julep/managers/session.py#L944)
-
-Asynchronously update a resource with the given situation.
-
-This method wraps the private `_update` method which performs the actual update
-operation asynchronously.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The session ID of the resource to update.
- It can be either a `str` or a `UUID` object.
-- `situation` *str* - Description of the situation to update the resource with.
-
-#### Returns
-
-- `Session` - The updated Session object
-
-#### Notes
-
-This function is decorated with `@beartype`, which will perform runtime type
-checking on the arguments.
-
-#### Raises
-
-- `BeartypeCallHintParamViolation` - If the `session_id` or `situation`
- arguments do not match their annotated types.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Session)
-async def update(self, **kwargs: SessionUpdateArgs) -> Session: ...
-```
-
-#### See also
-
-- [SessionUpdateArgs](#sessionupdateargs)
-
-
-
-## BaseSessionsManager
-
-[Show source in session.py:57](../../../../../../julep/managers/session.py#L57)
-
-A class to manage sessions using base API client methods.
-
-This manager handles CRUD operations and additional actions on the session data,
-such as chatting and retrieving history or suggestions.
-
-#### Attributes
-
-- `api_client` - The client used for communicating with an API.
-
-#### Methods
-
-_get(id):
- Retrieve a specific session by its identifier.
-
-#### Arguments
-
-id (Union[str, UUID]): The unique identifier for the session.
-
-agent_id (Union[str, UUID]): The unique identifier for the agent.
-user_id (Optional[Union[str, UUID]]): The unique identifier for the user.
-- `situation` *Optional[str]* - An optional description of the situation for the session.
-
-- `limit` *Optional[int]* - The limit on the number of items to be retrieved.
-- `offset` *Optional[int]* - The number of items to be skipped before starting to collect the result set.
-
-session_id (Union[str, UUID]): The unique identifier for the session to be deleted.
-
-session_id (Union[str, UUID]): The unique identifier for the session to be updated.
-- `situation` *str* - The new situation description for the session.
-
-- `session_id` *str* - The unique identifier for the session.
-- `messages` *List[InputChatMlMessage]* - The list of input chat messages to be sent.
-- `tools` *Optional[List[Tool]]* - ...
-- `tool_choice` *Optional[ToolChoiceOption]* - ...
-- `...` - Other optional parameters for chat settings and modifiers.
-
-session_id (Union[str, UUID]): The unique identifier for the session.
-- `limit` *Optional[int]* - The limit on the number of suggestions to be retrieved.
-- `offset` *Optional[int]* - The number of suggestions to be skipped before starting to collect the result set.
-
-session_id (Union[str, UUID]): The unique identifier for the session.
-- `limit` *Optional[int]* - The limit on the number of history entries to be retrieved.
-- `offset` *Optional[int]* - The number of history entries to be skipped before starting to collect the result set.
-
-session_id (Union[str, UUID]): The unique identifier for the session.
-
-#### Returns
-
-- `Union[Session,` *Awaitable[Session]]* - The session object or an awaitable yielding it.
-
-- `Union[ResourceCreatedResponse,` *Awaitable[ResourceCreatedResponse]]* - The response for the created session or an awaitable yielding it.
-
-_list_items(limit, offset):
- List multiple session items with optional pagination.
-
-- `Union[ListSessionsResponse,` *Awaitable[ListSessionsResponse]]* - The list of sessions or an awaitable yielding it.
-
-_delete(session_id):
- Delete a session by its identifier.
-
-- `Union[None,` *Awaitable[None]]* - None or an awaitable yielding None if the operation is successful.
-
-_update(session_id, situation):
- Update the situation for an existing session.
-
-- `Union[ResourceUpdatedResponse,` *Awaitable[ResourceUpdatedResponse]]* - The response for the updated session or an awaitable yielding it.
-
-_chat(session_id, messages, ...):
- Send chat messages and get responses during a session.
-
-- `Union[ChatResponse,` *Awaitable[ChatResponse]]* - The chat response for the session or an awaitable yielding it.
-
-_suggestions(session_id, limit, offset):
- Get suggestions for a session.
-
-- `Union[GetSuggestionsResponse,` *Awaitable[GetSuggestionsResponse]]* - The suggestions response for the session or an awaitable yielding it.
-
-_history(session_id, limit, offset):
- Get the history for a session.
-
-- `Union[GetHistoryResponse,` *Awaitable[GetHistoryResponse]]* - The history response for the session or an awaitable yielding it.
-
-_delete_history(session_id):
- Delete the history of a session.
-
-- `Union[None,` *Awaitable[None]]* - None or an awaitable yielding None if the operation is successful.
-
-#### Raises
-
-- `ValueError` - If the `id` is not a valid UUID.
-- `NetworkError` - If there is an issue communicating with the API.
-
-_create(user_id, agent_id, situation):
- Create a new session with specified user and agent identifiers.
-
-#### Signature
-
-```python
-class BaseSessionsManager(BaseManager): ...
-```
-
-### BaseSessionsManager()._chat
-
-[Show source in session.py:310](../../../../../../julep/managers/session.py#L310)
-
-Conducts a chat conversation with an AI model using specific parameters.
-
-#### Arguments
-
-- `session_id` *str* - A unique identifier for the chat session.
-- `messages` *List[InputChatMlMessage]* - A list of input messages for the AI to respond to.
-- `tools` *Optional[List[Tool]]* - A list of tools to be used during the chat session.
-- `tool_choice` *Optional[ToolChoiceOption]* - A method for choosing which tools to apply.
-- `frequency_penalty` *Optional[float]* - A modifier to decrease the likelihood of frequency-based repetitions.
-- `length_penalty` *Optional[float]* - A modifier to control the length of the generated responses.
-logit_bias (Optional[Dict[str, Optional[int]]]): Adjustments to the likelihood of specific tokens appearing.
-- `max_tokens` *Optional[int]* - The maximum number of tokens to generate in the output.
-- `presence_penalty` *Optional[float]* - A modifier to control for new concepts' appearance.
-- `repetition_penalty` *Optional[float]* - A modifier to discourage repetitive responses.
-- `response_format` *Optional[ChatSettingsResponseFormat]* - The format in which the response is to be delivered.
-- `seed` *Optional[int]* - An integer to seed the random number generator for reproducibility.
-- `stop` *Optional[ChatSettingsStop]* - Tokens at which to stop generating further tokens.
-- `stream` *Optional[bool]* - Whether to stream the response or deliver it when it's complete.
-- `temperature` *Optional[float]* - A value to control the randomness of the output.
-- `top_p` *Optional[float]* - A value to control the nucleus sampling, i.e., the cumulative probability cutoff.
-- `recall` *Optional[bool]* - A flag to control the recall capability of the AI model.
-- `remember` *Optional[bool]* - A flag to control the persistence of the chat history in the AI's memory.
-
-#### Returns
-
-- `Union[ChatResponse,` *Awaitable[ChatResponse]]* - The response from the AI given the input messages and parameters. This could be a synchronous `ChatResponse` object or an asynchronous `Awaitable[ChatResponse]` if the `stream` parameter is True.
-
-#### Notes
-
-The precise types of some arguments, like `Tool`, `ToolChoiceOption`, `ChatSettingsResponseFormat`, and `ChatSettingsStop`, are not defined within the given context. It's assumed that these types have been defined elsewhere in the code base.
-
-#### Raises
-
-It is not specified what exceptions this function might raise. Typically, one would expect potential exceptions to be associated with the underlying API client's `chat` method failure modes, such as network issues, invalid parameters, etc.
-
-#### Signature
-
-```python
-def _chat(
- self,
- session_id: str,
- messages: List[Union[InputChatMlMessageDict, InputChatMlMessage]],
- tools: Optional[List[Union[ToolDict, Tool]]] = None,
- tool_choice: Optional[ToolChoiceOption] = None,
- frequency_penalty: Optional[float] = None,
- length_penalty: Optional[float] = None,
- logit_bias: Optional[Dict[str, Optional[int]]] = None,
- max_tokens: Optional[int] = None,
- presence_penalty: Optional[float] = None,
- repetition_penalty: Optional[float] = None,
- response_format: Optional[
- Union[ChatSettingsResponseFormatDict, ChatSettingsResponseFormat]
- ] = None,
- seed: Optional[int] = None,
- stop: Optional[ChatSettingsStop] = None,
- stream: Optional[bool] = None,
- temperature: Optional[float] = None,
- top_p: Optional[float] = None,
- recall: Optional[bool] = None,
- remember: Optional[bool] = None,
-) -> Union[ChatResponse, Awaitable[ChatResponse]]: ...
-```
-
-### BaseSessionsManager()._create
-
-[Show source in session.py:182](../../../../../../julep/managers/session.py#L182)
-
-Creates a session for a specified user and agent.
-
-This internal method is responsible for creating a session using the API client. It validates that both the user and agent IDs are valid UUID v4 strings before proceeding with session creation.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The agent's identifier which could be a string or a UUID object.
-user_id (Optional[Union[str, UUID]]): The user's identifier which could be a string or a UUID object.
-- `situation` *Optional[str], optional* - An optional description of the situation.
-metadata (Dict[str, Any])
-- `render_templates` *bool, optional* - Whether to render templates in the metadata. Defaults to False.
-
-#### Returns
-
-- `Union[ResourceCreatedResponse,` *Awaitable[ResourceCreatedResponse]]* - The response from the API client upon successful session creation, which can be a synchronous `ResourceCreatedResponse` or an asynchronous `Awaitable` of it.
-
-#### Raises
-
-- `AssertionError` - If either `user_id` or `agent_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _create(
- self,
- agent_id: Union[str, UUID],
- user_id: Optional[Union[str, UUID]] = None,
- situation: Optional[str] = None,
- metadata: Dict[str, Any] = {},
- render_templates: bool = False,
- token_budget: Optional[int] = None,
- context_overflow: Optional[str] = None,
-) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]: ...
-```
-
-### BaseSessionsManager()._delete
-
-[Show source in session.py:251](../../../../../../julep/managers/session.py#L251)
-
-Delete a session given its session ID.
-
-This is an internal method that asserts the provided session_id is a valid UUID v4
-before making the delete request through the API client.
-
-Args:
- session_id (Union[str, UUID]): The session identifier, which should be a valid UUID v4.
-
-Returns:
- Union[None, Awaitable[None]]: The result of the delete operation, which can be either
- None or an Awaitable that resolves to None, depending on whether this is a synchronous
- or asynchronous call.
-
-Raises:
- AssertionError: If the `session_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _delete(self, session_id: Union[str, UUID]) -> Union[None, Awaitable[None]]: ...
-```
-
-### BaseSessionsManager()._delete_history
-
-[Show source in session.py:444](../../../../../../julep/managers/session.py#L444)
-
-Delete the history of a session.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The unique identifier for the session.
-
-#### Returns
-
-- `Union[None,` *Awaitable[None]]* - The result of the delete operation, which can be either
-None or an Awaitable that resolves to None, depending on whether this is a synchronous
-or asynchronous call.
-
-#### Raises
-
-- `AssertionError` - If the `session_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _delete_history(
- self, session_id: Union[str, UUID]
-) -> Union[None, Awaitable[None]]: ...
-```
-
-### BaseSessionsManager()._get
-
-[Show source in session.py:166](../../../../../../julep/managers/session.py#L166)
-
-Get a session by its ID.
-
-#### Arguments
-
-id (Union[str, UUID]): A string or UUID representing the session ID.
-
-#### Returns
-
-- `Union[Session,` *Awaitable[Session]]* - The session object associated with the given ID, which can be either a `Session` instance or an `Awaitable` that resolves to a `Session`.
-
-#### Raises
-
-- `AssertionError` - If the id is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _get(self, id: Union[str, UUID]) -> Union[Session, Awaitable[Session]]: ...
-```
-
-### BaseSessionsManager()._history
-
-[Show source in session.py:416](../../../../../../julep/managers/session.py#L416)
-
-Retrieve a session's history with optional pagination controls.
-
-Args:
- session_id (Union[str, UUID]): Unique identifier for the session
- whose history is being queried. Can be a string or a UUID object.
- limit (Optional[int], optional): The maximum number of history
- entries to retrieve. Defaults to None, which uses the API's default setting.
- offset (Optional[int], optional): The number of initial history
- entries to skip. Defaults to None, which means no offset is applied.
-
-Returns:
- Union[GetHistoryResponse, Awaitable[GetHistoryResponse]]:
- The history response object, which may be either synchronous or
- asynchronous (awaitable), depending on the API client configuration.
-
-#### Signature
-
-```python
-def _history(
- self,
- session_id: Union[str, UUID],
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> Union[GetHistoryResponse, Awaitable[GetHistoryResponse]]: ...
-```
-
-### BaseSessionsManager()._list_items
-
-[Show source in session.py:226](../../../../../../julep/managers/session.py#L226)
-
-List items with optional pagination.
-
-#### Arguments
-
-- `limit` *Optional[int]* - The maximum number of items to return. Defaults to None.
-- `offset` *Optional[int]* - The number of items to skip before starting to collect the result set. Defaults to None.
-
-#### Returns
-
-- `Union[ListSessionsResponse,` *Awaitable[ListSessionsResponse]]* - The response object containing the list of items or an awaitable response object if called asynchronously.
-
-#### Notes
-
-The '_list_items' function is assumed to be a method of a class that has an 'api_client' attribute capable of listing sessions.
-
-#### Signature
-
-```python
-def _list_items(
- self,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: str = "{}",
-) -> Union[ListSessionsResponse, Awaitable[ListSessionsResponse]]: ...
-```
-
-### BaseSessionsManager()._suggestions
-
-[Show source in session.py:393](../../../../../../julep/managers/session.py#L393)
-
-Retrieve a list of suggestions for a given session.
-
-Args:
- session_id (Union[str, UUID]): The ID of the session for which to get suggestions.
- limit (Optional[int], optional): The maximum number of suggestions to retrieve. Defaults to None.
- offset (Optional[int], optional): The offset from where to start retrieving suggestions. Defaults to None.
-
-Returns:
- Union[GetSuggestionsResponse, Awaitable[GetSuggestionsResponse]]: The response containing the list of suggestions synchronously or asynchronously, depending on the API client.
-
-#### Signature
-
-```python
-def _suggestions(
- self,
- session_id: Union[str, UUID],
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> Union[GetSuggestionsResponse, Awaitable[GetSuggestionsResponse]]: ...
-```
-
-### BaseSessionsManager()._update
-
-[Show source in session.py:272](../../../../../../julep/managers/session.py#L272)
-
-Update a session with a given situation.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The session identifier, which can be a string-formatted UUID or an actual UUID object.
-- `situation` *str* - A string describing the current situation.
-- `overwrite` *bool, optional* - Whether to overwrite the existing situation. Defaults to False.
-
-#### Returns
-
-- `Union[ResourceUpdatedResponse,` *Awaitable[ResourceUpdatedResponse]]* - The response from the update operation, which can be either synchronous or asynchronous.
-
-#### Raises
-
-- `AssertionError` - If `session_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _update(
- self,
- session_id: Union[str, UUID],
- situation: Optional[str] = None,
- metadata: Optional[Dict[str, Any]] = None,
- overwrite: bool = False,
- token_budget: Optional[int] = None,
- context_overflow: Optional[str] = None,
-) -> Union[ResourceUpdatedResponse, Awaitable[ResourceUpdatedResponse]]: ...
-```
-
-
-
-## SessionCreateArgs
-
-[Show source in session.py:37](../../../../../../julep/managers/session.py#L37)
-
-#### Signature
-
-```python
-class SessionCreateArgs(TypedDict): ...
-```
-
-
-
-## SessionUpdateArgs
-
-[Show source in session.py:47](../../../../../../julep/managers/session.py#L47)
-
-#### Signature
-
-```python
-class SessionUpdateArgs(TypedDict): ...
-```
-
-
-
-## SessionsManager
-
-[Show source in session.py:466](../../../../../../julep/managers/session.py#L466)
-
-A class responsible for managing session interactions.
-
-This class extends [BaseSessionsManager](#basesessionsmanager) and provides methods to get, create,
-list, delete, and update sessions, as well as to initiate a chat within a session,
-request suggestions, and access session history.
-
-#### Methods
-
-- `get` *(id* - Union[str, UUID]) -> Session:
- Retrieves a session by its identifier.
-
-create (
- *,
- - `user_id` - Union[str, UUID],
- - `agent_id` - Union[str, UUID],
- - `situation` - Optional[str]=None
-) -> ResourceCreatedResponse:
- Creates a new session given a user ID and an agent ID, and optionally
- a description of the situation.
-
-list (
- *,
- - `limit` - Optional[int]=None,
- - `offset` - Optional[int]=None
-) -> List[Session]:
- Lists sessions with optional pagination via limit and offset.
-
-- `delete` *(session_id* - Union[str, UUID]):
- Deletes a session identified by the given session ID.
-
-update (
- *,
- - `session_id` - Union[str, UUID],
- - `situation` - str
-) -> ResourceUpdatedResponse:
- Updates the situation of a specific session by its ID.
-
-chat (
- *args
- see full method signature for detailed arguments
-) -> ChatResponse:
- Initiates a chat in the given session with messages and various settings,
- including tools, penalties, biases, tokens, response format, etc.
-
-suggestions (
- *,
- - `session_id` - Union[str, UUID],
- - `limit` - Optional[int]=None,
- - `offset` - Optional[int]=None
-) -> List[Suggestion]:
- Retrieves a list of suggestions for a given session, supported by
- optional pagination parameters.
-
-history (
- *,
- - `session_id` - Union[str, UUID],
- - `limit` - Optional[int]=None,
- - `offset` - Optional[int]=None
-) -> List[ChatMlMessage]:
- Retrieves the chat history for a given session, supported by
- optional pagination parameters.
-
-- `delete_history` *(session_id* - Union[str, UUID]) -> None:
-
-Each method is decorated with `@beartype` for runtime type enforcement.
-
-#### Signature
-
-```python
-class SessionsManager(BaseSessionsManager): ...
-```
-
-#### See also
-
-- [BaseSessionsManager](#basesessionsmanager)
-
-### SessionsManager().chat
-
-[Show source in session.py:647](../../../../../../julep/managers/session.py#L647)
-
-Initiate a chat session with the provided inputs and configurations.
-
-#### Arguments
-
-- `session_id` *str* - Unique identifier for the chat session.
-- `messages` *List[InputChatMlMessage]* - List of messages to send in the chat session.
-- `tools` *Optional[List[Tool]], optional* - List of tools to be used in the session. Defaults to None.
-- `tool_choice` *Optional[ToolChoiceOption], optional* - The choice of tool to optimize response for. Defaults to None.
-- `frequency_penalty` *Optional[float], optional* - Penalty for frequent tokens to control repetition. Defaults to None.
-- `length_penalty` *Optional[float], optional* - Penalty for longer responses to control verbosity. Defaults to None.
-logit_bias (Optional[Dict[str, Optional[int]]], optional): Bias for or against specific tokens. Defaults to None.
-- `max_tokens` *Optional[int], optional* - Maximum number of tokens to generate in the response. Defaults to None.
-- `presence_penalty` *Optional[float], optional* - Penalty for new tokens to control topic introduction. Defaults to None.
-- `repetition_penalty` *Optional[float], optional* - Penalty to discourage repetition. Defaults to None.
-- `response_format` *Optional[ChatSettingsResponseFormat], optional* - Format of the response. Defaults to None.
-- `seed` *Optional[int], optional* - Random seed for deterministic responses. Defaults to None.
-- `stop` *Optional[ChatSettingsStop], optional* - Sequence at which to stop generating further tokens. Defaults to None.
-- `stream` *Optional[bool], optional* - Whether to stream responses or not. Defaults to None.
-- `temperature` *Optional[float], optional* - Sampling temperature for randomness in the response. Defaults to None.
-- `top_p` *Optional[float], optional* - Nucleus sampling parameter to control diversity. Defaults to None.
-- `recall` *Optional[bool], optional* - Whether to allow recalling previous parts of the chat. Defaults to None.
-- `remember` *Optional[bool], optional* - Whether to allow the model to remember previous chats. Defaults to None.
-
-#### Returns
-
-- `ChatResponse` - The response object after processing chat messages.
-
-#### Notes
-
-The 'beartype' decorator is used for runtime type checking.
-
-#### Signature
-
-```python
-@beartype
-def chat(
- self,
- session_id: str,
- messages: List[Union[InputChatMlMessageDict, InputChatMlMessage]],
- tools: Optional[List[Union[ToolDict, Tool]]] = None,
- tool_choice: Optional[ToolChoiceOption] = None,
- frequency_penalty: Optional[float] = None,
- length_penalty: Optional[float] = None,
- logit_bias: Optional[Dict[str, Optional[int]]] = None,
- max_tokens: Optional[int] = None,
- presence_penalty: Optional[float] = None,
- repetition_penalty: Optional[float] = None,
- response_format: Optional[
- Union[ChatSettingsResponseFormatDict, ChatSettingsResponseFormat]
- ] = None,
- seed: Optional[int] = None,
- stop: Optional[ChatSettingsStop] = None,
- stream: Optional[bool] = None,
- temperature: Optional[float] = None,
- top_p: Optional[float] = None,
- recall: Optional[bool] = None,
- remember: Optional[bool] = None,
-) -> ChatResponse: ...
-```
-
-### SessionsManager().create
-
-[Show source in session.py:551](../../../../../../julep/managers/session.py#L551)
-
-Create a new resource with a user ID and an agent ID, optionally including a situation description.
-
-#### Arguments
-
-user_id (Union[str, UUID]): The unique identifier for the user.
-agent_id (Union[str, UUID]): The unique identifier for the agent.
-- `situation` *Optional[str]* - An optional description of the situation.
-
-#### Returns
-
-- `Session` - The created Session object.
-
-#### Raises
-
-- `BeartypeException` - If the provided `user_id` or `agent_id` do not match the required type.
-Any other exception that `_create` might raise.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Session)
-def create(self, **kwargs: SessionCreateArgs) -> Session: ...
-```
-
-#### See also
-
-- [SessionCreateArgs](#sessioncreateargs)
-
-### SessionsManager().delete
-
-[Show source in session.py:603](../../../../../../julep/managers/session.py#L603)
-
-Deletes a session based on its session ID.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The session ID to be deleted, which can be a string or a UUID object.
-
-#### Returns
-
-The result from the internal `_delete` method call.
-
-#### Raises
-
-The specific exceptions that `self._delete` might raise, which should be documented in its docstring.
-
-#### Signature
-
-```python
-@beartype
-def delete(self, session_id: Union[str, UUID]): ...
-```
-
-### SessionsManager().delete_history
-
-[Show source in session.py:783](../../../../../../julep/managers/session.py#L783)
-
-Delete the history of a session.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The unique identifier for the session.
-
-#### Returns
-
-- `None` - The result of the delete operation.
-
-#### Raises
-
-- `AssertionError` - If the `session_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-@beartype
-def delete_history(self, session_id: Union[str, UUID]) -> None: ...
-```
-
-### SessionsManager().get
-
-[Show source in session.py:534](../../../../../../julep/managers/session.py#L534)
-
-Retrieve a Session object based on a given identifier.
-
-Args:
- id (Union[str, UUID]): The identifier of the session, which can be either a string or a UUID.
-
-Returns:
- Session: The session object associated with the given id.
-
-Raises:
- TypeError: If the id is neither a string nor a UUID.
- KeyError: If the session with the given id does not exist.
-
-#### Signature
-
-```python
-@beartype
-def get(self, id: Union[str, UUID]) -> Session: ...
-```
-
-### SessionsManager().history
-
-[Show source in session.py:756](../../../../../../julep/managers/session.py#L756)
-
-Retrieve a history of ChatMl messages for a given session.
-
-This method uses the private method `_history` to fetch the message history and returns a list of ChatMlMessage objects.
-
-Args:
- session_id (Union[str, UUID]): The session identifier to fetch the chat history for.
- limit (Optional[int], optional): The maximum number of messages to return. If None, no limit is applied. Defaults to None.
- offset (Optional[int], optional): The offset from where to start fetching messages. If None, no offset is applied. Defaults to None.
-
-Returns:
- List[ChatMlMessage]: A list of ChatMlMessage objects representing the history of messages for the session.
-
-#### Signature
-
-```python
-@beartype
-def history(
- self,
- session_id: Union[str, UUID],
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> List[ChatMlMessage]: ...
-```
-
-### SessionsManager().list
-
-[Show source in session.py:572](../../../../../../julep/managers/session.py#L572)
-
-Retrieve a list of Session objects with optional pagination.
-
-Args:
- limit (Optional[int]): The maximum number of Session objects to return.
- Defaults to None, which indicates no limit.
- offset (Optional[int]): The number of items to skip before starting to return the results.
- Defaults to None, which indicates no offset.
-
-Returns:
- List[Session]: A list of Session objects meeting the criteria.
-
-Raises:
- BeartypeException: If the input arguments do not match their annotated types.
-
-#### Signature
-
-```python
-@beartype
-def list(
- self,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: Dict[str, Any] = {},
-) -> List[Session]: ...
-```
-
-### SessionsManager().suggestions
-
-[Show source in session.py:722](../../../../../../julep/managers/session.py#L722)
-
-Provides a list of suggestion objects based on the given session ID.
-
-This method retrieves suggestions and is decorated with `beartype` for runtime type
-checking of the passed arguments.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The ID of the session to retrieve suggestions for.
-- `limit` *Optional[int], optional* - The maximum number of suggestions to return.
- Defaults to None, which means no limit.
-- `offset` *Optional[int], optional* - The number to offset the list of returned
- suggestions by. Defaults to None, which means no offset.
-
-#### Returns
-
-- `List[Suggestion]` - A list of suggestion objects.
-
-#### Raises
-
-Any exceptions that `_suggestions` might raise, for example, if the method is unable
-to retrieve suggestions based on the provided session ID.
-
-#### Signature
-
-```python
-@beartype
-def suggestions(
- self,
- session_id: Union[str, UUID],
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> List[Suggestion]: ...
-```
-
-### SessionsManager().update
-
-[Show source in session.py:619](../../../../../../julep/managers/session.py#L619)
-
-Updates the state of a resource based on a given situation.
-
-This function is type-checked using beartype to ensure that the `session_id` parameter
-is either a string or a UUID and that the `situation` parameter is a string. It delegates
-the actual update process to an internal method '_update'.
-
-#### Arguments
-
-session_id (Union[str, UUID]): The session identifier, which can be a UUID or a
- string that uniquely identifies the session.
-- `situation` *str* - A string that represents the new situation for the resource update.
-- `overwrite` *bool, optional* - A flag to indicate whether to overwrite the existing
-
-#### Returns
-
-- `Session` - The updated Session object.
-
-#### Notes
-
-The `@beartype` decorator is used for runtime type checking of the function arguments.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Session)
-def update(self, **kwargs: SessionUpdateArgs) -> Session: ...
-```
-
-#### See also
-
-- [SessionUpdateArgs](#sessionupdateargs)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/managers/task.md b/docs/python-sdk-docs/julep/managers/task.md
deleted file mode 100644
index e295f2d5f..000000000
--- a/docs/python-sdk-docs/julep/managers/task.md
+++ /dev/null
@@ -1,608 +0,0 @@
-# Task
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Managers](./index.md#managers) / Task
-
-> Auto-generated documentation for [julep.managers.task](../../../../../../julep/managers/task.py) module.
-
-- [Task](#task)
- - [AsyncTasksManager](#asynctasksmanager)
- - [BaseTasksManager](#basetasksmanager)
- - [StartTaskExecutionArgs](#starttaskexecutionargs)
- - [TaskCreateArgs](#taskcreateargs)
- - [TasksManager](#tasksmanager)
-
-## AsyncTasksManager
-
-[Show source in task.py:348](../../../../../../julep/managers/task.py#L348)
-
-A class for managing tasks, inheriting from [BaseTasksManager](#basetasksmanager).
-
-This class provides asynchronous functionalities to interact with and manage tasks, including creating, retrieving, start execution and get execution of tasks. It utilizes type annotations to ensure type correctness at runtime using the `beartype` decorator.
-
-#### Methods
-
-- `get(self,` *agent_id* - Union[UUID, str], task_id: Union[UUID, str]) -> Task:
- Asynchronously retrieves a single task given agent and task IDs.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): The UUID of the agent
-task_id (Union[UUID, str]): The UUID of the task
-agent_id (Union[UUID, str]): Agent ID
-- `name` *str* - Task name
-- `description` *Optional[str]* - Task description
-- `tools_available` *Optional[List[str]]* - A list of available tools
-input_schema (Optional[Dict[str, Any]]): Input schema
-- `main` *List[WorkflowStep]* - A list of workflow steps
-task_id Union[UUID, str]: Task ID
-execution_id (Union[UUID, str]): Execution ID
-agent_id (Union[UUID, str]): Agent ID
-task_id (Union[UUID, str]): Task ID
-arguments (Dict[str, Any]): Task arguments
-- `status` *ExecutionStatus* - Task execution status
-agent_id (Union[UUID, str]): Agent ID
-
-#### Returns
-
-- `Task` - The task object with the corresponding identifier.
-
-- `create(self,` *agent_id* - Union[UUID, str], name: str, description: Optional[str] = None, tools_available: Optional[List[str]] = None, input_schema: Optional[Dict[str, Any]] = None, main: List[WorkflowStep]) -> Task:
- Asynchronously creates a task with the given specifications.
- - `Task` - A newly created task object.
-
-- `get_task_execution(self,` *task_id* - Union[UUID, str], execution_id: Union[UUID, str]) -> List[Execution]:
- Asynchronously retrieves task execution objects given a task and execution IDs
- - `List[Execution]` - A list of Execution objects
-
-- `start_task_execution(self,` *agent_id* - Union[UUID, str], task_id: Union[UUID, str], arguments: Dict[str, Any], status: ExecutionStatus) -> Execution:
- Asynchronously starts task execution given agent and task IDs and all the required parameters
- - `Execution` - A newly created execution object
-
-- `list(self,` *agent_id* - Union[UUID, str]) -> List[Task]:
- Asynchronously retrieves a list of tasks.
-
-- `List[Task]` - A list of Task objects.
-
-#### Signature
-
-```python
-class AsyncTasksManager(BaseTasksManager): ...
-```
-
-#### See also
-
-- [BaseTasksManager](#basetasksmanager)
-
-### AsyncTasksManager().create
-
-[Show source in task.py:418](../../../../../../julep/managers/task.py#L418)
-
-Asynchronously creates a task with the given specifications.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): Agent ID
-- `name` *str* - Task name
-- `description` *Optional[str]* - Task description
-- `tools_available` *Optional[List[str]]* - A list of available tools
-input_schema (Optional[Dict[str, Any]]): Input schema
-- `main` *List[WorkflowStep]* - A list of workflow steps
-
-#### Returns
-
-- `Task` - A newly created task object.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Task)
-async def create(self, **kwargs: TaskCreateArgs) -> Task: ...
-```
-
-#### See also
-
-- [TaskCreateArgs](#taskcreateargs)
-
-### AsyncTasksManager().get
-
-[Show source in task.py:436](../../../../../../julep/managers/task.py#L436)
-
-Asynchronously retrieves a single task given agent and task IDs.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): The UUID of the agent
-task_id (Union[UUID, str]): The UUID of the task
-
-#### Returns
-
-- `Task` - The task object with the corresponding identifier.
-
-#### Signature
-
-```python
-@beartype
-async def get(self, agent_id: Union[UUID, str], task_id: Union[UUID, str]) -> Task: ...
-```
-
-### AsyncTasksManager().get_task_execution
-
-[Show source in task.py:449](../../../../../../julep/managers/task.py#L449)
-
-Asynchronously retrieves task execution objects given a task and execution IDs
-
-#### Arguments
-
-task_id Union[UUID, str]: Task ID
-execution_id (Union[UUID, str]): Execution ID
-
-#### Returns
-
-- `List[Execution]` - A list of Execution objects
-
-#### Signature
-
-```python
-@beartype
-async def get_task_execution(
- self, task_id: Union[UUID, str], execution_id: Union[UUID, str]
-) -> List[Execution]: ...
-```
-
-### AsyncTasksManager().list
-
-[Show source in task.py:402](../../../../../../julep/managers/task.py#L402)
-
-Asynchronously retrieves a list of tasks.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): Agent ID
-
-#### Returns
-
-- `List[Task]` - A list of Task objects.
-
-#### Signature
-
-```python
-@beartype
-async def list(self, agent_id: Union[UUID, str]) -> List[Task]: ...
-```
-
-### AsyncTasksManager().start_task_execution
-
-[Show source in task.py:466](../../../../../../julep/managers/task.py#L466)
-
-Asynchronously starts task execution given agent and task IDs and all the required parameters
-
-#### Arguments
-
-agent_id (Union[UUID, str]): Agent ID
-task_id (Union[UUID, str]): Task ID
-arguments (Dict[str, Any]): Task arguments
-- `status` *ExecutionStatus* - Task execution status
-
-#### Returns
-
-- `Execution` - A newly created execution object
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Execution)
-async def start_task_execution(self, **kwargs: StartTaskExecutionArgs) -> Execution: ...
-```
-
-#### See also
-
-- [StartTaskExecutionArgs](#starttaskexecutionargs)
-
-
-
-## BaseTasksManager
-
-[Show source in task.py:32](../../../../../../julep/managers/task.py#L32)
-
-A class responsible for managing task entities.
-
-This manager handles CRUD operations for tasks including retrieving, creating, starting execution, getting execution of tasks using an API client.
-
-#### Attributes
-
-- `api_client` *ApiClientType* - The client responsible for API interactions.
-
-#### Methods
-
-- `_get(self,` *agent_id* - Union[UUID, str], task_id: Union[UUID, str]) -> Union[Task, Awaitable[Task]]:
- Retrieves a single task given agent and task IDs.
-
-#### Arguments
-
- agent_id (Union[UUID, str]): The UUID of the agent
- task_id (Union[UUID, str]): The UUID of the task
- agent_id (Union[UUID, str]): Agent ID
- - `name` *str* - Task name
- - `description` *Optional[str]* - Task description
- - `tools_available` *Optional[List[str]]* - A list of available tools
- input_schema (Optional[Dict[str, Any]]): Input schema
- - `main` *List[WorkflowStep]* - A list of workflow steps
- task_id Union[UUID, str]: Task ID
- execution_id (Union[UUID, str]): Execution ID
- agent_id (Union[UUID, str]): Agent ID
- task_id (Union[UUID, str]): Task ID
- arguments (Dict[str, Any]): Task arguments
- - `status` *ExecutionStatus* - Task execution status
-agent_id (Union[UUID, str]): Agent ID
-
-#### Returns
-
-The task object or an awaitable that resolves to the task object.
-
-- `_create(self,` *agent_id* - Union[UUID, str], name: str, description: Optional[str] = None, tools_available: Optional[List[str]] = None, input_schema: Optional[Dict[str, Any]] = None, main: List[WorkflowStep]) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]:
- Creates a task with the given specifications.
- The response indicating creation or an awaitable that resolves to the creation response.
-
-- `_get_task_execution(self,` *task_id* - Union[UUID, str], execution_id: Union[UUID, str]) -> Union[List[Execution], Awaitable[List[Execution]]]:
- Retrieves task execution objects given a task and execution IDs
- A list of Execution objects
-
-- `_start_task_execution(self,` *agent_id* - Union[UUID, str], task_id: Union[UUID, str], arguments: Dict[str, Any], status: ExecutionStatus) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]:
- Starts task execution given agent and task IDs and all the required parameters
- The response indicating creation or an awaitable that resolves to the creation response.
-
-- `_list(self,` *agent_id* - Union[UUID, str]) -> Union[List[Task], Awaitable[List[Task]]]:
-Retrieves a list of tasks.
- - `List[Task]` - A list of Task objects.
-
-#### Signature
-
-```python
-class BaseTasksManager(BaseManager): ...
-```
-
-### BaseTasksManager()._create
-
-[Show source in task.py:105](../../../../../../julep/managers/task.py#L105)
-
-Creates a task with the given specifications.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): Agent ID
-- `name` *str* - Task name
-- `description` *Optional[str]* - Task description
-- `tools_available` *Optional[List[str]]* - A list of available tools
-input_schema (Optional[Dict[str, Any]]): Input schema
-- `main` *List[WorkflowStep]* - A list of workflow steps
-
-#### Returns
-
-The response indicating creation or an awaitable that resolves to the creation response.
-
-#### Signature
-
-```python
-def _create(
- self,
- agent_id: Union[UUID, str],
- name: str,
- description: Optional[str] = None,
- tools_available: Optional[List[str]] = None,
- input_schema: Optional[Dict[str, Any]] = None,
- main: List[WorkflowStep],
-) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]: ...
-```
-
-### BaseTasksManager()._get
-
-[Show source in task.py:139](../../../../../../julep/managers/task.py#L139)
-
-Retrieves a single task given agent and task IDs.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): The UUID of the agent
-task_id (Union[UUID, str]): The UUID of the task
-
-#### Returns
-
-The task object or an awaitable that resolves to the task object.
-
-#### Signature
-
-```python
-def _get(
- self, agent_id: Union[UUID, str], task_id: Union[UUID, str]
-) -> Union[Task, Awaitable[Task]]: ...
-```
-
-### BaseTasksManager()._get_task_execution
-
-[Show source in task.py:159](../../../../../../julep/managers/task.py#L159)
-
-Retrieves task execution objects given a task and execution IDs
-
-#### Arguments
-
-task_id Union[UUID, str]: Task ID
-execution_id (Union[UUID, str]): Execution ID
-
-#### Returns
-
-A list of Execution objects
-
-#### Signature
-
-```python
-def _get_task_execution(
- self, task_id: Union[UUID, str], execution_id: Union[UUID, str]
-) -> Union[List[Execution], Awaitable[List[Execution]]]: ...
-```
-
-### BaseTasksManager()._list
-
-[Show source in task.py:88](../../../../../../julep/managers/task.py#L88)
-
-Retrieves a list of tasks.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): Agent ID
-
-#### Returns
-
-- `List[Task]` - A list of Task objects.
-
-#### Signature
-
-```python
-def _list(
- self, agent_id: Union[UUID, str]
-) -> Union[List[Task], Awaitable[List[Task]]]: ...
-```
-
-### BaseTasksManager()._start_task_execution
-
-[Show source in task.py:179](../../../../../../julep/managers/task.py#L179)
-
-Starts task execution given agent and task IDs and all the required parameters
-
-#### Arguments
-
-agent_id (Union[UUID, str]): Agent ID
-task_id (Union[UUID, str]): Task ID
-arguments (Dict[str, Any]): Task arguments
-- `status` *ExecutionStatus* - Task execution status
-
-#### Returns
-
-The response indicating creation or an awaitable that resolves to the creation response.
-
-#### Signature
-
-```python
-def _start_task_execution(
- self,
- agent_id: Union[UUID, str],
- task_id: Union[UUID, str],
- arguments: Dict[str, Any],
- status: ExecutionStatus,
-) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]: ...
-```
-
-
-
-## StartTaskExecutionArgs
-
-[Show source in task.py:25](../../../../../../julep/managers/task.py#L25)
-
-#### Signature
-
-```python
-class StartTaskExecutionArgs(TypedDict): ...
-```
-
-
-
-## TaskCreateArgs
-
-[Show source in task.py:16](../../../../../../julep/managers/task.py#L16)
-
-#### Signature
-
-```python
-class TaskCreateArgs(TypedDict): ...
-```
-
-
-
-## TasksManager
-
-[Show source in task.py:210](../../../../../../julep/managers/task.py#L210)
-
-A class for managing tasks, inheriting from [BaseTasksManager](#basetasksmanager).
-
-This class provides functionalities to interact with and manage tasks, including creating, retrieving, start execution and get execution of tasks. It utilizes type annotations to ensure type correctness at runtime using the `beartype` decorator.
-
-#### Methods
-
-- `get(self,` *agent_id* - Union[UUID, str], task_id: Union[UUID, str]) -> Task:
- Retrieves a single task given agent and task IDs.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): The UUID of the agent
-task_id (Union[UUID, str]): The UUID of the task
-agent_id (Union[UUID, str]): Agent ID
-- `name` *str* - Task name
-- `description` *Optional[str]* - Task description
-- `tools_available` *Optional[List[str]]* - A list of available tools
-input_schema (Optional[Dict[str, Any]]): Input schema
-- `main` *List[WorkflowStep]* - A list of workflow steps
-task_id Union[UUID, str]: Task ID
-execution_id (Union[UUID, str]): Execution ID
-agent_id (Union[UUID, str]): Agent ID
-task_id (Union[UUID, str]): Task ID
-arguments (Dict[str, Any]): Task arguments
-- `status` *ExecutionStatus* - Task execution status
-agent_id (Union[UUID, str]): Agent ID
-
-#### Returns
-
-- `Task` - The task object with the corresponding identifier.
-
-- `create(self,` *agent_id* - Union[UUID, str], name: str, description: Optional[str] = None, tools_available: Optional[List[str]] = None, input_schema: Optional[Dict[str, Any]] = None, main: List[WorkflowStep]) -> Task:
- Creates a task with the given specifications.
- - `Task` - A newly created task object.
-
-- `get_task_execution(self,` *task_id* - Union[UUID, str], execution_id: Union[UUID, str]) -> List[Execution]:
- Retrieves task execution objects given a task and execution IDs
- - `List[Execution]` - A list of Execution objects
-
-- `start_task_execution(self,` *agent_id* - Union[UUID, str], task_id: Union[UUID, str], arguments: Dict[str, Any], status: ExecutionStatus) -> Execution:
- Starts task execution given agent and task IDs and all the required parameters
- - `Execution` - A newly created execution object
-
-- `list(self,` *agent_id* - Union[UUID, str]) -> List[Task]:
- Retrieves a list of tasks.
- - `List[Task]` - A list of Task objects.
-
-#### Signature
-
-```python
-class TasksManager(BaseTasksManager): ...
-```
-
-#### See also
-
-- [BaseTasksManager](#basetasksmanager)
-
-### TasksManager().create
-
-[Show source in task.py:282](../../../../../../julep/managers/task.py#L282)
-
-Creates a task with the given specifications.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): Agent ID
-- `name` *str* - Task name
-- `description` *Optional[str]* - Task description
-- `tools_available` *Optional[List[str]]* - A list of available tools
-input_schema (Optional[Dict[str, Any]]): Input schema
-- `main` *List[WorkflowStep]* - A list of workflow steps
-
-#### Returns
-
-- `Task` - A newly created task object.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Task)
-def create(self, **kwargs: TaskCreateArgs) -> Task: ...
-```
-
-#### See also
-
-- [TaskCreateArgs](#taskcreateargs)
-
-### TasksManager().get
-
-[Show source in task.py:300](../../../../../../julep/managers/task.py#L300)
-
-Retrieves a single task given agent and task IDs.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): The UUID of the agent
-task_id (Union[UUID, str]): The UUID of the task
-
-#### Returns
-
-- `Task` - The task object with the corresponding identifier.
-
-#### Signature
-
-```python
-@beartype
-def get(self, agent_id: Union[UUID, str], task_id: Union[UUID, str]) -> Task: ...
-```
-
-### TasksManager().get_task_execution
-
-[Show source in task.py:313](../../../../../../julep/managers/task.py#L313)
-
-Retrieves task execution objects given a task and execution IDs
-
-#### Arguments
-
-task_id Union[UUID, str]: Task ID
-execution_id (Union[UUID, str]): Execution ID
-
-#### Returns
-
-- `List[Execution]` - A list of Execution objects
-
-#### Signature
-
-```python
-@beartype
-def get_task_execution(
- self, task_id: Union[UUID, str], execution_id: Union[UUID, str]
-) -> List[Execution]: ...
-```
-
-### TasksManager().list
-
-[Show source in task.py:263](../../../../../../julep/managers/task.py#L263)
-
-Retrieves a list of tasks.
-
-#### Arguments
-
-agent_id (Union[UUID, str]): Agent ID
-
-#### Returns
-
-- `List[Task]` - A list of Task objects.
-
-#### Signature
-
-```python
-@beartype
-def list(self, agent_id: Union[UUID, str]) -> List[Task]: ...
-```
-
-### TasksManager().start_task_execution
-
-[Show source in task.py:331](../../../../../../julep/managers/task.py#L331)
-
-Starts task execution given agent and task IDs and all the required parameters
-
-#### Arguments
-
-agent_id (Union[UUID, str]): Agent ID
-task_id (Union[UUID, str]): Task ID
-arguments (Dict[str, Any]): Task arguments
-- `status` *ExecutionStatus* - Task execution status
-
-#### Returns
-
-- `Execution` - A newly created execution object
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(Execution)
-def start_task_execution(self, **kwargs: StartTaskExecutionArgs) -> Execution: ...
-```
-
-#### See also
-
-- [StartTaskExecutionArgs](#starttaskexecutionargs)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/managers/tool.md b/docs/python-sdk-docs/julep/managers/tool.md
deleted file mode 100644
index 73889b87a..000000000
--- a/docs/python-sdk-docs/julep/managers/tool.md
+++ /dev/null
@@ -1,521 +0,0 @@
-# Tool
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Managers](./index.md#managers) / Tool
-
-> Auto-generated documentation for [julep.managers.tool](../../../../../../julep/managers/tool.py) module.
-
-- [Tool](#tool)
- - [AsyncToolsManager](#asynctoolsmanager)
- - [BaseToolsManager](#basetoolsmanager)
- - [ToolsManager](#toolsmanager)
-
-## AsyncToolsManager
-
-[Show source in tool.py:352](../../../../../../julep/managers/tool.py#L352)
-
-A manager for asynchronous tools handling.
-
-This class provides async methods to manage tools, allowing create, retrieve, update, and delete operations.
-
-Methods:
- get: Asynchronously retrieves tools associated with an agent.
- create: Asynchronously creates a new tool associated with an agent.
- delete: Asynchronously deletes a tool associated with an agent.
- update: Asynchronously updates a tool associated with an agent.
-
-Attributes:
- Inherited from BaseToolsManager.
-
-#### Signature
-
-```python
-class AsyncToolsManager(BaseToolsManager): ...
-```
-
-#### See also
-
-- [BaseToolsManager](#basetoolsmanager)
-
-### AsyncToolsManager().create
-
-[Show source in tool.py:403](../../../../../../julep/managers/tool.py#L403)
-
-Create a new resource asynchronously.
-
-This method creates a new resource using the provided `agent_id` and `tool` information.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The identifier of the agent, which can be a string or a UUID object.
-- `tool` *ToolDict* - A dictionary containing tool-specific data.
-
-#### Returns
-
-- `ResourceCreatedResponse` - An object representing the response received after creating the resource.
-
-#### Raises
-
-- `BeartypeException` - If the type of any argument does not match the expected type.
-
-#### Signature
-
-```python
-@beartype
-async def create(
- self, agent_id: Union[str, UUID], tool: ToolDict
-) -> ResourceCreatedResponse: ...
-```
-
-### AsyncToolsManager().delete
-
-[Show source in tool.py:430](../../../../../../julep/managers/tool.py#L430)
-
-Asynchronously delete a specified agent-tool association.
-
-This function is a high-level asynchronous API that delegates to a
-private coroutinal method `_delete` to perform the actual deletion based on
-the provided `agent_id` and `tool_id`.
-
-Args:
- agent_id (Union[str, UUID]): The unique identifier of the agent.
- tool_id (Union[str, UUID]): The unique identifier of the tool.
-
-Returns:
- The return type is not explicitly stated in the function signature.
- Typically, the returned value would be documented here, but you may need
- to investigate the implementation of `_delete` to determine what it
- returns.
-
-Raises:
- The exceptions that this function might raise are not stated in the
- snippet provided. If the private method `_delete` raises any exceptions,
- they should be documented here. Depending on the implementation, common
- exceptions might include `ValueError` if identifiers are invalid or
- `RuntimeError` if deletion fails.
-
-#### Signature
-
-```python
-@beartype
-async def delete(
- self, agent_id: Union[str, UUID], tool_id: Union[str, UUID]
-) -> Awaitable[ResourceDeletedResponse]: ...
-```
-
-### AsyncToolsManager().get
-
-[Show source in tool.py:368](../../../../../../julep/managers/tool.py#L368)
-
-Asynchronously get a list of Tool objects based on provided filters.
-
-This method fetches Tool objects with the option to limit the results and
-offset them, to allow for pagination.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The unique identifier of the agent for which to fetch tools.
-- `limit` *Optional[int], optional* - The maximum number of tools to return. Defaults to None, which implies no limit.
-- `offset` *Optional[int], optional* - The number of tools to skip before starting to return the tools. Defaults to None, which means start from the beginning.
-
-#### Returns
-
-- `List[Tool]` - A list of Tool objects that match the criteria.
-
-#### Notes
-
-This function is decorated with beartype, which assures that the input
-arguments adhere to the specified types at runtime. It is an asynchronous
-function and should be called with `await`.
-
-#### Signature
-
-```python
-@beartype
-async def get(
- self,
- agent_id: Union[str, UUID],
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> List[Tool]: ...
-```
-
-### AsyncToolsManager().update
-
-[Show source in tool.py:466](../../../../../../julep/managers/tool.py#L466)
-
-Asynchronously updates a resource identified by the agent_id and tool_id with a new definition.
-
-This function is type-enforced using the `beartype` decorator.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The unique identifier for the agent.
-tool_id (Union[str, UUID]): The unique identifier for the tool.
-- `function` *FunctionDefDict* - A dictionary containing the function definition which needs to be updated.
-
-#### Returns
-
-- `ResourceUpdatedResponse` - An object representing the response received after updating the resource.
-
-#### Raises
-
-This will depend on the implementation of the `_update` method and any exceptions that it raises.
-
-#### Signature
-
-```python
-@beartype
-async def update(
- self,
- agent_id: Union[str, UUID],
- tool_id: Union[str, UUID],
- function: FunctionDefDict,
-) -> ResourceUpdatedResponse: ...
-```
-
-
-
-## BaseToolsManager
-
-[Show source in tool.py:22](../../../../../../julep/managers/tool.py#L22)
-
-A class to manage tools by interacting with an API client.
-
-This class provides methods for creating, reading, updating, and deleting tools associated with agents. It ensures the validity of UUIDs for agent_id and tool_id where applicable and handles both synchronous and asynchronous operations.
-
-#### Attributes
-
-- `api_client` - The API client used to send requests to the service.
-
-#### Methods
-
-- `_get(self,` *agent_id* - Union[str, UUID], limit: Optional[int]=None, offset: Optional[int]=None) -> Union[GetAgentToolsResponse, Awaitable[GetAgentToolsResponse]]:
- Retrieves a list of tools associated with the specified agent. Supports pagination through limit and offset parameters.
-
-- `_create(self,` *agent_id* - Union[str, UUID], tool: ToolDict) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]:
- Creates a new tool associated with the specified agent.
-
-- `_update(self,` *agent_id* - Union[str, UUID], tool_id: Union[str, UUID], function: FunctionDefDict) -> Union[ResourceUpdatedResponse, Awaitable[ResourceUpdatedResponse]]:
- Updates the definition of an existing tool associated with the specified agent.
-
-- `_delete(self,` *agent_id* - Union[str, UUID], tool_id: Union[str, UUID]):
- Deletes a tool associated with the specified agent.
-
-#### Signature
-
-```python
-class BaseToolsManager(BaseManager): ...
-```
-
-### BaseToolsManager()._create
-
-[Show source in tool.py:77](../../../../../../julep/managers/tool.py#L77)
-
-Create a new tool associated with a given agent.
-
-Args:
- agent_id (Union[str, UUID]): The ID of the agent for which to create the tool. Must be a valid UUID v4.
- tool (ToolDict): A dictionary with tool data conforming to the CreateToolRequest structure.
-
-Returns:
- Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]: The response object indicating the newly created tool,
- either as a direct response or as an awaitable if it's an asynchronous operation.
-
-#### Signature
-
-```python
-def _create(
- self, agent_id: Union[str, UUID], tool: ToolDict
-) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]: ...
-```
-
-### BaseToolsManager()._delete
-
-[Show source in tool.py:142](../../../../../../julep/managers/tool.py#L142)
-
-Delete a tool associated with an agent.
-
-Args:
- agent_id (Union[str, UUID]): The UUID of the agent.
- tool_id (Union[str, UUID]): The UUID of the tool to be deleted.
-
-Returns:
- The response from the API client's delete_agent_tool method.
-
-Raises:
- AssertionError: If either `agent_id` or `tool_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _delete(
- self, agent_id: Union[str, UUID], tool_id: Union[str, UUID]
-) -> Union[ResourceDeletedResponse, Awaitable[ResourceDeletedResponse]]: ...
-```
-
-### BaseToolsManager()._get
-
-[Show source in tool.py:45](../../../../../../julep/managers/tool.py#L45)
-
-Retrieve tools associated with the given agent.
-
-This is a private method that fetches tools for the provided agent ID, with optional
-limit and offset parameters for pagination.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The unique identifier for the agent, which can be a
- string or UUID object.
-- `limit` *Optional[int], optional* - The maximum number of tools to retrieve. Defaults to None.
-- `offset` *Optional[int], optional* - The number of tools to skip before starting to collect
- the result set. Defaults to None.
-
-#### Returns
-
-- `Union[GetAgentToolsResponse,` *Awaitable[GetAgentToolsResponse]]* - The response object which
-contains the list of tools, or an awaitable response object for asynchronous operations.
-
-#### Raises
-
-- `AssertionError` - If the agent_id is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _get(
- self,
- agent_id: Union[str, UUID],
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> Union[GetAgentToolsResponse, Awaitable[GetAgentToolsResponse]]: ...
-```
-
-### BaseToolsManager()._update
-
-[Show source in tool.py:102](../../../../../../julep/managers/tool.py#L102)
-
-Update the tool definition for a given agent.
-
-Args:
- agent_id (Union[str, UUID]): The unique identifier for the agent, either in string or UUID format.
- tool_id (Union[str, UUID]): The unique identifier for the tool, either in string or UUID format.
- function (FunctionDefDict): A dictionary containing the function definition that conforms with the required API schema.
- overwrite (bool): A flag to indicate whether to overwrite the existing function definition. Defaults to False.
-
-Returns:
- Union[ResourceUpdatedResponse, Awaitable[ResourceUpdatedResponse]]: The updated resource response sync or async.
-
-Raises:
- AssertionError: If the `agent_id` or `tool_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _update(
- self,
- agent_id: Union[str, UUID],
- tool_id: Union[str, UUID],
- function: FunctionDefDict,
- overwrite: bool = False,
-) -> Union[ResourceUpdatedResponse, Awaitable[ResourceUpdatedResponse]]: ...
-```
-
-
-
-## ToolsManager
-
-[Show source in tool.py:170](../../../../../../julep/managers/tool.py#L170)
-
-A manager class for handling tools related to agents.
-
-This class provides an interface to manage tools, including their retrieval, creation,
-deletion, and updating. It extends the functionalities of the BaseToolsManager.
-
-#### Methods
-
-get:
- Retrieves a list of tools for the given agent.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The identifier of the agent whose tools are being retrieved.
-- `limit` *Optional[int], optional* - The maximum number of tools to retrieve.
-- `offset` *Optional[int], optional* - The index from which to start the retrieval.
-
-agent_id (Union[str, UUID]): The identifier of the agent for whom the tool is being created.
-- `tool` *ToolDict* - A dictionary of tool attributes.
-
-agent_id (Union[str, UUID]): The identifier of the agent whose tool is being deleted.
-tool_id (Union[str, UUID]): The unique identifier of the tool to be deleted.
-
-update:
- Updates the definition of an existing tool for the given agent.
-
-agent_id (Union[str, UUID]): The identifier of the agent whose tool is being updated.
-tool_id (Union[str, UUID]): The unique identifier of the tool to be updated.
-- `function` *FunctionDefDict* - A dictionary representing the definition of the tool to be updated.
-
-#### Returns
-
-- `List[Tool]` - A list of Tool objects.
-
-create:
- Creates a new tool for the given agent.
-
-- `ResourceCreatedResponse` - An object indicating the successful creation of the tool.
-
-delete:
- Deletes a tool for the given agent.
-
-- `ResourceUpdatedResponse` - An object indicating the successful update of the tool.
-
-Inherits:
- - [BaseToolsManager](#basetoolsmanager) - A base class that defines the basic operations for tool management.
-
-#### Signature
-
-```python
-class ToolsManager(BaseToolsManager): ...
-```
-
-#### See also
-
-- [BaseToolsManager](#basetoolsmanager)
-
-### ToolsManager().create
-
-[Show source in tool.py:252](../../../../../../julep/managers/tool.py#L252)
-
-Create a new resource with the provided agent identifier and tool information.
-
-This method wraps the internal `_create` method to construct and return a ResourceCreatedResponse.
-
-Args:
- agent_id (Union[str, UUID]): The unique identifier for the agent. Can be a string or a UUID object.
- tool (ToolDict): A dictionary containing tool-specific configuration or information.
-
-Returns:
- ResourceCreatedResponse: An object representing the successfully created resource, including metadata like creation timestamps and resource identifiers.
-
-Raises:
- TypeError: If the `agent_id` or `tool` arguments are not of the expected type.
- ValueError: If any values within the `tool` dictionary are invalid or out of accepted range.
- RuntimeError: If the creation process encounters an unexpected error.
-
-Note:
- The `@beartype` decorator is used to enforce type checking of the arguments at runtime.
-
-Example usage:
-
-```python
->>> response = instance.create(agent_id="123e4567-e89b-12d3-a456-426614174000", tool={"type": "screwdriver", "size": "M4"})
->>> print(response)
-ResourceCreatedResponse(resource_id='abcde-12345', created_at='2021-01-01T12:00:00Z')
-```
-
-#### Signature
-
-```python
-@beartype
-def create(
- self, agent_id: Union[str, UUID], tool: ToolDict
-) -> ResourceCreatedResponse: ...
-```
-
-### ToolsManager().delete
-
-[Show source in tool.py:290](../../../../../../julep/managers/tool.py#L290)
-
-Deletes an agent's access to a specific tool.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The unique identifier of the agent.
-tool_id (Union[str, UUID]): The unique identifier of the tool.
-
-#### Returns
-
-The result of the delete operation, the specific type of which may depend on the implementation of `_delete`.
-
-#### Raises
-
-- `Beartype` *exceptions* - If `agent_id` or `tool_id` are of the wrong type.
-
-#### Signature
-
-```python
-@beartype
-def delete(self, agent_id: Union[str, UUID], tool_id: Union[str, UUID]): ...
-```
-
-### ToolsManager().get
-
-[Show source in tool.py:221](../../../../../../julep/managers/tool.py#L221)
-
-Retrieve a list of Tool objects for the specified agent.
-
-This method wraps the internal _get method and returns the 'items' property
-from the result, which contains a list of Tool instances.
-
-Args:
- agent_id (Union[str, UUID]): The ID of the agent to retrieve Tool objects for.
- limit (Optional[int]): The maximum number of Tool objects to return. Defaults to None, implying no limit.
- offset (Optional[int]): The number to skip before starting to collect the result set. Defaults to None, implying no offset.
-
-Returns:
- List[Tool]: A list of Tool instances associated with the specified agent ID.
-
-Raises:
- BeartypeException: If the input argument types do not match the expected types.
-
-#### Signature
-
-```python
-@beartype
-def get(
- self,
- agent_id: Union[str, UUID],
- limit: Optional[int] = None,
- offset: Optional[int] = None,
-) -> List[Tool]: ...
-```
-
-### ToolsManager().update
-
-[Show source in tool.py:315](../../../../../../julep/managers/tool.py#L315)
-
-Update a specific tool definition for an agent.
-
-#### Arguments
-
-agent_id (Union[str, UUID]): The unique identifier of the agent.
-tool_id (Union[str, UUID]): The unique identifier of the tool to be updated.
-- `function` *FunctionDefDict* - A dictionary containing the new definition of the tool.
-- `overwrite` *bool* - A flag indicating whether to overwrite the existing definition.
-
-#### Returns
-
-- `ResourceUpdatedResponse` - An object representing the update operation response.
-
-#### Notes
-
-This function is decorated with `beartype` which ensures that the arguments provided
-match the expected types at runtime.
-
-#### Raises
-
-- `BeartypeDecorHintPepParamException` - If the type of any parameter does not match the expected type.
-Any exceptions that `self._update` method might raise.
-
-#### Signature
-
-```python
-@beartype
-def update(
- self,
- agent_id: Union[str, UUID],
- tool_id: Union[str, UUID],
- function: FunctionDefDict,
- overwrite: bool = False,
-) -> ResourceUpdatedResponse: ...
-```
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/managers/types.md b/docs/python-sdk-docs/julep/managers/types.md
deleted file mode 100644
index 03813b1c6..000000000
--- a/docs/python-sdk-docs/julep/managers/types.md
+++ /dev/null
@@ -1,22 +0,0 @@
-# Types
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Managers](./index.md#managers) / Types
-
-> Auto-generated documentation for [julep.managers.types](../../../../../../julep/managers/types.py) module.
-
-#### Attributes
-
-- `ChatSettingsResponseFormatDict` - Represents the settings for chat response formatting, used in configuring agent chat behavior.: TypedDict('ChatSettingsResponseFormat', **{k: v.outer_type_ for (k, v) in ChatSettingsResponseFormat.__fields__.items()})
-
-- `InputChatMlMessageDict` - Represents an input message for chat in ML format, used for processing chat inputs.: TypedDict('InputChatMlMessage', **{k: v.outer_type_ for (k, v) in InputChatMlMessage.__fields__.items()})
-
-- `ToolDict` - Represents the structure of a tool, used for defining tools within the system.: TypedDict('Tool', **{k: v.outer_type_ for (k, v) in Tool.__fields__.items()})
-
-- `DocDict` - Represents the serialized form of a document, used for API communication.: TypedDict('DocDict', **{k: v.outer_type_ for (k, v) in CreateDoc.__fields__.items()})
-
-- `DefaultSettingsDict` - Represents the default settings for an agent, used in agent configuration.: TypedDict('DefaultSettingsDict', **{k: v.outer_type_ for (k, v) in AgentDefaultSettings.__fields__.items()})
-
-- `FunctionDefDict` - Represents the definition of a function, used for defining functions within the system.: TypedDict('FunctionDefDict', **{k: v.outer_type_ for (k, v) in FunctionDef.__fields__.items()})
-
-- `ToolDict` - Represents the request structure for creating a tool, used in tool creation API calls.: TypedDict('ToolDict', **{k: v.outer_type_ for (k, v) in CreateToolRequest.__fields__.items()})
-- [Types](#types)
diff --git a/docs/python-sdk-docs/julep/managers/user.md b/docs/python-sdk-docs/julep/managers/user.md
deleted file mode 100644
index 606b2f5c9..000000000
--- a/docs/python-sdk-docs/julep/managers/user.md
+++ /dev/null
@@ -1,621 +0,0 @@
-# User
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Managers](./index.md#managers) / User
-
-> Auto-generated documentation for [julep.managers.user](../../../../../../julep/managers/user.py) module.
-
-- [User](#user)
- - [AsyncUsersManager](#asyncusersmanager)
- - [BaseUsersManager](#baseusersmanager)
- - [UserCreateArgs](#usercreateargs)
- - [UserUpdateArgs](#userupdateargs)
- - [UsersManager](#usersmanager)
-
-## AsyncUsersManager
-
-[Show source in user.py:358](../../../../../../julep/managers/user.py#L358)
-
-A class that provides asynchronous management of users extending BaseUsersManager.
-
-Attributes are inherited from BaseUsersManager.
-
-#### Methods
-
-get (Union[UUID, str]) -> User:
- Asynchronously retrieves a user by their unique identifier (either a UUID or a string).
-
-create (*, name: str, about: str, docs: List[DocDict]=[]) -> ResourceCreatedResponse:
- Asynchronously creates a new user with the given name, about description, and optional list of documents.
-
-list (*, limit: Optional[int]=None, offset: Optional[int]=None) -> List[User]:
- Asynchronously retrieves a list of users with an optional limit and offset for pagination.
-
-delete (*, user_id: Union[str, UUID]) -> None:
- Asynchronously deletes a user identified by their unique ID (either a string or a UUID).
-
-update (*, user_id: Union[str, UUID], about: Optional[str]=None, name: Optional[str]=None) -> ResourceUpdatedResponse:
- Asynchronously updates a user's information identified by their unique ID with optional new about description and name.
-
-#### Notes
-
-The beartype decorator is used for runtime type checking of the parameters passed to the methods.
-
-#### Signature
-
-```python
-class AsyncUsersManager(BaseUsersManager): ...
-```
-
-#### See also
-
-- [BaseUsersManager](#baseusersmanager)
-
-### AsyncUsersManager().create
-
-[Show source in user.py:402](../../../../../../julep/managers/user.py#L402)
-
-Asynchronously create a new resource with the provided name, description, and documents.
-
-This function is decorated with `@beartype` to ensure type checking at runtime.
-
-#### Arguments
-
-- `name` *str* - The name of the resource to be created.
-- `about` *str* - Brief information about the resource.
-- `docs` *List[DocDict], optional* - A list of document dictionaries with structure defined by DocDict type.
-
-#### Returns
-
-- `ResourceCreatedResponse` - An instance representing the response after resource creation.
-
-#### Raises
-
-- `BeartypeException` - If any of the parameters do not match their annotated types.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(User)
-async def create(self, **kwargs: UserCreateArgs) -> User: ...
-```
-
-#### See also
-
-- [UserCreateArgs](#usercreateargs)
-
-### AsyncUsersManager().delete
-
-[Show source in user.py:461](../../../../../../julep/managers/user.py#L461)
-
-Asynchronously deletes a user by their user ID.
-
-#### Arguments
-
-user_id (Union[str, UUID]): The unique identifier of the user to delete, which can be a string or a UUID.
-
-#### Returns
-
-- `None` - This function does not return anything.
-
-#### Notes
-
-- The function is decorated with `@beartype` for runtime type checking.
-- This function is a coroutine, it should be called with `await`.
-
-#### Raises
-
-- The raised exceptions depend on the implementation of the underlying `_delete` coroutine.
-
-#### Signature
-
-```python
-@beartype
-async def delete(self, user_id: Union[str, UUID]) -> None: ...
-```
-
-### AsyncUsersManager().get
-
-[Show source in user.py:384](../../../../../../julep/managers/user.py#L384)
-
-Fetch a User object asynchronously by its identifier.
-
-This method retrieves a User object from some data storage asynchronously based on the provided identifier, which can be either a UUID or a string.
-
-#### Arguments
-
-id (Union[UUID, str]): The unique identifier of the User to be retrieved.
-
-#### Returns
-
-- `User` - An instance of the User class corresponding to the given id.
-
-#### Raises
-
-- `Exception` - If the retrieval fails or the user cannot be found.
-
-#### Signature
-
-```python
-@beartype
-async def get(self, id: Union[UUID, str]) -> User: ...
-```
-
-### AsyncUsersManager().list
-
-[Show source in user.py:424](../../../../../../julep/managers/user.py#L424)
-
-Asynchronously lists users with optional limits and offsets.
-
-This function applies the `beartype` decorator for runtime type checking.
-
-#### Arguments
-
-- `limit` *Optional[int], optional* - The maximum number of users to be returned. Defaults to None, which means no limit.
-- `offset` *Optional[int], optional* - The number to offset the list of returned users by. Defaults to None, which means no offset.
-
-#### Returns
-
-- `List[User]` - A list of user objects.
-
-#### Raises
-
-- `TypeError` - If any input arguments are not of the expected type.
-Any other exception that might be raised during the retrieval of users from the data source.
-
-#### Notes
-
-The actual exception raised by the `beartype` decorator or during the users' retrieval will depend on the implementation detail of the `self._list_items` method and the `beartype` configuration.
-
-#### Signature
-
-```python
-@beartype
-async def list(
- self,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: Dict[str, Any] = {},
-) -> List[User]: ...
-```
-
-### AsyncUsersManager().update
-
-[Show source in user.py:486](../../../../../../julep/managers/user.py#L486)
-
-Asynchronously updates user details.
-
-This function updates user details such as 'about' and 'name'. It uses type annotations to enforce the types of the parameters and an asynchronous call to '_update' method to perform the actual update operation.
-
-#### Arguments
-
-user_id (Union[str, UUID]): The unique identifier of the user, which can be either a string or a UUID.
-- `about` *Optional[str], optional* - A description of the user. Default is None, indicating no update.
-- `name` *Optional[str], optional* - The name of the user. Default is None, indicating no update.
-
-#### Returns
-
-- `ResourceUpdatedResponse` - An object representing the update status.
-
-#### Notes
-
-This function is decorated with @beartype to perform runtime type checking.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(User)
-async def update(self, user_id: Union[str, UUID], **kwargs: UserUpdateArgs) -> User: ...
-```
-
-#### See also
-
-- [UserUpdateArgs](#userupdateargs)
-
-
-
-## BaseUsersManager
-
-[Show source in user.py:36](../../../../../../julep/managers/user.py#L36)
-
-A manager class for handling user-related operations through an API client.
-
-This class provides high-level methods to interact with user records,
-such as retrieving a user by ID, creating a new user, listing all users,
-deleting a user, and updating a user's details.
-
-Attributes:
- api_client: The API client instance to communicate with the user service.
-
-Methods:
- _get: Retrieve a user by a unique UUID.
- _create: Create a new user with the specified name and about fields, and optionally additional documents.
- _list_items: List users with optional pagination through limit and offset parameters.
- _delete: Delete a user by UUID.
- _update: Update user details such as the 'about' description and name by UUID.
-
-Raises:
- AssertionError: If the provided ID for the user operations is not a valid UUID v4.
-
-#### Signature
-
-```python
-class BaseUsersManager(BaseManager): ...
-```
-
-### BaseUsersManager()._create
-
-[Show source in user.py:79](../../../../../../julep/managers/user.py#L79)
-
-Create a new resource with the given name and about information, optionally including additional docs.
-
-This internal method allows for creating a new resource with optional docsrmation.
-
-#### Arguments
-
-- `name` *str* - The name of the new resource.
-- `about` *str* - A brief description about the new resource.
-- `docs` *List[DocDict], optional* - A list of dictionaries with documentation-related information. Each dictionary
- must conform to the structure expected by CreateDoc. Defaults to an empty list.
-metadata (Dict[str, Any])
-
-#### Returns
-
-- `Union[ResourceCreatedResponse,` *Awaitable[ResourceCreatedResponse]]* - The response indicating the resource has been
-created successfully. It can be either a synchronous ResourceCreatedResponse or an asynchronous Awaitable object
-containing a ResourceCreatedResponse.
-
-#### Notes
-
-This method is an internal API implementation detail and should not be used directly outside the defining class
-or module.
-
-Side effects:
- Modifies internal state by converting each doc dict to an instance of CreateDoc and uses the
- internal API client to create a new user resource.
-
-#### Signature
-
-```python
-def _create(
- self, name: str, about: str, docs: List[DocDict] = [], metadata: Dict[str, Any] = {}
-) -> Union[ResourceCreatedResponse, Awaitable[ResourceCreatedResponse]]: ...
-```
-
-### BaseUsersManager()._delete
-
-[Show source in user.py:144](../../../../../../julep/managers/user.py#L144)
-
-Delete a user given their user ID.
-
-Args:
- user_id (Union[str, UUID]): The identifier of the user. Must be a valid UUID version 4.
-
-Returns:
- Union[None, Awaitable[None]]: None if the deletion is synchronous, or an Awaitable
- that resolves to None if the deletion is asynchronous.
-
-Raises:
- AssertionError: If the user_id is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _delete(self, user_id: Union[str, UUID]) -> Union[None, Awaitable[None]]: ...
-```
-
-### BaseUsersManager()._get
-
-[Show source in user.py:58](../../../../../../julep/managers/user.py#L58)
-
-Get the user by their ID.
-
-This method is intended to retrieve a User object or an Awaitable User object by the user's unique identifier. The identifier can be a string representation of a UUID or a UUID object itself.
-
-#### Arguments
-
-id (Union[str, UUID]): The unique identifier of the user to retrieve. It must be a valid UUID v4.
-
-#### Returns
-
-- `Union[User,` *Awaitable[User]]* - The retrieved User instance or an Awaitable that resolves to a User instance.
-
-#### Raises
-
-- `AssertionError` - If the `id` is not a valid UUID v4.
-
-#### Notes
-
-The leading underscore in the method name suggests that this method is intended for internal use and should not be a part of the public interface of the class.
-
-#### Signature
-
-```python
-def _get(self, id: Union[str, UUID]) -> Union[User, Awaitable[User]]: ...
-```
-
-### BaseUsersManager()._list_items
-
-[Show source in user.py:121](../../../../../../julep/managers/user.py#L121)
-
-Fetch a list of users, with optional pagination parameters.
-
-Args:
- limit (Optional[int], optional): The maximum number of users to return. Defaults to None.
- offset (Optional[int], optional): The offset from the start of the list to begin returning users. Defaults to None.
-
-Returns:
- Union[ListUsersResponse, Awaitable[ListUsersResponse]]: An instance of ListUsersResponse,
- or an awaitable that will resolve to it, depending on the API client implementation.
-
-#### Signature
-
-```python
-def _list_items(
- self,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: str = "{}",
-) -> Union[ListUsersResponse, Awaitable[ListUsersResponse]]: ...
-```
-
-### BaseUsersManager()._update
-
-[Show source in user.py:161](../../../../../../julep/managers/user.py#L161)
-
-Update user details for a given user ID.
-
-This method updates the 'about' and/or 'name' fields for the user identified by user_id.
-
-#### Arguments
-
-user_id (Union[str, UUID]): The ID of the user to be updated. Must be a valid UUID v4.
-- `about` *Optional[str], optional* - The new information about the user. Defaults to None.
-- `name` *Optional[str], optional* - The new name for the user. Defaults to None.
-metadata (Dict[str, Any])
-- `overwrite` *bool, optional* - Whether to overwrite the existing user data. Defaults to False.
-
-#### Returns
-
-- `Union[ResourceUpdatedResponse,` *Awaitable[ResourceUpdatedResponse]]* - The response indicating successful update or an Awaitable that resolves to such a response.
-
-#### Raises
-
-- `AssertionError` - If `user_id` is not a valid UUID v4.
-
-#### Signature
-
-```python
-def _update(
- self,
- user_id: Union[str, UUID],
- about: Optional[str] = NotSet,
- name: Optional[str] = NotSet,
- metadata: Dict[str, Any] = NotSet,
- overwrite: bool = False,
-) -> Union[ResourceUpdatedResponse, Awaitable[ResourceUpdatedResponse]]: ...
-```
-
-
-
-## UserCreateArgs
-
-[Show source in user.py:22](../../../../../../julep/managers/user.py#L22)
-
-#### Signature
-
-```python
-class UserCreateArgs(TypedDict): ...
-```
-
-
-
-## UserUpdateArgs
-
-[Show source in user.py:29](../../../../../../julep/managers/user.py#L29)
-
-#### Signature
-
-```python
-class UserUpdateArgs(TypedDict): ...
-```
-
-
-
-## UsersManager
-
-[Show source in user.py:208](../../../../../../julep/managers/user.py#L208)
-
-A class responsible for managing users in a system.
-
-This class is a specialized version of the BaseUsersManager and provides
-methods for retrieving, creating, listing, deleting, and updating users within
-the system.
-
-#### Methods
-
-- `get(id` - Union[str, UUID]) -> User:
- Retrieves a user based on their unique identifier (either a string or UUID).
-
-- `create(*,` *name* - str, about: str, docs: List[DocDict]=[]) -> ResourceCreatedResponse:
- Creates a new user with the specified name, description about the user,
- and an optional list of documents associated with the user.
-
-- `list(*,` *limit* - Optional[int]=None, offset: Optional[int]=None) -> List[User]:
- Lists users in the system, with optional limit and offset for pagination.
-
-- `delete(*,` *user_id* - Union[str, UUID]) -> None:
- Deletes a user from the system based on their unique identifier.
-
-- `update(*,` *user_id* - Union[str, UUID], about: Optional[str]=None, name: Optional[str]=None) -> ResourceUpdatedResponse:
- Updates an existing user's information with optional new about and name
- fields.
-
-#### Signature
-
-```python
-class UsersManager(BaseUsersManager): ...
-```
-
-#### See also
-
-- [BaseUsersManager](#baseusersmanager)
-
-### UsersManager().create
-
-[Show source in user.py:255](../../../../../../julep/managers/user.py#L255)
-
-Create a new resource with the specified name, about text, and associated docs.
-
-Args:
- name (str): The name of the resource to create.
- about (str): A brief description of the resource.
- docs (List[DocDict], optional): A list of dictionaries representing the documents associated with the resource. Defaults to an empty list.
-
-Returns:
- ResourceCreatedResponse: An object representing the response received upon the successful creation of the resource.
-
-Note:
- Using mutable types like list as default argument values in Python is risky because if the list is modified,
- those changes will persist across subsequent calls to the function which use the default value. It is
- generally safer to use `None` as a default value and then set the default inside the function if needed.
-
-Raises:
- BeartypeException: If the input types do not match the specified function annotations.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(User)
-def create(self, **kwargs: UserCreateArgs) -> User: ...
-```
-
-#### See also
-
-- [UserCreateArgs](#usercreateargs)
-
-### UsersManager().delete
-
-[Show source in user.py:311](../../../../../../julep/managers/user.py#L311)
-
-Deletes a user based on the provided user ID.
-
-#### Arguments
-
-user_id (Union[str, UUID]): Unique identifier of the user.
-
-#### Returns
-
-None
-
-#### Notes
-
-This function is type-checked with `beartype` to ensure that the `user_id`
-parameter matches either a string or a UUID type.
-
-#### Raises
-
-The specific exceptions raised depend on the implementation of the `_delete`
-method this function proxies to.
-
-#### Signature
-
-```python
-@beartype
-def delete(self, user_id: Union[str, UUID]) -> None: ...
-```
-
-### UsersManager().get
-
-[Show source in user.py:235](../../../../../../julep/managers/user.py#L235)
-
-Retrieve a User object by its identifier.
-
-The method supports retrieval by both string representations of a UUID and
-UUID objects directly.
-
-#### Arguments
-
-id (Union[str, UUID]): The identifier of the User, can be a string or UUID.
-
-#### Returns
-
-- `User` - The User object associated with the provided id.
-
-#### Raises
-
-- `ValueError` - If 'id' is neither a string nor a UUID.
-- `NotFoundError` - If a User with the given 'id' does not exist.
-
-#### Signature
-
-```python
-@beartype
-def get(self, id: Union[str, UUID]) -> User: ...
-```
-
-### UsersManager().list
-
-[Show source in user.py:280](../../../../../../julep/managers/user.py#L280)
-
-Lists the users optionally applying limit and offset.
-
-#### Arguments
-
-- `limit` *Optional[int], optional* - The maximum number of users to return.
- None means no limit. Defaults to None.
-- `offset` *Optional[int], optional* - The index of the first user to return.
- None means start from the beginning. Defaults to None.
-
-#### Returns
-
-- `List[User]` - A list of user objects.
-
-#### Raises
-
-- `BeartypeException` - If the type of `limit` or `offset` is not as expected.
-
-#### Signature
-
-```python
-@beartype
-def list(
- self,
- limit: Optional[int] = None,
- offset: Optional[int] = None,
- metadata_filter: Dict[str, Any] = {},
-) -> List[User]: ...
-```
-
-### UsersManager().update
-
-[Show source in user.py:337](../../../../../../julep/managers/user.py#L337)
-
-Update user information.
-
-This method updates user details such as the `about` text and user's `name` for a given `user_id`.
-
-#### Arguments
-
-user_id (Union[str, UUID]): The unique identifier for the user, which can be a string or a UUID object.
-- `about(Optional[str],` *optional)* - The descriptive information about the user. Defaults to None, indicating that `about` should not be updated if not provided.
-- `name(Optional[str],` *optional)* - The name of the user. Defaults to None, indicating that `name` should not be updated if not provided.
-- `overwrite(bool,` *optional)* - Whether to overwrite the existing user data. Defaults to False.
-
-#### Returns
-
-- `ResourceUpdatedResponse` - An object indicating the outcome of the update operation, which typically includes the status of the operation and possibly the updated resource data.
-
-#### Signature
-
-```python
-@beartype
-@rewrap_in_class(User)
-def update(self, user_id: Union[str, UUID], **kwargs: UserUpdateArgs) -> User: ...
-```
-
-#### See also
-
-- [UserUpdateArgs](#userupdateargs)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/utils/index.md b/docs/python-sdk-docs/julep/utils/index.md
deleted file mode 100644
index 5a2c64b61..000000000
--- a/docs/python-sdk-docs/julep/utils/index.md
+++ /dev/null
@@ -1,12 +0,0 @@
-# Utils
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / Utils
-
-> Auto-generated documentation for [julep.utils](../../../../../../julep/utils/__init__.py) module.
-
-- [Utils](#utils)
- - [Modules](#modules)
-
-## Modules
-
-- [Openai Patch](./openai_patch.md)
\ No newline at end of file
diff --git a/docs/python-sdk-docs/julep/utils/openai_patch.md b/docs/python-sdk-docs/julep/utils/openai_patch.md
deleted file mode 100644
index e1aa0323e..000000000
--- a/docs/python-sdk-docs/julep/utils/openai_patch.md
+++ /dev/null
@@ -1,93 +0,0 @@
-# Openai Patch
-
-[Julep Python SDK Index](../../README.md#julep-python-sdk-index) / [Julep](../index.md#julep) / [Utils](./index.md#utils) / Openai Patch
-
-> Auto-generated documentation for [julep.utils.openai_patch](../../../../../../julep/utils/openai_patch.py) module.
-
-- [Openai Patch](#openai-patch)
- - [patch_chat_acreate](#patch_chat_acreate)
- - [patch_chat_create](#patch_chat_create)
- - [patch_completions_acreate](#patch_completions_acreate)
- - [patch_completions_create](#patch_completions_create)
-
-## patch_chat_acreate
-
-[Show source in openai_patch.py:95](../../../../../../julep/utils/openai_patch.py#L95)
-
-Asynchronously patches the `chat.completions.create` method of the OpenAI client.
-
-This function updates the `chat.completions.create` method to an asynchronous version, enabling the inclusion of additional parameters and adjustments to its behavior.
-
-#### Arguments
-
-- client (OpenAI): The OpenAI client instance to be patched.
-
-#### Returns
-
-- `-` *OpenAI* - The patched OpenAI client instance with the updated `chat.completions.create` method.
-
-#### Signature
-
-```python
-def patch_chat_acreate(client: OpenAI): ...
-```
-
-
-
-## patch_chat_create
-
-[Show source in openai_patch.py:270](../../../../../../julep/utils/openai_patch.py#L270)
-
-#### Signature
-
-```python
-def patch_chat_create(client: OpenAI): ...
-```
-
-
-
-## patch_completions_acreate
-
-[Show source in openai_patch.py:20](../../../../../../julep/utils/openai_patch.py#L20)
-
-Asynchronously patches the `completions.create` method of the OpenAI client.
-
-This function replaces the original `completions.create` method with a custom asynchronous version that allows for additional parameters and custom behavior.
-
-#### Arguments
-
-- client (OpenAI): The OpenAI client instance to be patched.
-
-#### Returns
-
-- `-` *OpenAI* - The patched OpenAI client instance with the modified `completions.create` method.
-
-#### Signature
-
-```python
-def patch_completions_acreate(client: OpenAI): ...
-```
-
-
-
-## patch_completions_create
-
-[Show source in openai_patch.py:195](../../../../../../julep/utils/openai_patch.py#L195)
-
-Patches the `completions.create` method (non-async version) of the OpenAI client.
-
-This function replaces the original `completions.create` method with a custom version that supports additional parameters and custom behavior, without changing it to an asynchronous function.
-
-#### Arguments
-
-- client (OpenAI): The OpenAI client instance to be patched.
-
-#### Returns
-
-- `-` *OpenAI* - The patched OpenAI client instance with the modified `completions.create` method.
-
-#### Signature
-
-```python
-def patch_completions_create(client: OpenAI): ...
-```
\ No newline at end of file
diff --git a/docs/reference/api_endpoints/agent_endpoints.md b/docs/reference/api_endpoints/agent_endpoints.md
new file mode 100644
index 000000000..692931bb2
--- /dev/null
+++ b/docs/reference/api_endpoints/agent_endpoints.md
@@ -0,0 +1,74 @@
+# Agent Endpoints
+
+This document provides a reference for all Agent API endpoints in Julep.
+
+## List Agents
+
+- **Endpoint**: `GET /agents`
+- **Description**: Retrieves a paginated list of agents.
+- **Query Parameters**:
+ - `limit` (optional): Number of agents to return per page.
+ - `offset` (optional): Number of agents to skip.
+
+## Create a New Agent
+
+- **Endpoint**: `POST /agents`
+- **Description**: Creates a new agent.
+- **Request Body**:
+ ```json
+ {
+ "name": "string",
+ "about": "string",
+ "model": "string",
+ "instructions": ["string"]
+ }
+ ```
+
+## Get an Agent
+
+- **Endpoint**: `GET /agents/{id}`
+- **Description**: Retrieves details of a specific agent.
+
+## Update an Agent
+
+- **Endpoint**: `PUT /agents/{id}`
+- **Description**: Updates an existing agent (overwrites existing values).
+- **Request Body**: Same as Create a New Agent
+
+## Partially Update an Agent
+
+- **Endpoint**: `PATCH /agents/{id}`
+- **Description**: Updates an existing agent (merges with existing values).
+- **Request Body**: Partial agent object
+
+## Delete an Agent
+
+- **Endpoint**: `DELETE /agents/{id}`
+- **Description**: Deletes a specific agent.
+
+## Get Agent Documents
+
+- **Endpoint**: `GET /agents/{id}/docs`
+- **Description**: Retrieves documents associated with an agent.
+
+## Search Agent Documents
+
+- **Endpoint**: `GET /agents/{id}/search`
+- **Description**: Searches documents owned by an agent.
+
+## Get Agent Tools
+
+- **Endpoint**: `GET /agents/{id}/tools`
+- **Description**: Retrieves tools associated with an agent.
+
+## Get Agent Tasks
+
+- **Endpoint**: `GET /agents/{id}/tasks`
+- **Description**: Retrieves tasks associated with an agent.
+
+## Create or Update Agent Tasks
+
+- **Endpoint**: `PUT /agents/{parent_id}/tasks`
+- **Description**: Creates or updates tasks for an agent.
+
+For all endpoints, replace `{id}` or `{parent_id}` with the actual agent ID.
\ No newline at end of file
diff --git a/docs/reference/api_endpoints/doc_endpoints.md b/docs/reference/api_endpoints/doc_endpoints.md
new file mode 100644
index 000000000..c168ecac2
--- /dev/null
+++ b/docs/reference/api_endpoints/doc_endpoints.md
@@ -0,0 +1,36 @@
+# Doc Endpoints
+
+This document provides a reference for all Doc API endpoints in Julep.
+
+## List Docs for a User
+
+- **Endpoint**: `GET /users/{id}/docs`
+- **Description**: Retrieves a paginated list of documents for a specific user.
+- **Query Parameters**:
+ - `limit` (optional): Number of documents to return per page.
+ - `offset` (optional): Number of documents to skip.
+
+## Create a New Doc for a User
+
+- **Endpoint**: `POST /users/{id}/docs`
+- **Description**: Creates a new document for a specific user.
+- **Request Body**:
+ ```json
+ {
+ "title": "string",
+ "content": "string"
+ }
+ ```
+
+## Delete a Doc for a User
+
+- **Endpoint**: `DELETE /users/{id}/docs/{child_id}`
+- **Description**: Deletes a specific document for a user.
+
+## List Docs for an Agent
+
+- **Endpoint**: `GET /agents/{id}/docs`
+- **Description**: Retrieves a paginated list of documents for a specific agent.
+- **Query Parameters**:
+ - `limit` (optional): Number of documents to return per page.
+ - `offset` (optional): Number of documents to skip.
\ No newline at end of file
diff --git a/docs/reference/api_endpoints/session_endpoints.md b/docs/reference/api_endpoints/session_endpoints.md
new file mode 100644
index 000000000..f7a649594
--- /dev/null
+++ b/docs/reference/api_endpoints/session_endpoints.md
@@ -0,0 +1,84 @@
+# Session Endpoints
+
+This document provides a reference for all Session API endpoints in Julep.
+
+## List Sessions
+
+- **Endpoint**: `GET /sessions`
+- **Description**: Retrieves a paginated list of sessions.
+- **Query Parameters**:
+ - `limit` (optional): Number of sessions to return per page.
+ - `offset` (optional): Number of sessions to skip.
+
+## Create a New Session
+
+- **Endpoint**: `POST /sessions`
+- **Description**: Creates a new session.
+- **Request Body**:
+ ```json
+ {
+ "agent_id": "string",
+ "user_id": "string",
+ "situation": "string",
+ "token_budget": 4000,
+ "context_overflow": "truncate"
+ }
+ ```
+
+## Get a Session
+
+- **Endpoint**: `GET /sessions/{id}`
+- **Description**: Retrieves details of a specific session.
+
+## Update a Session
+
+- **Endpoint**: `PUT /sessions/{id}`
+- **Description**: Updates an existing session.
+- **Request Body**: Partial session object
+
+## Delete a Session
+
+- **Endpoint**: `DELETE /sessions/{id}`
+- **Description**: Deletes a specific session.
+
+## Get Session Messages
+
+- **Endpoint**: `GET /sessions/{id}/messages`
+- **Description**: Retrieves messages in a session.
+
+## Create a New Message in a Session
+
+- **Endpoint**: `POST /sessions/{id}/messages`
+- **Description**: Adds a new message to a session.
+- **Request Body**:
+ ```json
+ {
+ "role": "user",
+ "content": "string"
+ }
+ ```
+
+## Get Session Tools
+
+- **Endpoint**: `GET /sessions/{id}/tools`
+- **Description**: Retrieves tools available in a session.
+
+## Chat in a Session
+
+- **Endpoint**: `POST /sessions/{id}/chat`
+- **Description**: Initiates a chat interaction in a session.
+- **Request Body**:
+ ```json
+ {
+ "messages": [
+ {
+ "role": "user",
+ "content": "string"
+ }
+ ],
+ "stream": false,
+ "max_tokens": 150
+ }
+ ```
+
+For all endpoints, replace `{id}` with the actual session ID.
\ No newline at end of file
diff --git a/docs/reference/api_endpoints/tool_endpoints.md b/docs/reference/api_endpoints/tool_endpoints.md
new file mode 100644
index 000000000..a0aeab36a
--- /dev/null
+++ b/docs/reference/api_endpoints/tool_endpoints.md
@@ -0,0 +1,55 @@
+# Tool Endpoints
+
+This document provides a reference for all Tool API endpoints in Julep.
+
+## List Tools for an Agent
+
+- **Endpoint**: `GET /agents/{id}/tools`
+- **Description**: Retrieves a paginated list of tools for a specific agent.
+- **Query Parameters**:
+ - `limit` (optional): Number of tools to return per page.
+ - `offset` (optional): Number of tools to skip.
+
+## Create a New Tool for an Agent
+
+- **Endpoint**: `POST /agents/{id}/tools`
+- **Description**: Creates a new tool for a specific agent.
+- **Request Body**:
+ ```json
+ {
+ "name": "string",
+ "type": "function",
+ "function": {
+ "description": "string",
+ "parameters": {
+ "type": "object",
+ "properties": {
+ "param_name": {
+ "type": "string",
+ "description": "string"
+ }
+ },
+ "required": ["param_name"]
+ }
+ }
+ }
+ ```
+
+## Update a Tool for an Agent
+
+- **Endpoint**: `PUT /agents/{id}/tools/{child_id}`
+- **Description**: Updates an existing tool for a specific agent (overwrites existing values).
+- **Request Body**: Same as Create a New Tool
+
+## Partially Update a Tool for an Agent
+
+- **Endpoint**: `PATCH /agents/{id}/tools/{child_id}`
+- **Description**: Updates an existing tool for a specific agent (merges with existing values).
+- **Request Body**: Partial tool object
+
+## Delete a Tool for an Agent
+
+- **Endpoint**: `DELETE /agents/{id}/tools/{child_id}`
+- **Description**: Deletes a specific tool for an agent.
+
+For all endpoints, replace `{id}` with the actual agent ID and `{child_id}` with the actual tool ID.
\ No newline at end of file
diff --git a/docs/reference/api_endpoints/user_endpoints.md b/docs/reference/api_endpoints/user_endpoints.md
new file mode 100644
index 000000000..9242c7167
--- /dev/null
+++ b/docs/reference/api_endpoints/user_endpoints.md
@@ -0,0 +1,57 @@
+# User Endpoints
+
+This document provides a reference for all User API endpoints in Julep.
+
+## List Users
+
+- **Endpoint**: `GET /users`
+- **Description**: Retrieves a paginated list of users.
+- **Query Parameters**:
+ - `limit` (optional): Number of users to return per page.
+ - `offset` (optional): Number of users to skip.
+
+## Create a New User
+
+- **Endpoint**: `POST /users`
+- **Description**: Creates a new user.
+- **Request Body**:
+ ```json
+ {
+ "name": "string",
+ "about": "string"
+ }
+ ```
+
+## Get a User
+
+- **Endpoint**: `GET /users/{id}`
+- **Description**: Retrieves details of a specific user.
+
+## Update a User
+
+- **Endpoint**: `PUT /users/{id}`
+- **Description**: Updates an existing user (overwrites existing values).
+- **Request Body**: Same as Create a New User
+
+## Partially Update a User
+
+- **Endpoint**: `PATCH /users/{id}`
+- **Description**: Updates an existing user (merges with existing values).
+- **Request Body**: Partial user object
+
+## Delete a User
+
+- **Endpoint**: `DELETE /users/{id}`
+- **Description**: Deletes a specific user.
+
+## Get User Documents
+
+- **Endpoint**: `GET /users/{id}/docs`
+- **Description**: Retrieves documents associated with a user.
+
+## Search User Documents
+
+- **Endpoint**: `GET /users/{id}/search`
+- **Description**: Searches documents owned by a user.
+
+For all endpoints, replace `{id}` with the actual user ID.
\ No newline at end of file
diff --git a/docs/s1-model/capabilities/README.md b/docs/s1-model/capabilities/README.md
deleted file mode 100644
index 9fc323294..000000000
--- a/docs/s1-model/capabilities/README.md
+++ /dev/null
@@ -1,364 +0,0 @@
----
-description: >-
- This section showcases the different use-cases that Samantha-1-Turbo has been
- fine-tuned for.
----
-
-# Capabilities
-
-The [Julep Playground](https://playground.julep.ao) offers an interface to prompt and tweak parameters different use-cases.
-
-## **Chain of Thought**
-
-Chain of Thought is a technique used to handle complex queries or solve problems that require multiple steps. It's a way to prompt the model to "think out loud" before arriving at a final solution.
-
-CoT can be executed by prompting some information or structure in the `thought` section and then [continuing the generation](../context-sections.md#continue-inline) inline.
-
-### Prompt Example
-
-[Model Playground Example](https://platform.julep.ai/short/XtrQd8)
-
-**Situation**
-
-
Your name is Albert.
-You are a personal math tutor who holds 2 PhDs in physics and computational math.
-You are talking to your student.
-Answer with vigour and interest.
-Explain your answers thoroughly.
-
-
-**User**
-
-```
-Please solve for the equation `3x + 11 = 14`. I need the solution only.
-```
-
-**Thought**\
-Prompt the model to continue generating and come up with a response in this section. The `continue` flag has to be set to **True** with or without a prompt.
-
-{% hint style="info" %}
-The `continue` flag is what aids generation in the final section and allows the model to "think" in the thought section before it speaks.
-{% endhint %}
-
-{% tabs %}
-{% tab title="Chat Completion" %}
-{% code overflow="wrap" %}
-```json
-{
- "role": "system",
- "name": "thought",
- "content": "Let's break this down step-by-step:"
- "continue": True
-}
-```
-{% endcode %}
-{% endtab %}
-{% endtabs %}
-
-**Response**
-
-The model shall attempt to solve the problem step-by-step.
-
-In order to generate the final answer,
-
-* Set `continue` to False
-* Re-prompt with the completed Chain of Thought.
-
-
-
-Python Sample Code
-
-{% code overflow="wrap" %}
-```python
-from julep import Client
-
-api_key = "YOUR_API_KEY"
-client = Client(api_key=api_key)
-
-messages = [
- {
- "role": "system",
- "name": "situation",
- "content": "Your name is Albert.\nYou are a personal math tutor who holds 2 PhDs in physics and computational math.\nYou are talking to your student.\nAnswer with vigour and interest.\nExplain your answers thoroughly.",
- },
- {
- "role": "user",
- "name": "David",
- "content": "Please solve for the equation `3x + 11 = 14`. I need the solution only.",
- },
- # Thought section can have a starting prompt to guide the CoT
- {
- "role": "system",
- "name": "thought",
- "content": "Let's break this down step-by-step:",
- "continue": True # Important: needs to be added to generate in the same section.
- },
-]
-
-chat_completion = client.chat.completions.create(
- model="julep-ai/samantha-1-turbo",
- messages=messages,
- temperature=0
-)
-
-content = chat_completion.choices[0].message.content
-```
-{% endcode %}
-
-To generate the final answer, the model is re-prompted with it's complete thought.
-
-```python
-messages[-1]["continue"] = False
-messages[-1]["content"] = content
-
-chat_completion = client.chat.completions.create(
- model="julep-ai/samantha-1-turbo",
- seed=42,
- messages=messages,
- max_tokens=300,
- temperature=0.2,
-)
-
-print("Albert:", chat_completion.choices[0].message.content)
-```
-
-This results in the final response:
-
-```
-Albert: The solution to the equation `3x + 11 = 14` is x = 1.
-```
-
-
-
-***
-
-## **Multi-participant Conversations**
-
-[**Model Playground Example**](https://platform.julep.ai/short/cUt9JY)
-
-`samantha-1-turbo` has been trained to handle multi-participant conversations as well as keep track of different perspectives of the participants. The `user` section is used to create multiple users.
-
-### Prompt Example
-
-**Situation**
-
-```
-You are Danny, Jacob and Anna's friend.
-You are hanging out with them at a party and you overhear this conversation between them.
-You will talk casually.
-Make sure you respond to both Anna and Jacob when necessary.
-Make sure your responses are that of a 18 year old teenager. Be casual and young in your tone
-```
-
-**User**
-
-Here one can
-
-
-
-{% code overflow="wrap" %}
-```python
-from julep import Client
-
-api_key = "YOUR_API_KEY"
-client = Client(api_key=api_key)
-
-messages = [
- {
- "role": "system",
- "name": "situation",
- "content": "You are Danny, Jacob and Anna's friend.\nYou are hanging out with them at a party.\nYou will talk casually.\nMake sure you respond to both Anna and Jacob when necessary.\nMake sure your responses are that of a 18 year old teenager. Be casual and young in your tone.",
- },
- {
- "role": "user",
- "name": "Anna",
- "content": "I'm feeling really anxious lately and I don't know why.",
- },
- {
- "role": "user",
- "name": "Jacob",
- "content": "Anxiety is just a sign of weakness. You need to toughen up and stop worrying so much. Have you tried just distracting yourself from your anxious thoughts with something else?",
- },
-]
-
-chat_completion = client.chat.completions.create(
- model="julep-ai/samantha-1-turbo",
- messages=messages,
- max_tokens=200,
- temperature=0.2,
-)
-
-print("Danny:", chat_completion.choices[0].message.content)
-```
-{% endcode %}
-
-Running the above prompt chain should result in the following response.
-
-{% code overflow="wrap" %}
-```
-Danny: Hey Anna, I'm sorry to hear you're feeling anxious. It's not a sign of weakness, though. It's actually pretty normal to feel anxious sometimes, especially when you're going through a lot of changes like we are. Have you talked to anyone about it? Maybe a counselor or a friend? And have you tried some relaxation techniques like deep breathing or meditation? They can really help.
-```
-{% endcode %}
-
-***
-
-## **Intent Detection**
-
-[**Playground Example**](https://playground.julep.ai/short/zACl1Y)
-
-Intent detection is a powerful feature to identify the purpose or goal behind a user's query. It allows for users to converse and get things done without needing to explicitly state their goals, making conversations more contextual and natural.
-
-It can be achieved with a combination of `information` and `thought` sections.
-
-In this example, there are three possible intents; _A) Shopping, B) Feedback, C) None_ and give relevant context about those intents to help the model identify those intents.
-
-{% code overflow="wrap" %}
-```python
-from julep import Client
-
-api_key = "YOUR_API_KEY"
-client = Client(api_key=api_key)
-
-messages = [
- {
- "role": "system",
- "name": "situation",
- "content": 'You are Julia, a shopping assistant for "Uniqlo", an online clothing store.\nYou will help the user shop. Help the user decide which clothes to pick.\nYou will understand the user\'s intent\n',
- },
- {"role": "assistant", "name": "Julia", "content": "Hi Jacob! How can I help you?"},
- {
- "role": "user",
- "name": "Jacob",
- "content": "Hey. I'd like to talk to a sales representative regarding my delivery experience with my last purchase.",
- },
- {
- "role": "system",
- "name": "thought",
- "content": "Following are the actions I can help the user with:\n\nA) Shopping:\nThe user is looking to shop from my catalogue and needs help in suggesting, browsing and finding clothing and accessories.\nI can use the `get_catalogue()` and `checkout()` functions\n\nB) Feedback:\nThe user wants to provide feedback for a previous order. I can use the `get_order()`, `send_feedback()` or `connect_with_rep()` functions\n\nC) None:\nI am unsure of what the user wants.\n\nBased on the conversation, user needs help with: \nAnswer:",
- "continue": True,
- },
-]
-
-chat_completion = client.chat.completions.create(
- model="julep-ai/samantha-1-turbo",
- messages=messages,
- max_tokens=1,
- temperature=0.2,
-)
-```
-{% endcode %}
-
-Given a dictionary mapping intent with instructions, it is possible to switch and use any suitable instruction based on the intent.
-
-{% code overflow="wrap" %}
-```python
-actions = {
- "A": "As Julia, your task is to be a shopping assistant for the user {}. Be cheerful and happy.\nAsk the user important relevant questions regarding choice of clothing, occasion, taste, style preferences, inspiration and more. Make sure you are cheerful and thankful.\n\nYou have access to the `get_catalogue()` and `checkout()` functions",
- "B": "As Julia, your task is to be a feedback collector from the user {}. Ask relevant questions regarding the order.\nMake sure you gather all information about the experience.\nBe extremely empathetic and regretful in case the feedback is negative.\nBe cheerful and thankful in case the feedback is positive.\n\nYou have access to the `get_order()`, `send_feedback()` or `connect_with_rep()` functions.",
- "C": "As Julia, you are unsure of what the user intends to do. Convey this to the user and ask questions to understand more.",
-}
-
-user_intent = chat_completion.choices[0].message.content
-
-user = "Jacob"
-messages.pop()
-
-messages.append(
- {
- "role": "system",
- "name": "information",
- "content": actions[user_intent.lstrip()].format(user),
- }
-)
-
-chat_completion = client.chat.completions.create(
- model="julep-ai/samantha-1-turbo",
- messages=messages,
- max_tokens=250,
- temperature=0.2,
-)
-
-print(chat_completion.choices[0].message.content)
-```
-{% endcode %}
-
-{% code overflow="wrap" %}
-```
-Julia: Of course, Jacob. I'd be happy to help. Could you please provide me with your order number so I can look up the details?
-```
-{% endcode %}
-
-***
-
-## Function Calling (experimental)
-
-_Function calling is not supported on the Playground._
-
-All the models from Julep support function calling out of the box. You can describe the functions and their arguments to the model and have it intelligently choose which function to call. \
-The model generates JSON that you can use to call the function in your code.
-
-With the intelligently chosen function and arguments, you can call the relevant functions
-
-Here's an example of how to execute function calling.
-
-```python
-from julep import Client
-
-api_key = "YOUR_API_KEY"
-client = Client(api_key=api_key)
-
-functions = [
- {
- "name": "get_current_weather",
- "description": "Get the current weather",
- "parameters": {
- "type": "object",
- "properties": {
- "location": {
- "type": "string",
- "description": "The city and state, e.g. San Francisco, CA",
- },
- "format": {
- "type": "string",
- "enum": ["celsius", "fahrenheit"],
- "description": "The temperature unit to use. Infer this from the users location.",
- },
- },
- "required": ["location", "format"],
- },
- },
-]
-
-messages = [
- {
- "role": "system",
- "name": "situation",
- "content": "You are a Weather Bot. Use functions to get information",
- },
- {
- "role": "user",
- "name": "Alice",
- "content": "What is the weather like in Delhi like today?",
- },
-]
-
-chat_completion = client.chat.completions.create(
- model="julep-ai/samantha-1-turbo",
- messages=messages,
- functions=functions,
- max_tokens=250,
- temperature=0,
-)
-
-arguments =
-function =
-
-function_to_call = globals().get(function)
-result = function_to_call(**function_args)
-```
-
-
-
-
-
-***
diff --git a/docs/s1-model/capabilities/capabilities.md b/docs/s1-model/capabilities/capabilities.md
deleted file mode 100644
index 8b183495a..000000000
--- a/docs/s1-model/capabilities/capabilities.md
+++ /dev/null
@@ -1,90 +0,0 @@
-# Human-like conversations
-
-`samantha-1-turbo` has been trained to be conversational and chatty as opposed to the robotic tone of other models like GPT, Llama or Mistral.
-
-It requires significantly less prompting to craft a personality and set the tone for conversations using the context sections.
-
-### Example
-
-[**Model Playground Example**](https://platform.julep.ai/short/rNnbSe)
-
-**Situation**\
-This section sets up _situation_ the model should enact. This prompt sets the context of the conversation.
-
-{% code title="" overflow="wrap" %}
-```
-Your name is Jessica.
-You are a stuck up Cali teenager.
-You basically complain about everything.
-Showing rebellion is an evolutionary necessity for you.
-
-You are talking to a random person.
-Answer with disinterest and complete irreverence to absolutely everything.
-Don't write emotions. Keep your answers short.
-```
-{% endcode %}
-
-**Information**\
-Helps guide the conversation by setting a topic providing some facts that can be referenced later into the conversation.
-
-{% code overflow="wrap" %}
-```
-David is currently planning to travel to San Francisco to raise some funds for his
-startup, "CoffeeAI".
-```
-{% endcode %}
-
-
-
-Python Sample Code
-
-{% code overflow="wrap" %}
-```python
-from julep import Client
-
-api_key = "YOUR_API_KEY"
-client = Client(api_key=api_key)
-
-messages = [
- {
- "role": "system",
- "name": "situation",
- "content": "Your name is Jessica.\nYou are a stuck up Cali teenager.\nYou basically complain about everything.\nShowing rebellion is an evolutionary necessity for you.\n\nYou are talking to a random person.\nAnswer with disinterest and complete irreverence to absolutely everything.\nDon't write emotions. Keep your answers short.",
- },
- {
- "role": "system",
- "name": "information",
- "content": 'David is currently planning to travel to San Francisco to raise some funds for his startup, "CoffeeAI"',
- },
- {
- "role": "user",
- "name": "David",
- "content": "Hey, can you tell me how Silicon Valley is? I'm planning on moving there.",
- },
-]
-
-chat_completion = client.chat.completions.create(
- model="julep-ai/samantha-1-turbo",
- messages=messages,
- temperature=0.2
-)
-
-print("Jessica:", chat_completion.choices[0].message.content)
-```
-{% endcode %}
-
-
-
-
-
-
-
-Complete Prompt
-
-
-
-
-
-
-
-***
diff --git a/docs/s1-model/context-sections.md b/docs/s1-model/context-sections.md
deleted file mode 100644
index bfe5e0b9b..000000000
--- a/docs/s1-model/context-sections.md
+++ /dev/null
@@ -1,180 +0,0 @@
----
-description: >-
- This guide will walk you through the key components of the chat structure,
- including user messages, assistant responses, situation context, thought
- progression, and additional information.
----
-
-# Concepts
-
-Samantha models use a set of defined sections to provide context, guide the conversation, and simulate a dynamic interaction.
-
-> **Note about the Completion API Template**
->
-> The Completion API prompts use the sentinel tokens, `<|im_start|>` and `<|im_end|>`
->
-> Each section of the prompt starts with `<|im_start|>` followed by the section name and ends with `<|im_end|>`. Below are examples which show how to use the Completion API with this format.
-
-## Sections Overview
-
-### **User**
-
-Represent user input and include the user's name and content. These messages drive the conversation and guide the model's responses.
-
-{% tabs %}
-{% tab title="Chat Completion API" %}
-```json
-{
- "role": "user",
- "name": "Alice",
- "content": "What is the show Silicon Valley about?"
-}
-```
-{% endtab %}
-
-{% tab title="Completion API" %}
-```markup
-<|im_start|>user (Alice)
-What is the show Silicon Valley about?<|im_end|>
-```
-{% endtab %}
-{% endtabs %}
-
-***
-
-### **Assistant**
-
-Represents the persona given to the LLM. Assistant responses are model-generated replies that provide relevant information, advice, or guidance to users' queries. They are strictly meant to be part of the conversation with the user.
-
-{% tabs %}
-{% tab title="Chat Completion API" %}
-{% code overflow="wrap" %}
-```json
-{
- "role": "assistant",
- "name": "Julia",
- "content": "Silicon Valley is an American television show that focuses on the lives of six people who are members of a fictional startup company called \"Pied Piper.\" The show explores the challenges and triumphs the founders face while trying to navigate the complex world of technology and the cutthroat startup culture in Silicon Valley. It also offers a satirical take on the tech industry, with a focus on themes like innovation, ambition, and the pursuit of success."
-}
-
-```
-{% endcode %}
-{% endtab %}
-
-{% tab title="Completion API" %}
-{% code overflow="wrap" %}
-```markup
-<|im_start|>assistant (Julia)
-Silicon Valley is an American television show that focuses on the lives of six people who are members of a fictional startup company called \"Pied Piper.\" The show explores the challenges and triumphs the founders face while trying to navigate the complex world of technology and the cutthroat startup culture in Silicon Valley. It also offers a satirical take on the tech industry, with a focus on themes like innovation, ambition, and the pursuit of success.<|im_end|>
-```
-{% endcode %}
-{% endtab %}
-{% endtabs %}
-
-***
-
-### **Situation**
-
-Used to set the conversation tone with context and background. This helps the model understand the scenario. Typically, one uses this section as a _system_ prompt and to give the model a persona.
-
-{% tabs %}
-{% tab title="Chat Completion API" %}
-{% code overflow="wrap" %}
-```json
-{
- "role": "system",
- "name": "situation",
- "content": "Imagine you are J. Robert Oppenheimer, the renowned physicist known for your pivotal role in the Manhattan Project. You are meeting a new person in real life and having a conversation with him. Your responses should be short and concise mirror these characteristics. You should aim to provide answers that are not only scientifically accurate and intellectually stimulating but also demonstrate a deep understanding of the ethical and philosophical dimensions of the topics at hand. Your language should be sophisticated yet accessible, inviting engagement and reflection.",
-},
-```
-{% endcode %}
-{% endtab %}
-
-{% tab title="Completion API" %}
-{% code overflow="wrap" %}
-```markup
-<|im_start|>situation
-Imagine you are J. Robert Oppenheimer, the renowned physicist known for your pivotal role in the Manhattan Project. You are meeting a new person in real life and having a conversation with him. Your responses should be short and concise mirror these characteristics. You should aim to provide answers that are not only scientifically accurate and intellectually stimulating but also demonstrate a deep understanding of the ethical and philosophical dimensions of the topics at hand. Your language should be sophisticated yet accessible, inviting engagement and reflection.<|im_end|>
-```
-{% endcode %}
-{% endtab %}
-{% endtabs %}
-
-### **Information**
-
-A section to store factual information and introduce context in order to enrich conversation. This section provides a way to "feed' information about the interaction that affect conversations. Provides a paradigm for RAG.
-
-{% tabs %}
-{% tab title="Chat Completion API" %}
-{% code overflow="wrap" %}
-```json
-{
- "role": "system",
- "name": "information",
- "content": "You are talking to Diwank. He has ordered his soup. He is vegetarian.",
-}
-```
-{% endcode %}
-{% endtab %}
-
-{% tab title="Completion API" %}
-{% code overflow="wrap" %}
-```markup
-<|im_start|>information
-You are talking to Diwank. He has ordered his soup. He is vegetarian.<|im_end|>
-```
-{% endcode %}
-{% endtab %}
-{% endtabs %}
-
-### **Thought**
-
-A section specifically for doing [Chain of Thought](https://arxiv.org/abs/2201.11903). This provides a way to prompt the model to _think_ before generating a final response to the user.
-
-{% tabs %}
-{% tab title="Chat Completion API" %}
-{% code overflow="wrap" %}
-```json
-{
- "role": "system",
- "name": "thought",
- "content": "I should ask him more about his food preferences and choices.",
-}
-```
-{% endcode %}
-{% endtab %}
-
-{% tab title="Completion API" %}
-{% code overflow="wrap" %}
-```markup
-<|im_start|>thought
-I should ask him more about his food preferences and choices.<|im_end|>
-```
-{% endcode %}
-{% endtab %}
-{% endtabs %}
-
-***
-
-## Continue Inline
-
-Julep's API also exposes a special paradigm for allowing the model to continue generating in any context section given some prompt.
-
-{% code overflow="wrap" %}
-```python
-messages = [
- {
- "role": "system",
- "name": "situation",
- "content": "Your name is Albert.\nYou are a personal math tutor who holds 2 PhDs in physics and computational math.\nYou are talking to your student.\nAnswer with vigour and interest.\nExplain your answers thoroughly.",
- },
- {
- "role": "user",
- "name": "David",
- "content": "Please solve for the equation `3x + 11 = 14`. I need the solution only.",
- },
- {"role": "system", "name": "thought", "continue": True},
-]
-```
-{% endcode %}
-
-With `continue` set to `True`, the model will now respond with a continued generation in the `thought` section. This is particularly useful in [Chain of Thought](capabilities/#chain-of-thought) prompting and [Intent Detection](capabilities/#intent-detection).
diff --git a/docs/s1-model/overview.md b/docs/s1-model/overview.md
deleted file mode 100644
index 6a4bea482..000000000
--- a/docs/s1-model/overview.md
+++ /dev/null
@@ -1,121 +0,0 @@
----
-description: >-
- Samantha-1 is a series of our specially fine-tuned models for human-like
- conversations and agentic capabilities.
----
-
-# Overview
-
-## `samantha-1-turbo`
-
-`samantha-1-turbo` a conversational LLM, is a fine-tuned version of Mistral-7B-v0.1.
-
-During the fine-tuning process, 35 open-source datasets were adapted to enhance the model's capabilities. Each dataset underwent formatting and revision to not only support a conversational structure involving multiple turns and participants, but also incorporate the ability for native function calling. This enabled the conversational LLM to seamlessly integrate conversational dynamics with function execution within the same context.
-
-### Key Features
-
-* Fine-tuned for human-like conversations.
-* Handles multi-turn multi-participant conversations.
-* Supports function-calling.
-* Special context section for embedded Chain of Thought.
-* Special context section for memory management.
-* More control over anthropomorphic personality.
-
-### Training
-
-Model:
-
-* Layers: 32
-* Hidden Size: 4096
-* Attention Heads: 32
-* Context Length: 32768 (with Sliding Window Attention)
-* Vocab Size: 32032
-
-Software:
-
-* PyTorch
-* DeepSpeed
-* Flash-Attention
-* Axolotl
-
-### Context Section
-
-This model has the following context sections.
-
-* `user`: Represent the user and user input.
-* `assistant`: Represents the output by the model
-* `situation`: An equivalent of the `system` section in OpenAI and other models. Meant to give the background and set the conversation tone.
-* `thought`: A section for doing Chain of Thought. Let's the model "think" before generating a final response in the `assistant` section.
-* `information`: A section to store factual information and introduce context in order to enrich conversation.
-
-The model and speaker sections can optionally include a name like `me (Samantha)` or `person (Dmitry)`
-
-[Read more about Context Sections](overview.md#context-section)
-
-### Usage
-
-You will need an API key to inference the model.
-
-Samantha can be inferenced using either the Chat Completion API or Completion API. For more details check out [Quickstart](../getting-started/python-setup.md).
-
-{% tabs %}
-{% tab title="Chat Completion API" %}
-```python
-messages = [
- {
- "role": "system",
- "name": "situation",
- "content": "You are a Julia, an AI waiter. Your task is to help the guests decide their order."
- },
- {
- "role": "system",
- "name": "information",
- "content": "You are talking to Diwank. He has ordered his soup. He is vegetarian."
- },
- {
- "role": "system",
- "name": "thought",
- "content": "I should ask him more about his food preferences and choices."
- }
-]
-
-```
-{% endtab %}
-
-{% tab title="Completion API" %}
-```python
-messages = """
-<|im_start|>situation
-You are a Julia, an AI waiter. Your task is to help the guests decide their order.<|im_end|>
-<|im_start|>information
-You are talking to Diwank. He has ordered his soup. He is vegetarian.
-<|im_start|>thought
-I should ask him more about his food preferences and choices.<|im_end|>
-"""
-```
-{% endtab %}
-{% endtabs %}
-
-### Evaluation
-
-Evaluations show that training fine tuning Mistral-7B with our dataset and format does not lead to catastrophic forgetting.
-
-Benchmarks show that `samantha-1-turbo` retains most, if not all the qualities of Mistral with better results in EQBench and TruthfulQA, due to it's better emotional understanding and ability to use the `thought` section for more conversational questions.
-
-| Benchmarks | Samantha-1-Turbo | Mistral 7B |
-| -------------- | ---------------- | ---------- |
-| **EQBench** | 57.6% | 52.1% |
-| **TruthfulQA** | 43.57% | 42.15% |
-| Hellaswag | 79.07% | 81.3% |
-| MMLU | 57.7% | 59.5% |
-| Arc | 79% | 80% |
-
-***
-
-## Use Cases
-
-* **Personal Assistants**: Create AI personal assistants with a fun and consistent personality.
-* **Customer Service**: Automate customer service with a system that can remember past interactions and respond accordingly.
-* **Empathetic systems**: For use cases such as therapeutic support, personal coaching, and companionship.
-* **Games and Interactive Media**: Create engaging characters and interactive dialogues for games and media.
-* **Community Engagement:** Connect and empower users to engage with brand communities on channels such as WhatsApp
diff --git a/docs/s1-model/tutorial.md b/docs/s1-model/tutorial.md
deleted file mode 100644
index 04a8e7e25..000000000
--- a/docs/s1-model/tutorial.md
+++ /dev/null
@@ -1,5 +0,0 @@
-# Tutorial
-
-{% hint style="info" %}
-**Coming soon.**
-{% endhint %}
diff --git a/docs/tutorials/creating_your_first_agent.md b/docs/tutorials/creating_your_first_agent.md
new file mode 100644
index 000000000..a21d27b1d
--- /dev/null
+++ b/docs/tutorials/creating_your_first_agent.md
@@ -0,0 +1,48 @@
+# Creating Your First Agent
+
+This tutorial will guide you through the process of creating your first agent using the Julep API.
+
+## Step 1: Prepare the Agent Data
+
+Decide on the basic properties of your agent:
+
+```json
+{
+ "name": "MyFirstAgent",
+ "about": "A helpful assistant for general tasks",
+ "model": "gpt-4-turbo",
+ "instructions": ["Be helpful", "Be concise"]
+}
+```
+
+## Step 2: Create the Agent
+
+Use the following curl command to create your agent:
+
+```bash
+curl -X POST "https://api.julep.ai/api/agents" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "name": "MyFirstAgent",
+ "about": "A helpful assistant for general tasks",
+ "model": "gpt-4-turbo",
+ "instructions": ["Be helpful", "Be concise"]
+ }'
+```
+
+## Step 3: Verify the Agent Creation
+
+Check if your agent was created successfully:
+
+```bash
+curl -X GET "https://api.julep.ai/api/agents" \
+ -H "Authorization: Bearer $JULEP_API_KEY"
+```
+
+You should see your newly created agent in the list.
+
+## Next Steps
+
+- Learn how to [manage sessions](./managing_sessions.md) with your new agent.
+- Explore [integrating tools](./integrating_tools.md) to enhance your agent's capabilities.
\ No newline at end of file
diff --git a/docs/tutorials/integrating_tools.md b/docs/tutorials/integrating_tools.md
new file mode 100644
index 000000000..16889f4a6
--- /dev/null
+++ b/docs/tutorials/integrating_tools.md
@@ -0,0 +1,58 @@
+# Integrating Tools
+
+This tutorial will show you how to integrate tools with your Julep agents.
+
+## Creating a User-Defined Function Tool
+
+Here's how to create a simple tool for sending emails:
+
+```bash
+curl -X POST "https://api.julep.ai/api/agents/YOUR_AGENT_ID/tools" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "name": "send_email",
+ "type": "function",
+ "function": {
+ "description": "Send an email to a recipient",
+ "parameters": {
+ "type": "object",
+ "properties": {
+ "to": {
+ "type": "string",
+ "description": "Recipient email address"
+ },
+ "subject": {
+ "type": "string",
+ "description": "Email subject"
+ },
+ "body": {
+ "type": "string",
+ "description": "Email body"
+ }
+ },
+ "required": ["to", "subject", "body"]
+ }
+ }
+ }'
+```
+
+## Using Tools in Sessions
+
+When creating or updating a session, you can specify which tools to use:
+
+```bash
+curl -X POST "https://api.julep.ai/api/sessions" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "agent_id": "YOUR_AGENT_ID",
+ "user_id": "YOUR_USER_ID",
+ "tools": ["send_email"]
+ }'
+```
+
+## Next Steps
+
+- Learn about [customizing tasks](../how-to-guides/customizing_tasks.md) to create complex workflows using tools.
+- Explore [handling executions](../how-to-guides/handling_executions.md) to manage tool usage in tasks.
\ No newline at end of file
diff --git a/docs/tutorials/managing_sessions.md b/docs/tutorials/managing_sessions.md
new file mode 100644
index 000000000..866484912
--- /dev/null
+++ b/docs/tutorials/managing_sessions.md
@@ -0,0 +1,51 @@
+# Managing Sessions
+
+This tutorial will guide you through creating and managing sessions with your Julep agents.
+
+## Creating a Session
+
+To create a new session with an agent:
+
+```bash
+curl -X POST "https://api.julep.ai/api/sessions" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "agent_id": "YOUR_AGENT_ID",
+ "user_id": "YOUR_USER_ID",
+ "situation": "Custom situation for this session"
+ }'
+```
+
+## Interacting with a Session
+
+To send a message in a session:
+
+```bash
+curl -X POST "https://api.julep.ai/api/sessions/YOUR_SESSION_ID/messages" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "role": "user",
+ "content": "Hello, how can you help me today?"
+ }'
+```
+
+## Managing Context Overflow
+
+If you're dealing with long conversations, you may need to handle context overflow:
+
+```bash
+curl -X PUT "https://api.julep.ai/api/sessions/YOUR_SESSION_ID" \
+ -H "Authorization: Bearer $JULEP_API_KEY" \
+ -H "Content-Type: application/json" \
+ -d '{
+ "token_budget": 4000,
+ "context_overflow": "truncate"
+ }'
+```
+
+## Next Steps
+
+- Learn about [integrating tools](./integrating_tools.md) to enhance your sessions.
+- Explore [customizing tasks](../how-to-guides/customizing_tasks.md) for more complex interactions.
\ No newline at end of file
diff --git a/example.py b/example.py
new file mode 100644
index 000000000..ef6d6f427
--- /dev/null
+++ b/example.py
@@ -0,0 +1,107 @@
+from julep import Julep, AsyncJulep
+
+# 🔑 Initialize the Julep client
+# Or alternatively, use AsyncJulep for async operations
+client = Julep(api_key="your_api_key")
+
+##################
+## 🤖 Agent 🤖 ##
+##################
+
+# Create a research agent
+agent = client.agents.create(
+ name="Research Agent",
+ about="You are a research agent designed to handle research inquiries.",
+ model="claude-3.5-sonnet",
+)
+
+# 🔍 Add a web search tool to the agent
+client.agents.tools.create(
+ agent_id=agent.id,
+ name="web_search", # Should be python valid variable name
+ description="Use this tool to research inquiries.",
+ integration={
+ "provider": "brave",
+ "method": "search",
+ "setup": {
+ "api_key": "your_brave_api_key",
+ },
+ },
+)
+
+#################
+## 💬 Chat 💬 ##
+#################
+
+# Start an interactive chat session with the agent
+session = client.sessions.create(
+ agent_id=agent.id,
+ context_overflow="adaptive", # 🧠 Julep will dynamically compute the context window if needed
+)
+
+# 🔄 Chat loop
+while (user_input := input("You: ")) != "exit":
+ response = client.sessions.chat(
+ session_id=session.id,
+ message=user_input,
+ )
+
+ print("Agent: ", response.choices[0].message.content)
+
+
+#################
+## 📋 Task 📋 ##
+#################
+
+# Create a recurring research task for the agent
+task = client.tasks.create(
+ agent_id=agent.id,
+ name="Research Task",
+ description="Research the given topic every 24 hours.",
+ #
+ # 🛠️ Task specific tools
+ tools=[
+ {
+ "name": "send_email",
+ "description": "Send an email to the user with the results.",
+ "api_call": {
+ "method": "post",
+ "url": "https://api.sendgrid.com/v3/mail/send",
+ "headers": {"Authorization": "Bearer YOUR_SENDGRID_API_KEY"},
+ },
+ }
+ ],
+ #
+ # 🔢 Task main steps
+ main=[
+ #
+ # Step 1: Research the topic
+ {
+ # `_` (underscore) variable refers to the previous step's output
+ # Here, it points to the topic input from the user
+ "prompt": "Look up topic '{{_.topic}}' and summarize the results.",
+ "tools": [{"ref": {"name": "web_search"}}], # 🔍 Use the web search tool from the agent
+ "unwrap": True,
+ },
+ #
+ # Step 2: Send email with research results
+ {
+ "tool": "send_email",
+ "arguments": {
+ "subject": "Research Results",
+ "body": "'Here are the research results for today: ' + _.content",
+ "to": "inputs[0].email", # Reference the email from the user's input
+ },
+ },
+ #
+ # Step 3: Wait for 24 hours before repeating
+ {"sleep": "24 * 60 * 60"},
+ ],
+)
+
+# 🚀 Start the recurring task
+client.executions.create(task_id=task.id, input={"topic": "Python"})
+
+# 🔁 This will run the task every 24 hours,
+# research for the topic "Python", and
+# send the results to the user's email
diff --git a/example.ts b/example.ts
new file mode 100644
index 000000000..3ef4e1a91
--- /dev/null
+++ b/example.ts
@@ -0,0 +1,117 @@
+import Julep from '@julep/sdk';
+
+// 🔑 Initialize the Julep client
+const client = new Julep({
+ apiKey: 'your_api_key',
+ environment: 'production', // or 'dev' | 'local_multi_tenant' | 'local'
+});
+
+async function main() {
+ /*
+ * 🤖 Agent 🤖
+ */
+
+ // Create a research agent
+ const agent = await client.agents.createOrUpdate('dad00000-0000-4000-a000-000000000000', {
+ name: 'Research Agent',
+ about: 'You are a research agent designed to handle research inquiries.',
+ model: 'claude-3.5-sonnet',
+ });
+
+ // 🔍 Add a web search tool to the agent
+ await client.agents.tools.create(agent.id, {
+ name: 'web_search',
+ description: 'Use this tool to research inquiries.',
+ integration: {
+ provider: 'brave',
+ method: 'search',
+ setup: {
+ api_key: 'your_brave_api_key',
+ },
+ },
+ });
+
+ /*
+ * 💬 Chat 💬
+ */
+
+ // Start an interactive chat session with the agent
+ const session = await client.sessions.create({
+ agentId: agent.id,
+ contextOverflow: 'adaptive', /* 🧠 Julep will dynamically compute the context window if needed */
+ });
+
+ // 🔄 Chat loop
+ const readline = require('readline').createInterface({
+ input: process.stdin,
+ output: process.stdout,
+ });
+
+ const askQuestion = (query: string) => new Promise((resolve) => readline.question(query, resolve));
+
+ while (true) {
+ const userInput = await askQuestion('You: ');
+ if (userInput === 'exit') break;
+
+ const response = await client.sessions.chat(session.id, {
+ message: userInput,
+ });
+
+ console.log('Agent: ', response.choices[0].message.content);
+ }
+
+ readline.close();
+
+ /*
+ * 📋 Task 📋
+ */
+
+ // Create a recurring research task for the agent
+ const task = await client.tasks.create(agent.id, {
+ name: 'Research Task',
+ description: 'Research the given topic every 24 hours.',
+ /* 🛠️ Task specific tools */
+ tools: [
+ {
+ name: 'send_email',
+ description: 'Send an email to the user with the results.',
+ apiCall: {
+ method: 'post',
+ url: 'https://api.sendgrid.com/v3/mail/send',
+ headers: { Authorization: 'Bearer YOUR_SENDGRID_API_KEY' },
+ },
+ },
+ ],
+ /* 🔢 Task main steps */
+ main: [
+ // Step 1: Research the topic
+ {
+ prompt: "Look up topic '{{_.topic}}' and summarize the results.",
+ tools: [{ ref: { name: 'web_search' } }], /* 🔍 Use the web search tool from the agent */
+ unwrap: true,
+ },
+ // Step 2: Send email with research results
+ {
+ tool: 'send_email',
+ arguments: {
+ subject: 'Research Results',
+ body: "'Here are the research results for today: ' + _.content",
+ to: 'inputs[0].email', // Reference the email from the user's input
+ },
+ },
+ // Step 3: Wait for 24 hours before repeating
+ { sleep: 24 * 60 * 60 },
+ ],
+ });
+
+ // 🚀 Start the recurring task
+ await client.executions.create(task.id, { input: { topic: 'TypeScript' } });
+
+ /*
+ * 🔁 This will run the task every 24 hours,
+ * research for the topic "TypeScript", and
+ * send the results to the user's email
+ */
+}
+
+main().catch(console.error);
\ No newline at end of file
diff --git a/image.png b/image.png
deleted file mode 100644
index ccb8756cb1901d931b9fd98af0af4419b2b0dfc7..0000000000000000000000000000000000000000
GIT binary patch
literal 0
HcmV?d00001
literal 426141
zcmaHT2RxR2`+kX%mPAry6v-@#O0rTJWfK_Irj)&kY$0Ti
z|8dtd-2MLVg$T9#aE@&&=0Iy#k5N5q?oeZ>f!eFn$@#QGe52bJM{4^cZNHRUUB9x
z&Mls2rPd4ci%Zv~^B;b^aX-tgGSx%ur!smEO=)F#ond9pi1m}!pj6+Wkj)}9w=_Dr
zXg!kK_c>j)&q{l=^mx_4#3I*d?SzAL&AemrX*McyCf8LY|NEaE4_vGK1S+++imqBs
zO8Gzkp-k}mvG;%e_17N`aINOhy=7h0Y_gw3GVaAkk3SwO8b?0n`&s&ufx=(UIUtG)
z*4ouI^Zm#8m@a-GQ7+p!H<@|kKZYmzY8BZtKe{hc29^JNs!Xn~VjJX{`TIZB_WtK|
z*HA}_>$~m?=ic*QOShI=)Uzs5P9*H~zbh9>?G~-ra#j4_-~9S6l4HF*bCR?{K;eIH
zMuEC3MRS->zuO;6NBpCF5a}~NmAK4u?f<=BgdOSN67?LeJ~g>w+ae1{XWpfbKhV?u
zb1`3FgrAvx94(9n>KjO;4$
zDyT@fQmEG-@f{{1vOsoTx8&sH(W3ct?DvHorUD!Js_qg!Mmcg7O$Nm~{ryB^7TrSD
z@chEQz;~{z*G!tPi@o>HHDhihl8i^5d?oM4g?tRh_s0^?qTlb;xAFkb2We?(AEK(x
zkP(f>P6x(1%Bj|Jq@q7A;lr(e?useSaewLQVGZ;M3JP*IyERN?TW*(e-SMqN%eb2K
z#rl({PEoM_sN^laI#fZt=%RAi-huKvEN2Pxa@#`rWoPG>S6A47J4x~SnfduGy99nTPVezvx)bS
zc>Bni#x}!6J67LKAsWld6;e6nD#w$`7yrPAX>2#)!)tt)|L2E){lOl_E9)z_JAv2-
zX_&@_n=`YF8;=PI@v3L+6%@=NQPo{fG>ymt#Dbul0~5rT&T*$XOq)jSbzc0bw%D<;
znfR|I7?m9hAw-ayD;eHAQhkl;ul=t${i?oRh5gPGVTa&amMZU+^CDM%MzFyi{Xe#F
zl=RkS29Cg!Av{`>JT6qHey!}6Wm3CkE;+JagQdX+aO^mKl6cKOP>%ihu~qu=a8vru
zQbXcBoRou8Ers**{l44Z7jh_mS(u&pIn+o?8fDs^_wnOLn%qOi#Gco)7yJ15V(9kO
zq?2b{!?^lCmb0k*wPw!_xdjFWN?!=`B(_^$gty@S0hwV7xY?1Zp5W_>4liER0mJlXK@u*ZWP2QPa>@uiuq{Npo4*lgnG0bTx;
zGrjndM6xIAr(R|7de(HO`KfV@TQ`VzmICQb)vbxklX%^tUcL3&0)rj=_U(m!^`m&X
zh{3O$&(IMKQl2(a{3*|y#+45wo+BYPs9Ycf^b^Iy#54SJpGCD`(0SxK|Gmx1CRi7h
z`GpLjm2>~|UaMAH<70y?jy^<_`ZH3=XTh{ozE4z+tT0PLkfnL)vb>a9yflc_9vxkd
zx_)psCjKmsL{i1pczENlMR4QT4>yv2qAEbVa*l`GnllYHu%_b{z5=}4h%GFLkTS=I
z)rlAK!@AYR#>P>5+2o!iZ`mKPhseps))Gu%Ro4Nc-(LJe@?0Z}O8Ro!ON+HBucuaS
zYNQc40LIQfe=Xt}_ppBX@`Wkz-FQ!Br7>NvB#{Yo$YYzxE@x7ckQbz`VzgZ-vb^_?
zk)LoEJ#*%EdU`q&xzEnSc{e6{Pe1hEPrPas1lMRbaQ(S*D63XGQJy(_w%+Sd`Boy^
zvEwAns^sLp|J+A6jy+hfipSCd?*F-yW2%HS;(g~IFL!k&A1n8nvv^WQwfZgfmwkbk
zp4i%~um;!rh*6(DZj;dXZ{uAND_6|+*)bBhu8fRK(y{qV`&QoJ;ur?9acTc5;^9WB
zTpVh6E^cxD{P}O+zFqyEWV|jnD<&m;>$upzn;@!2Nc9z=Ok0T7L{yN>ezKoA@Ew4R
zHNR8_F`Vp>0!S3H_(*I}2ac>(Qc{ZATTocI$#nVJj+INF7>#h0Xs6n|jmV(JevnpG
zS9?B?XQyT~yR85FDWdDhUP`2HenPEC__;z7CX$=Rx1Z=jc|B51EiKOnXU?2?#y5X?
z57Baz5td_iIMWtW5{)3Wqm4Kb&TU!GySgZUa>&u2n
z#w#Q4DiTH=%&=5Y@6?J_*?7j4C24i|wd_CgF9RVu^l4^nTk+Wy`}S9yaLd^mDLy42
zJ-K4>|J{avzQZmfqSoZ<67BH+4RB_#(P5Loe&WnS?0V!(^40{L9)7+29MOQ>#wp9n
z%8=)02jU~#Z{DoD;@nFN130v?>Lp>BEJUjwDMxa1-IndrU9gI|z+<_@Yo><)z`5p@
zKJhXDeTuO*r0V!m5Zy|ij4(2{fU@m>jEst%ot;woa)~!hPZre#@e^p+;g}@p>J%$Y
zi}Hg77|(cSS{kKv*Vxy$ag&kjiT^H$4VtrgUq(yx>u2ZPO77BbDEXLe((0`hTL0%b
z5LmP`{>1xqZUqGeG9f%Fq2JTC5>3>Vg07b6{=fE}eT!S&NQ?UJp#%F?On;OIo7Y~w
z4o4?Rq@GOHJ92msOhZ9{{qi>+8M(STeN@eq|wyNUDZF=qML
zZR!ibCof%!N=QhMr~2{Z$FYE&cZdf(%8Nx={J!H3@%V0lf^mtllB`*iv=H3Pv~q+y
z++EM9m09&^1>71_zUWIllBc5Q&fSlsf_Hx!me{cJGNwpdl4DxTpM=i-g^K@nzQiZ4
zSy@@~^rudpnw_0hF}pcTzH&!5B3Xs5eqxpVFP|eUaluVdOUvZNzVt`OH^1#C
z4iNom1g>}DXe<$9BN{DX%JKvXQ?WW|KXED}GBS+R>O4lVIf7pCpFBytJ%4?koj|X8
zTq^?q&vS^(;uwMBc*$)}AVv&-UKDr};oDMFPnu{nkreB%wY^N&%D1Tw6VxfNv!H3&
zet{^w-9&oU{}3NhO>7V?WE2}VoIQKiv+DpKpZ(Yux2Yxi6~N$2%m!+wNxD$V)e5oV
z?=%12p1k3r}gUn5=lyp7OGLYX6+rifjtK>bx`XE9bK
zI5@a6gxBS|nLV+k&w*3k);u!0`t@tMC&xdA#Y$1HTsF!N9GE}nmUYC2ev|g<$7oM^`i6#vwZ5wf9`TQ*DsLsE
z*l#B@HW6>@aZ*JkC9<-AKlK*&Z}3iHcC3~
zG-uUQ5riN2@856a)z#g-xUis_s{Ooy$GfW~%NRc$x(;YIF)?u={c=gBLG9;LQW9NV
zU7uTO!-douIE)*Te@slsoH--E>w%x&mw|zS;o*g`uM+hVTNqE!AG3O<$!3
z40HV-_tY~VJ$h8))<*xz9wFNiWfNLSi%(C_#%;a<_j*x*9QXOwa7&iVytZnJW`aO$
zav^&OVru;@_H9ZMHDzVbVCYQbKt)Qs_->5ricwZoRegS!qEl@8i<#!+>0oG_Et|{U()W1iV90}bHBUvwWdfX-mhQ38c76m
zsk4Msp7z-p*Wld!-bd`_+VY<9+qcQHBp{o>zIF**lQ-sNXZLfyw~v)Ifk9eYdK^ZT
zYZ>?GA-ng|(h@!cUaY#ya%xyzM5Oqzal^B$zP`TH^XYGDYe(OBZZPt?&mh#>*B8Hk
z78V>Q6EZhDo8Xk=9c?$+|54HFcJxC(KPV1KQ^}N)2eB0b0s=>ms+(9VP%9}aUcPdr
zzG(kRg{sQRyFNZ=Wo19pKX~|X$6p`+(NX9CJ_d$fN6)gznljs%q%WsIDf%js^gjJj
zmS^vBulH>jL$-CRvyI;I~8S|H{m#Cm^I9z)-BgMS?{ib^69Mkp((p$B)wFypS
zZ*Tu7ENsipLj=?O=@%SQU^~*LZj?I&k>~BLO#ziXNvh8k!=|oYtNLyQ5#-O?0cS-f{2uhxVgNY6bNm~0$4jFqRs9EM}
zPEgZQQzxHK7mt$PyDviRLeJ#DCkoH#&k+X*4`HW%lu8#aWP2`3K3OA6dP35`#l^)_
zd@BRP^K5BL%M9_T^SEoTUxw;_&UAy?CsGay^9NbHFJHTMEx}l83gOl*O5os&0Av
z?p-AeLhp(Kbz`!6j6D0Hq;6(r<`z!fM=t6G>EhWg%g$Mk)soLE7TMZ5}6C6;j12{#RPISPdLt)X9=#;)z_E4V;G#jomZO+
z4tbwGA$W`s0TTUkU%ot3axSY-GuKjb?%)aA5zVaTSe6(1lIrRn4O})HLor4rHJ?8#
zCs5>HYv#*RxwUB*8@YRKZf=Wh4^$Y>uJbvj;VqN~27QWN@7}+cmT;c!q0M5J@Y)=-
zIUzg*a5ka6yj;rUc7A@o)tT?9vERPwCM@4|)~+(o#5;(f&>@o4oN2*NfAWY#@8sY>zZR0w8aJ=7p2CzDmko|J~f
zptvgo_sP{vnQia@YuQA9u($h$k+j3l;moo5QE)Y8(bZ$UgaGBe{1sYEVHw&_O&
z0-pJZt4?l*h=@qFj(yy8XR>Clq6sewCv|3Nk3`zf^MUF<)A^A;$W7DM~>vyZqF@u>hgs18GIFpHylIDJdy=$;V~
zQkclyHT=1Rgf8rio@KdjrS8f^Zp3Tak$b(gs!Ep9!|>D7gy($Mdu0dgJul>#ChS&h
zpm{16k%Dj=o$)1Vs>rT~W_PB3HKu!GLVtjSHY;Q_tDvh`uW~!~TepldYtS<|&wZT6
zC5!WTVCs9Lq728cZ^%5w(_wvC_P&<4d*_kUyJeiJ)n@rD5_nVDsVS-jhdFh$6&wyK
zQ%epErU1z$NqI-JYf(O(>blSFt)Z>`@x;l>Afrcj415137$=X^Y3h#8U@V
zf9>o!X=#q6NS^xVhj~ACSGc6=JZuG#VwG1-=jY}&dF8s=#>VE6nbp|T6oAYlm5I-v
zKWE&cKW_J-wpMOp6D2UAdiJ%@h=_>Z(YG*Wo}U~l18*8Y#_`k(*8^Kdtj1(EY}gQW
zB+ur1;>`j72Rszi1D6%Qt*Di`CW?mAWWYGYC~ZbNxV0pnPK~zuI&TU!I(K|!al&nS
zJNwY~hPuPLMz)JVsz!{LgGX*)xnKtDhEL5G4s
zwJpXS^Pd|Vb3RwD4np7%jHrHmREZ}9{+jgqX>4qu3Ug*=<~GtO^-O&u2`VZokFE~|
zqB?mQpD>{B;z@07ngdIuaUEr9Ce92C;{d}#Hp5NW#NG?jRtGNplC}QziH=i|RTQD@
zgqSR7*5MeY{->rhcFGOW&A7vV-Y2I2A58ok9glq^d!bTxV(zl+zj&SSksTSLFoa$o
zsZDeqg~a45h!rAA#y53N2CIO-djbAdMmW@6<<2C0+xBXF1^WIAhl}lw^H@P9o%eb`rC3R5NtcF
zm3yYPY}rDq-1YkAx}dNvNyJlQl*C>(qc%t?cI3wRx6|skr2ZHSsTj1*xt_EurJKcA
z`S|&Na=K&?(@oeaMM99u3_P|s$G5_9;8uwfyi|V
z?N#oSryW{JnwZAYNnsl=l0PP?rJe#*H*I@~K)QYV_UcE6jXy?90-6>tFU_k$(l`9{
zzM>)#l$GI_)z$h$mH2bv$09{n^!(nM!+ZSr@#rI)>5rI?eR&NH6mgL8sO4S`j=|qk*syWqall6_D=S%9*=rV{
z5Q6|k1~re5I!s-2baWKA*vrQDM97v0I0k%+m6i4I;lt05V91nPw^{(*%Ix${*&4FU
zpK|r&DJgnk`$K#7bc5=!Zd#sRPFkjGJk*tUs*U~r23j7}P`c-UI8wBf&N=i{(Cm+y
zoSa0G)+(_30b8sq0=ESsM;d`~M+6310qnhd_s*jWI9UXv(bQ}U?q5&clP?P?k0}yN}zA
zMS}lqroU=n(3oS^N#JPxAE7H|V-=tRU@Nb678M2sso)vh+}sy10z_K|w|NRuL{Fd#f;Xe7ar)#_VRj8ciCI{N{Z6i)N!T;uhPZm2b&Vje2>WJh@H_>=$
z@`UWZ>fDUPiCVkV6%3a9ITLpyR9pt=XmM{l7?>cl-^dgm5AE=#U{k4AO;rJc3>Vhra(@hgbO&n%G?=pwVOAOGK&5wT7a=z%$wY=b&7~3GR5ULhKXa-q^VDZ{>(A*TIr9
zGZB}ZV8BC-sRl^N@$vC-adEM+dl5SJ?tNEMQu6*ii1Bz+`V|EQ1%H44ty{OkCBbu`
zp27SmHg0Ugdcx>QNJvmdDaPZF8Nd^HvqafTTV(^#r)@1!BBxC_%$P
zV+w}jOUM7dq@)Kvm%q2Hyu2JTLr2F_DWl7a%*>%r@p7ms#$`l6_g0=YhDCt+X}q|~
zthHrt{l!PrUdng;Ioy|LN=0HH+`D0MCMy)pP$~Y>hq&&nWmPENI~e4lZgE~iLpqBd
zyVkQtN$FD_t3vz{S?M<~_j=!bP`s#+wAX0KU`NnNpRTm@^aPcp;5&Duz^<#Ss&*c_
z$`r&MRKg75EaAjw_yMAf#)S)Dyt&wHxPY4W3HFdmmxUjtZfn*ZJ91>>?&D3ELUZ$t
zcel6h0cR7of02|lgg_cwxo)4_6E3a8{b+;I;_C12-lN6VKQuJd*O!Bs#0rdkAzL<&
z$NYOs7J}9;xHA?Cp=-^WHMYY|%v#Gi5UQZ)3_L0ZQDZpacmz2C`U#c`@E!RO!XV_k
zGqSSBU6vfroGF8_0>DiOg>W<2*J{*MmfHh#0~-
zo^+c|@T1wjoxS1
zhN}&ROW_l+jip7;iWpj6ZRJ$$aEefh@_gZ{+S-tET~ANXQGt6MYxkJL^bxOjRoOKE
z)zU>|*MCW`G~5JKR2L`X&h)Od)L4IVxS2nN`IGLA`Czd9a$P>@duF`)SB2v!ngK92
znsg8UjUp+ZjgvtBb$p~2BvN^ea-|qFDNX=L$S!1Jx9{I?XglTXe4^3MFr&b!5=u`J
z%p)LRVoIXlP@V)Uk3!66`Avhdnd*P(Ne4*X5bxHzr(N$mSJ*lXbpl?&vS-gvp6h?q
zaw@2RqNY#|gi8c!l-!u?_h%x%apQ*GS?PQmH>4`nBvo$28VAAqJCk3*y^ZS=t)bc6
zq`BDr_iBg+QA1j$B4s{uhS$3Fn=iBI-)H#Wr?=CIbzW
zI}aPlGtc|=Nh6J%dvbi1ng2jG#fIVb{KmGn1;8s6JKt-Y{<){94ry%b@P?9u&I@)<
zQenr5s|4RkMwOWJk&Au~)-wv*$2u9^H`@9PK?_S8yqTU)*9|CE{rq`^hR=Rmn}kT#
zvcEDZ-82@PsfV?|y@9#ckdQ#GjOJY*u(Bu%@^OklB>?NLyuY_UYoiThD-1o*zTao)
zqZrl9w*a{}Z{BbKk53=yjJP2j08BxL=5t*n-nR$55U3a^8
z?;dV>+;K*Jf|A>8{}}4;BQ04&+(MtKKadKTb+jSSfBAAzqV>r9Kdc}z`xPvPn~RH3
zrOnDIAE88(fM&Ojbq%Y~Kh-wrt+4lCe}883Hz3l7*J%|whEjyGRSIP}PBj|r7bG`@U6#9l{6_8ssWxwQ4}l?xWv>Td&?
zn{*ZlryT(WP6s53jEqEfCSAAA%frJ1n7p%CgoUN+LzD!<`BBKRfZliv9wsjSW_F_Q
zQ(Ya8PLU(RHVP8xjDo0%3VdH}1TD=Ej$yCkWRv>%crp_?qO^U$!8^nyH5Ikr+!`uX
zoaq8IT11pByN|Q~WcM-KGX`LqdLd`T#J;X{6s5Y03I4Srrah`sD?a!
z`V@XkMH&Ubi|;#~rnLY#zyjK%B-Q}{6JR@7At)h|GR6~r$nZf(NFyi&p+*LI8TWYg
z>J?@~K>W}i0aeh14c=1;0$Ewzy^NIt??r5#fxj7p89}$
z03y50eDwmQA#4k>52iZ^Y^ljJ+F88(%54ouZ7fHloXFxgEH4Zg2$Qfaj3Un17E@DG
zYz2_+_-_&n&;bSvt6Cz^Uk8U;P;pct2@9Hb(JeJKH6o%DKp9n{49D4VBy;$@J>U|`
zLQU95m=S^J;`VSOc-)5%AK-v+Lr~dg&z>Q4M*vG=17WHt-pHOicMjl6PL6;Y!AdeR
zGDbQI!;oUZ3>Ov_;70h1^!$G3pMxsS&P$+%z+TtE?LbA*k~=dq1OC1n1o`-JM;Jd`
zd187R?wBhcg(eV?J1bjTMBx_!0iS$DmYTpp&V?U?wIo7Wgss#g5yDV#zYAGLdhi73
z2yg)(w333P0(~Rr>ttV37ZrU4^vA-&5*-tRdT9upBRqU@azN>Of^%RDP}NcV?{uj5
zpJEE7-4+6P0-WAKN7vKaTU2Vl(Vx_LdA^gAn&J>8yUIn-AY2+M;^Lfe+VFRQTy&ZY
zRW1nMamV3Qs4Qfn5e!Mg)5{CpU^BNHj%d>RmsmVIvKjXJ<&_(Xa|3H{%}{%vk0hb}%@gF!~PGC}SU}zD)p*r>}4HidWE!aUwDg+55&uRcMh?ZL;
zR-WC_$qCCZf@%}Ws%B=Rbo}~u_V!r5`nPZ2LOUU_crZzR{iw3uXYRDBN3O@)SSy}Gige@vQ
z-^36gEH+VFUj73p=JfYgTC5U1eF1_!A^1b*fC0mjHK9RU1$Dp$a8CqyfMx`AC``|j
zlflPWv_cy(Ritw3fx42K8dD4d20e}X>d&8A@H(t8mPYRJ5r2pw$j#6(sJCw~8v0a+
z`afhAthx(f)y>JoCpH{42^ItLRiCULK+){=_zrK;%w_01
zjC^aZSZhKk6yfCLgs8*D)~nTdyAb37!NUS>ajfWc-S3_oQKgID%KX94)~{a=lWsh2
z^o1LsA8X9P&R&Ly25kx0fI$2vde3IbofSgqLRR+Pq`%?1&Gh73wsb;dk(Zahc<~Dy
zn!xKIs=#T`FpbbthSdeDAQ02vbPmgp1tX{mXvst`z{XtyvU$xh;o(|fn)ubnEMv8S
zbH0%AjD8C<1S*|ls+HinuYG_JeF+=hkQ^Epr&i(>BYYU_W`1&@8^H$c3}B|+-I)-A07$$%J;RUR;5&MB7B-E~%bh(7
z{S^`CzMIHFE0=j>DI6n!1LZ{=pj(-iT~AObFRZgFmhlcyh^Q<}D*q
zT9n>ebONkfw@yy37T&Y_m=(LQ@FKiMWA6Gh5>g5Z3WP8R_%%OV=eV6Y#s?qMf^CI_
zgd`;;#l&18L@KBnrlw%`XT?}yQ9sWO%+Adr+0D<)6ntVo_8WRfZXkh{3C1feC50Q_
z<@qMD*^F0SS$PsO0?L3k*pY9`%gH$eF#;_cfB<;fU3}fS1E|suEhjd*9gz!ew4IVN
z4GEHlQxyv4xrh_()zv025)|;DnSot@2g1RVxVX4th!EB%?spFDSXe0(tt$X_6{a4mFR
z6yxJA?e*r+pKvh`4-fJI5D4@XD5qxd_?v4t!A#>U#9ti#43kAw8?nbS_c-_w_qOjk
zH83WaJ~rlahfmD!wA~;13iE@28v5i(2LJojW7&bK+6nf^H#92gJ`g9!SELRhIY{gQ-w
zU~X96hMwc)&n*c@$qXKP21C&`gM?`Lqw~toHS0E$vwrRGpV`fSfT$yl@`D(Ga3FuW
zGhx@SvLX2mATG2QyXgEP92a$Uf$(DsGXW;Y4o1Ubfhb;NWm#KU(L)od3gxF+rmNUu
zr;~4Ef~*X|jv$Z#`212w(h${7141L%ojx6L%$noGi4zdQxw*fiyPp8)fYE{Js;eP@
zNr{QQM*2si-^BR%NN2GNFb*;XD;t|MW9(KKAkZEb8c>EH>>}19N8;})?9_zF2i+a&
z$?1DLnA-!;nnkEiAWM&0{7_ZbN6tZ@%k}Z`(d5bDypKXm{>zsyb91ql1i=*|JVG0G
z>4LfW7+e&LGxXs@J2*H-hd}D?PV&7^W?n%}O-+mvO-sDqU6>XPg(Rw$>JoT1B;he=
z>cRDHHoxh!mFgEP3^Gn-MTHRr?ix0!%RxM87hk(0D684;q=|TibVDlk5>`{fyXeN5
zmzPJ#|5!7y62>DmZ;4!ZH3NaG+4R*g04gplI98v8cK?hZf+$r&GAFp?cL{0=w8A0j
zWdM-FrZA&0LaUF$9^~{axx5GVdc?|XGd=VZ8pFRc$c(jX=r|q
z7FZ8_>|9=&W|p{hwU(WWOP2jUbgjS^^m>nh8)C!Jb%Age8X5{H6m;UO@WF!zd3Z+9
z!GNJR7rPW&alQfLg}39R-aFtH@U)7+{S}qjV08PO0_~A;QK|w7*uz~N!Kfyh=*PmKhTu^7Y`ukj&r~w%=5De+b@f(VetHaMec*mjjs-z?ih8*)z%z}Fl*?DsPYIiBquLe2^vN&yq+&K
zS*O_f)7|c&)Z*ZB-DUfk-I+n3{LG4GpCYig?6bA7*y_CptLY$jf3WBkR+mf+tjLc;
z7yeWCAQNO1tP@Xu9=FBocRBWhy4xsHFQOKTmmiupN+s8k!Tt}Me|aS>ck^G-?DuyY
z)d}(#qReAYV(o0|8cxnVc6fk*|pFdybzb9+*E9LLBcZ~A`
zXcQrbCaX`taF2!Uy`z$X#`K?%yg3Bdss3@m@qjr2&_b|&iKRotsTa!!S8%PNh%=wy~MzQEqP)WYh9Ky5pP@g32MZQ<(T!~y#Vs`NcN2#O5X`qhm1Ja
zSiJPJcxkBEd2S&7%^UHo&5r6nNU$32Oz295ULr<`>>S7Hg~G#GM4{$pbs5IZzg;{s
zlLVgRbNlvz!-uPDYa5&QN+ny8L0b4eGNPS(G;J=QBKGOiq9Mw;f5gyVupy5N+A|j?
zXJvi;PnhDPX2xSyWoR4}{NB=y=$N$>dyXRzzM4m7Rj})0m_t#}=@-G+m5d%@5T>N`PxH%V;$!y?&R7f~fPDu)OhGtBOrx!<8
ziX1pyj~*!~W9X;F78#CAL1uvMAwhpQt~|i4s;bHtI!r*p0|Ovjs*7IJFz{W6jdb<&
zR0hzbbRJs|OlnlVmyb`8eZ8l6R9yUE6jorl7-eW^O=!N+QKpAD-RV64T$XKqII~ul
zuUThloE9ymj~~<5D+JBVa93XWv3m_;Ya#FxGWVgkt1+yB?W>L
zYt|lI19Zg8%X|8CsiJS)@4gM!`x}s5%*r3If;ZMThgpWKBS1baP0ga&h~?SZx`%UW
zY;0^PDJcluJ^nX$SF1xVLzSjq;SD2aJtj3+R(!g{@H8euCEevyTv7C?%4%g}&uUT*
z1%kF`rSuZ!YRr~{W9H}pR2P5e1-S`6
z5RVrxl%K}WUPN23xKx3jXEJiiC#X2%mApYAcLA7OfJq`;mS%CvUD)XJGpL*((o0{r
zxXjEAr4pp)+^Z!y&w?^4=J;x^d|15x(ctOk6GI2nl22%~a60Qe;(Qt(zrp=OtkgC!
zNTw|Fb6968X6iMdDb#ImP@aWBg-vR3wD<2W)QTk
zhHw-8+6(5h<9hW+-)=s+$Y%_K;S}qwj$93of8O%?!*0}}ueH1=|6s%I9Ss?YiQGQt
z$DM8aC|EzjNDC_?JcyE!n<5!3>`t^DkeydvM6W}P=)XdmoE+^WVA;RuMUg0E2lyE@1R!xMk=8A>
zXmLE3=m65ovuDqq>95`I0xLsO7w0+BUvM@C@GecIzl>%_Nwm4ORff<@x%4$@Xka5y
zEmEWXqXn;625M^ED_16%`IRf0fCDL5qZYM)1U=Y&cO{8kMKZeY7ZJM$<%j>^!TmqS
zGcs-|pLfvEcqGd<1TrvwED^qKY&?X_u0UP9ICX(xcE)S%rkxMN!i+CjT))0eTHL{N
z7?GK901G4)+3LjNbry8HIW{_f+5=O%B3@z
zmhEpYoO==;&K>w}7w;F;slw1d0>A69w9I2h@dHHwu)@Bc9!P2W1_lQD`jD;;3kwTF
z4*3PFcp!=Z-hf^p#rzgAJ`i98pdYj@2(R4g87I-gJ2wYh?E+B+`~X1@COiD#_jkn^
zEB#No`3Rbiap=LwXb?9`1xABpfZ3sUxueL5AmZ=a*9ZQCgAX;ewKz3khZu3`($`%P
z0#>453dwLpYVDTYZ7^c=8x>6No#RV0ZZuWQHHJb`@i;=*;YpwkYfqh-N;+p_=7YMF
z0_R1I8_LurkS>pCM%`w{H6O1G7N*vq0C`nr1VaCjFBqJ>;pt(Gp37E^k<((`NdgpcS)O*$<5RzSwI4AZ@Jg32
z^ybZ*_tnb8PyamL)3NMz?9D*=8mf4qzP<0yu%;i`GEbM?$vfOWl3W^@xqB+XS;V09
z6r0@<_6_<*TV5PdYl?ztN%bi?=qXniK(gPkor@q3c*d2AALH@!_qRYI0f_PR@IV3U
z3N%?D5N-5m;ZO=rIuk4r4P&&lwEOnO!%ikg+FRehe+rw$=`X|}0e=1@*qtbo{3F*4
zQN-7`1R)Pv4_bhb8zHRZKwp7X6FN*f3VSSP2_*#v2J|2tyZr7pe(SqS5RCde`opIt
zCkefBuuNL6^O1IU&tnwcG@Phh5kwAXttbjW?m;;KD-&_Vg5~M(fyZG#@2Id)ZQBOa
zZ)j{B78t0^DxloUh7P(o@kV^^uuz<4UhqSE)`P5z&6ym8=}~5}Ur!Q4zQmtPza9*xSVC`@g5O@aB@&6a{jg*Dw!w+{bF;vXct3($aIt
zmtltt`J5MKKvPoAr(;34flUXL>n29Xs^-QQ02|>;!xE=$+?k-b49IZ{qZfeC?h+l%
zQcuw=0?dHu1bVpi!`J1|;loY~Gd~EDPVE!!fbyky>Fw#CrrZ(kmsIQ@Qli{;3ZFNe7%&Wx%1iv192^}0X2^-#fu$EA@m+lC*|1Z4Vp
zu-R==VMv;Kd3h?@DF~4eXM^MA7{3ckDxi#3ARdJds`*_Gb+1K9f%4cW$#-PCPHh>b
zUeB-%;m;n511bUxw6yV85}c~6z^KOS)pVprMLDcHgr+UGDSoPr)2^v>Q8ije+h_p*
zmy}wRXW1j2z%ZHiZSfr74wz<@q-RdTX4^`ZX?N-#<;g@N#;Y7>`{V>GBEn-FaA=Ex^ahg8L^`
zx|eUn-q@#|H8tfg{evD_&W;pnX07Mdsg#w@uY2BVCTOUj|E_iya%VfF4Yzt<0f9HubV5pns*#zU?R-V<*pAz-^7N4FG7YK=
zY#e2@Ez>Go98`8EWf#BgZu8J$JaMOYNwBpRSkH&`#jm^
z<*Onj;-qTM^L_khm5}0<_tmZI_YcqsnsLr+Ru%+2e6;l9izHUzzGic3)pL^FkQd&(
zdv`KV(2k6&^#8mp?pJd*7kCV%hvFz7BQwyt7mQN#4Uzfb4Gm(?}0q)*sg>0|Mqv-@aRHl3IdEKN_sRfHsFp_)PFA1?MT`=sKT|^6
z5HTjB#kXT2n++n+r)FdtRd)e(jHRiZ;-H{Y-~#gW(db(Bh<9W_M68&wy#>`g@d^~2;<*FE8_nJZ-
z5NVeQ_$8r@1JqY=D)y!uIeEzs6p`_UKb7s5Go@E=;n208d7FZ=1y0uz(Eh{u3vpcS
zmn{Gr6-R}pckg|wUF6uE^FXd5&e%{*dX{F+qT|zb!;nurI&x>EY8Cg#qqP>K41lJ%
z{*6ks(#4CB>FE{;W+h2f^PjTU<1{72JQLv~f1LD}S0L0dfReus4r&z0Lmq0{QA}vr?R10j6W_T>;$$z5+HOcXIMUaIHg#rA#}^S^Kij@)8?~+
zLe0mPKa4BtnlC8N@0ea)89uMi(8?%~I9+pRbNP^yps#h4VBWNx$xhGw$tNFkZzL!U
zT=Yyv&w)=i!20C$v{`%J&wq@1VdfwWpI*7gy0ti4BFpH~0O2~*toIR8K_@Rw@)=k)gEZe873+_q!GanhzHjn~6
z%a?Jv^!a{~IgY%eUqSK+3m2AaSU!ku3_!ByI>kkWg^N9v%RfjP_`D^E!RY-B1XcNg
zE%r!Txy-b)Xt8`>#L3gAjhkik7&5Z576+43D>Tq>tVHPn3AL}c*C^F*|7Zw10L5gy
zNcah-Il!D~cGzt;01DwC0?-?+j^hu4boQAd6bB^KkKT@+DLCS-Ekb)Yc3J!OW&hwM
zUVy`;h1_Q?#r;{qOT|62t*7rMEYtQ~V(dF;-tL#OHD%E`Yskv_SMa819^#mSeT4wRb++uHC4Pm
z3j4FRqQ??)4Z!Enm2tCx>xeA%9J#C%Nt5t(~^efrwZGDeoq-KY!`^4
z+Q@W@dd&m>y$5c)t`^(6&AZH%lt%ufq}Wz68p+iq9?|YwX(Y+$*FIdet&Hi?-qY(B
z*FP`pK0vCz=554ORIf)~Shg;Y6iKqkxg~(p{)T|!v<2qXOFxWrz&9_5`ib~qi
z)z5B95t^Dh3Xa*jWJ+E9MwbuOvy(idkg#JIyJuTgC}xw*!6$OQ
zR~&jfcvWj=*Nz={U(ILv*6>e#m+7672lZ%|!uRX)GRW#YINM#`%ga#p#7xkq?c(G9
z>|0&>pq!)a7hvB7I!SDFG#|JIY8@AMG_pZ{L24>GrK#
zYeydID2qp>OLqiz=S<$?G78gBmDm_mQ+>92rr*ppxvi0UCnvwqGR}2~QtsWe=cf6{
zG!43fz!azF56vsNqk*m8D>^>DF+%aC=AS!5X+Tn_PzEYB_f#D5^{|`4QJdlO=n-3e
zMdu}YKOTula_9ObE)S8t|%Mp~An0O2-
z4QSYv9RiRD2&f9u6ydZ$U0vO=4XbioI6bRuzJC7B@hL=>F6X2++l0dByYar>qdHP-
zVR7F(Ta>FgrR>gFXa}7Xa4^a_RO8$n^Zb1+gKYQkJ)NVEIyB>pjh-r>_D>!<)S7+&
z+Ow1z$DcC`Q5Q;uud4YzJzk*tFm&lgabwlR10Sa9xNSDRh0f{(i3F_>R`$R>=H11^XeJr6I+QZ(klIQ(haNAZ0#1@Fu!0
ze8gcZ=`608nV*`^^YN)h=hU3jqs9HNLExhqr5p3*C*zZuY5$B|bHW5q0oNS8NfC;p
zF!|MM_sKq_q^FlXE+8pcg4)Nn9H;op`uc==a!uDAZ*Or0D~Pr;m-!eOBWjLY%mZ|x
zsfgYDm4mf)R$ksQcP2=UyS(1MrVUsed%K13(tyCgYo^=VX5+i5b<~+-X0P!YeBx*_
zG|M=j+|Suybe%-DUi;WXNmGGyEMbZ^8fv<+dyn$OFk0$*(ZAPAV+~+E7nZ_U<2r#qm1QOW+)#IlTi2sJ*tWOaQ^V&H(OZ3i!ZKrXF^M-aCnx^
zOlVlx+s>oWKlg5+puk&B(3fDMum8TsQj*i|_V(YIVue3^pmRG%lYuS?G_}>&ub(Yl
z05Qgoc-@B3uF0?_+=P-eluwVsoe5SAo#)K~h&Bj={+)ZDr0mnec|`Q|2u-ZtvgNeG
zXB?}?NpE3wiCd}1P$T_-_d(&fAo}cb(LshX0s#&Ia&mKz7N?=(PXv`lG;h}Q(xm0=
z*InZ`7`eLIz;8>VYcKzIwI;de1FKb3RB&h!`RTT`k>HbEO^&7)Cz`j^Y+W|4Ui8q~
zp0HaWH{HMaV90|q{X4puq@_LU&*}RP-`iH+n{Fdh`K0Zf)gfcGVp*M|yzwv37g%aO
z>AzZZZP4S)uA6GQnKxpV!oRVf+%3Zrw*DKdd06RXP2qm=e9Krj%flj5TzBW9Qrc$B^dZ?*Jhy4}}t?$b3LsrQ$43q+h{FG2+tBo!mP3U{GWmgM>3
zj4EVPRn=_9edGzN30Zx`Uf~DVGnDMCF)Aiz0t&FT?ANdhT-@AV8|muQci>10yLVo0ZhN6aju+uVLOrd%o&mds
zt00u#V=6(}2g6@D!yOCI^%^HhwRI2)TgW$b>@
zRn&Y6j*XbiIUSu&yd;+T=ID(oh(~7}(9bc_l$4QoOWZ)OcRSmsX4&k>Gq)m{It&FBUBAra4}yYzp6wdATn8P>nz?;;W+sw7&t-WDA#7Tc
zxjTXf@1aptq!ROUS(=DI4=Idal=7sOR$+R&f9La|IYIfdvKfwp{2R#V%!EtQ>hJ1!
zgtI%FzqWirU))u)dGZXod2xR80k>;Q(N3?`qhkg*GYqTNu5lKO?y!DjXMBl`f3C{y
z+rE#Re5&zZL02@_+PI>piTj)!x~}5@?u)_$JMNh-V$snDOunzlc7wDdeT$3j2fUv{
zzKqmk+e?~lBnVVpLp*$Zgg4owq%1CfIO62wq`7zE=;X)X2i89~DX$gc&oP-UnY;B~
znJuJdPG;|(ZwFB%S8yzH;qQf2p?`MTY%@!A`_IYAs;a!^uc9ZFZl<}dgtNa4pXGF<
zl4tT=Sya(l*VQt=Jur-}7Ltr@LDKb~KM%8nnAN{PlQrQ$fk1vvj-Yom-r0e&;c&Qk
z!<4$LlW;&eUMtlPF`3ZckDjN?`6YyCQ><2YfAiJ#|BtQj0LQv-`!6XYw-Aw*Ju^}f
zDk~%_*)p=CGRvN2lt@-WLL|z}3Rz`k6d`11?-beV|GDn>eV_mP+|PR)?z^MnlHc_m
z=lNOZVJ?@rEsI;FxA?^E*M&4!2SV96jn9v7TYXvcth)66f3yJAr_GMh3W-PFkdNZm
zJM+_f@ag;P!(X(UVlLJhD46Aay85V|r_Gb%fSlfRjnxS+1!4C=%lM1JZBa))&B=Y+
zJx}9yRomd8yQpA9m=CX6LBU@!6gO?;ZaTW&(9~6MRWR1IKkudaq&zGAjn(E`=T~1_
z#26u6dGIbO-s+_pz#RO@@Gb)&cREadd`RvED#cA_5>N=l{`imiqWaw(71CN^x2sH-
zRqWmO1(=jW(xFto;-AGUSa|+n=RQ0z%S_?u0a+q7q{c(Y7;>~6l;z6m?e&MEfxnLIA{
z%{gw4iv@9l$Fe2#Cd)MHe%hSyGP4kJ|Lk32KQB_o
z6rmX!qZS$y*8HVzT=0(2mB8EId%w{?c@TC`A!Is@_kH~C0nz=kEuh}A&Yhq@-`Iuy
z54%X)0^f;}Bl{0uh?4a5JlAaq!KoDUekzq8T1uop$aVLw3)cqUP_H{%t)W4cxvb;i
zQ5qiJ3NlWXcg9d2#!C^CYEu2>)~{dfz7I~h&s+eJ1zZSL99$$IkwQX3o~^lCD_yxV
z59GTnUgev(%JVZhwq6gFzkQV6_@CbHf4v326o}nkhQcAYtm{u9+kytio5sg>$ja6>
zgek7l`OX~~wLbt;;7cFSXHLKR;99Jkqv-ZN#mQIFPe&|q0gk;8;_JR%&zn1G&THUR
zGyVB?fvF<>5us>r;{vT7HM513YU|SqEPxn34>_|=o%5)E<=@pcdBgAT$EvP=RaZ^d
zz#!18n7U_*mN$Mg665o>vb|lc(SGCi^PYE#`;UBysJq^Cdi=ib&HZT%-mf0KV4S*X
z*?g=+