letta-nightly 0.6.2.dev20241211031658__py3-none-any.whl → 0.6.3.dev20241211104238__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.

Potentially problematic release.


This version of letta-nightly might be problematic. Click here for more details.

letta/__init__.py CHANGED
@@ -1,4 +1,4 @@
1
- __version__ = "0.6.2"
1
+ __version__ = "0.6.3"
2
2
 
3
3
  # import clients
4
4
  from letta.client.client import LocalClient, RESTClient, create_client
letta/schemas/message.py CHANGED
@@ -4,7 +4,7 @@ import warnings
4
4
  from datetime import datetime, timezone
5
5
  from typing import List, Literal, Optional
6
6
 
7
- from pydantic import Field, field_validator
7
+ from pydantic import BaseModel, Field, field_validator
8
8
 
9
9
  from letta.constants import (
10
10
  DEFAULT_MESSAGE_TOOL,
@@ -54,7 +54,7 @@ class BaseMessage(OrmMetadataBase):
54
54
  __id_prefix__ = "message"
55
55
 
56
56
 
57
- class MessageCreate(BaseMessage):
57
+ class MessageCreate(BaseModel):
58
58
  """Request to create a message"""
59
59
 
60
60
  # In the simplified format, only allow simple roles
@@ -66,7 +66,7 @@ class MessageCreate(BaseMessage):
66
66
  name: Optional[str] = Field(None, description="The name of the participant.")
67
67
 
68
68
 
69
- class MessageUpdate(BaseMessage):
69
+ class MessageUpdate(BaseModel):
70
70
  """Request to update a message"""
71
71
 
72
72
  role: Optional[MessageRole] = Field(None, description="The role of the participant.")
letta/server/server.py CHANGED
@@ -156,6 +156,11 @@ class Server(object):
156
156
  raise NotImplementedError
157
157
 
158
158
 
159
+ from contextlib import contextmanager
160
+
161
+ from rich.console import Console
162
+ from rich.panel import Panel
163
+ from rich.text import Text
159
164
  from sqlalchemy import create_engine
160
165
  from sqlalchemy.orm import sessionmaker
161
166
 
@@ -166,6 +171,37 @@ from letta.settings import model_settings, settings, tool_settings
166
171
 
167
172
  config = LettaConfig.load()
168
173
 
174
+
175
+ def print_sqlite_schema_error():
176
+ """Print a formatted error message for SQLite schema issues"""
177
+ console = Console()
178
+ error_text = Text()
179
+ error_text.append("Existing SQLite DB schema is invalid, and schema migrations are not supported for SQLite. ", style="bold red")
180
+ error_text.append("To have migrations supported between Letta versions, please run Letta with Docker (", style="white")
181
+ error_text.append("https://docs.letta.com/server/docker", style="blue underline")
182
+ error_text.append(") or use Postgres by setting ", style="white")
183
+ error_text.append("LETTA_PG_URI", style="yellow")
184
+ error_text.append(".\n\n", style="white")
185
+ error_text.append("If you wish to keep using SQLite, you can reset your database by removing the DB file with ", style="white")
186
+ error_text.append("rm ~/.letta/sqlite.db", style="yellow")
187
+ error_text.append(" or downgrade to your previous version of Letta.", style="white")
188
+
189
+ console.print(Panel(error_text, border_style="red"))
190
+
191
+
192
+ @contextmanager
193
+ def db_error_handler():
194
+ """Context manager for handling database errors"""
195
+ try:
196
+ yield
197
+ except Exception as e:
198
+ # Handle other SQLAlchemy errors
199
+ print(e)
200
+ print_sqlite_schema_error()
201
+ # raise ValueError(f"SQLite DB error: {str(e)}")
202
+ exit(1)
203
+
204
+
169
205
  if settings.letta_pg_uri_no_default:
170
206
  config.recall_storage_type = "postgres"
171
207
  config.recall_storage_uri = settings.letta_pg_uri_no_default
@@ -178,6 +214,30 @@ else:
178
214
  # TODO: don't rely on config storage
179
215
  engine = create_engine("sqlite:///" + os.path.join(config.recall_storage_path, "sqlite.db"))
180
216
 
217
+ # Store the original connect method
218
+ original_connect = engine.connect
219
+
220
+ def wrapped_connect(*args, **kwargs):
221
+ with db_error_handler():
222
+ # Get the connection
223
+ connection = original_connect(*args, **kwargs)
224
+
225
+ # Store the original execution method
226
+ original_execute = connection.execute
227
+
228
+ # Wrap the execute method of the connection
229
+ def wrapped_execute(*args, **kwargs):
230
+ with db_error_handler():
231
+ return original_execute(*args, **kwargs)
232
+
233
+ # Replace the connection's execute method
234
+ connection.execute = wrapped_execute
235
+
236
+ return connection
237
+
238
+ # Replace the engine's connect method
239
+ engine.connect = wrapped_connect
240
+
181
241
  Base.metadata.create_all(bind=engine)
182
242
 
183
243
  SessionLocal = sessionmaker(autocommit=False, autoflush=False, bind=engine)
@@ -379,7 +439,9 @@ class SyncServer(Server):
379
439
  if agent_state.agent_type == AgentType.memgpt_agent:
380
440
  agent = Agent(agent_state=agent_state, interface=interface, user=actor, initial_message_sequence=initial_message_sequence)
381
441
  elif agent_state.agent_type == AgentType.offline_memory_agent:
382
- agent = OfflineMemoryAgent(agent_state=agent_state, interface=interface, user=actor, initial_message_sequence=initial_message_sequence)
442
+ agent = OfflineMemoryAgent(
443
+ agent_state=agent_state, interface=interface, user=actor, initial_message_sequence=initial_message_sequence
444
+ )
383
445
  else:
384
446
  assert initial_message_sequence is None, f"Initial message sequence is not supported for O1Agents"
385
447
  agent = O1Agent(agent_state=agent_state, interface=interface, user=actor)
@@ -500,8 +562,8 @@ class SyncServer(Server):
500
562
  letta_agent.attach_source(
501
563
  user=self.user_manager.get_user_by_id(user_id=user_id),
502
564
  source_id=data_source,
503
- source_manager=letta_agent.source_manager,
504
- ms=self.ms
565
+ source_manager=letta_agent.source_manager,
566
+ ms=self.ms,
505
567
  )
506
568
 
507
569
  elif command.lower() == "dump" or command.lower().startswith("dump "):
@@ -1267,7 +1329,10 @@ class SyncServer(Server):
1267
1329
 
1268
1330
  # iterate over records
1269
1331
  records = letta_agent.passage_manager.list_passages(
1270
- actor=self.default_user, agent_id=agent_id, cursor=cursor, limit=limit,
1332
+ actor=self.default_user,
1333
+ agent_id=agent_id,
1334
+ cursor=cursor,
1335
+ limit=limit,
1271
1336
  )
1272
1337
  return records
1273
1338
 
@@ -1914,7 +1979,7 @@ class SyncServer(Server):
1914
1979
  date=get_utc_time(),
1915
1980
  status="error",
1916
1981
  function_return=error_msg,
1917
- stdout=[''],
1982
+ stdout=[""],
1918
1983
  stderr=[traceback.format_exc()],
1919
1984
  )
1920
1985
 
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.1
2
2
  Name: letta-nightly
3
- Version: 0.6.2.dev20241211031658
3
+ Version: 0.6.3.dev20241211104238
4
4
  Summary: Create LLM agents with long-term memory and custom tools
5
5
  License: Apache License
6
6
  Author: Letta Team
@@ -66,6 +66,7 @@ Requires-Dist: pytz (>=2023.3.post1,<2024.0)
66
66
  Requires-Dist: pyyaml (>=6.0.1,<7.0.0)
67
67
  Requires-Dist: qdrant-client (>=1.9.1,<2.0.0) ; extra == "qdrant"
68
68
  Requires-Dist: questionary (>=2.0.1,<3.0.0)
69
+ Requires-Dist: rich (>=13.9.4,<14.0.0)
69
70
  Requires-Dist: sentry-sdk[fastapi] (==2.19.1)
70
71
  Requires-Dist: setuptools (>=68.2.2,<69.0.0)
71
72
  Requires-Dist: sqlalchemy (>=2.0.25,<3.0.0)
@@ -90,9 +91,21 @@ Description-Content-Type: text/markdown
90
91
  <div align="center">
91
92
  <h1>Letta (previously MemGPT)</h1>
92
93
 
94
+ **☄️ New release: Letta Agent Development Environment (_read more [here](#-access-the-letta-ade-agent-development-environment)_) ☄️**
95
+
96
+ <p align="center">
97
+ <picture>
98
+ <source media="(prefers-color-scheme: dark)" srcset="assets/example_ade_screenshot.png">
99
+ <source media="(prefers-color-scheme: light)" srcset="assets/example_ade_screenshot_light.png">
100
+ <img alt="Letta logo" src="assets/example_ade_screenshot.png" width="800">
101
+ </picture>
102
+ </p>
103
+
104
+ ---
105
+
93
106
  <h3>
94
107
 
95
- [Homepage](https://letta.com) // [Documentation](https://docs.letta.com) // [Letta Cloud](https://forms.letta.com/early-access)
108
+ [Homepage](https://letta.com) // [Documentation](https://docs.letta.com) // [ADE](https://app.letta.com) // [Letta Cloud](https://forms.letta.com/early-access)
96
109
 
97
110
  </h3>
98
111
 
@@ -104,24 +117,181 @@ Description-Content-Type: text/markdown
104
117
 
105
118
  [![Apache 2.0](https://img.shields.io/badge/License-Apache%202.0-silver?style=flat-square)](LICENSE)
106
119
  [![Release](https://img.shields.io/github/v/release/cpacker/MemGPT?style=flat-square&label=Release&color=limegreen)](https://github.com/cpacker/MemGPT/releases)
120
+ [![Docker](https://img.shields.io/docker/v/letta/letta?style=flat-square&logo=docker&label=Docker&color=0db7ed)](https://hub.docker.com/r/letta/letta)
107
121
  [![GitHub](https://img.shields.io/github/stars/cpacker/MemGPT?style=flat-square&logo=github&label=Stars&color=gold)](https://github.com/cpacker/MemGPT)
108
122
 
109
123
  <a href="https://trendshift.io/repositories/3612" target="_blank"><img src="https://trendshift.io/api/badge/repositories/3612" alt="cpacker%2FMemGPT | Trendshift" style="width: 250px; height: 55px;" width="250" height="55"/></a>
110
124
 
111
125
  </div>
112
126
 
113
- > [!NOTE]
127
+ > [!IMPORTANT]
114
128
  > **Looking for MemGPT?** You're in the right place!
115
129
  >
116
- > The MemGPT package and Docker image have been renamed to `letta` to clarify the distinction between MemGPT agents and the API server / runtime that runs LLM agents as *services*.
117
- >
118
- > You use the **Letta _framework_** to create **MemGPT _agents_**. Read more about the relationship between MemGPT and Letta [here](https://www.letta.com/blog/memgpt-and-letta).
130
+ > The MemGPT package and Docker image have been renamed to `letta` to clarify the distinction between MemGPT *agents* and the Letta API *server* / *runtime* that runs LLM agents as *services*. Read more about the relationship between MemGPT and Letta [here](https://www.letta.com/blog/memgpt-and-letta).
131
+
132
+ ---
119
133
 
120
134
  ## ⚡ Quickstart
121
135
 
122
- The two main ways to install Letta are through **pypi** (`pip`) or via **Docker**:
123
- * **`pip`** (guide below) - the easiest way to try Letta, will default to using SQLite and ChromaDB for the database backends
124
- * **Docker** (guide [here](https://docs.letta.com/install#run-letta-with-docker)) - recommended for production settings, will default to using Postgres (+ pgvector) for the database backend
136
+ _The recommended way to use Letta is to run use Docker. To install Docker, see [Docker's installation guide](https://docs.docker.com/get-docker/). For issues with installing Docker, see [Docker's troubleshooting guide](https://docs.docker.com/desktop/troubleshoot-and-support/troubleshoot/). You can also install Letta using `pip` (see guide [below](#-quickstart-pip))._
137
+
138
+ ### 🌖 Run the Letta server
139
+
140
+ > [!NOTE]
141
+ > Letta agents live inside the Letta server, which persists them to a database. You can interact with the Letta agents inside your Letta server via the [REST API](https://docs.letta.com/api-reference) + Python / Typescript SDKs, and the [Agent Development Environment](https://app.letta.com) (a graphical interface).
142
+
143
+ The Letta server can be connected to various LLM API backends ([OpenAI](https://docs.letta.com/models/openai), [Anthropic](https://docs.letta.com/models/anthropic), [vLLM](https://docs.letta.com/models/vllm), [Ollama](https://docs.letta.com/models/ollama), etc.). To enable access to these LLM API providers, set the appropriate environment variables when you use `docker run`:
144
+ ```sh
145
+ # replace `~/.letta/.persist/pgdata` with wherever you want to store your agent data
146
+ docker run \
147
+ -v ~/.letta/.persist/pgdata:/var/lib/postgresql/data \
148
+ -p 8283:8283 \
149
+ -e OPENAI_API_KEY="your_openai_api_key" \
150
+ letta/letta:latest
151
+ ```
152
+
153
+ If you have many different LLM API keys, you can also set up a `.env` file instead and pass that to `docker run`:
154
+ ```sh
155
+ # using a .env file instead of passing environment variables
156
+ docker run \
157
+ -v ~/.letta/.persist/pgdata:/var/lib/postgresql/data \
158
+ -p 8283:8283 \
159
+ --env-file .env \
160
+ letta/letta:latest
161
+ ```
162
+
163
+ Once the Letta server is running, you can access it via port `8283` (e.g. sending REST API requests to `http://localhost:8283/v1`). You can also connect your server to the Letta ADE to access and manage your agents in a web interface.
164
+
165
+ ### 👾 Access the [Letta ADE (Agent Development Environment)](https://app.letta.com)
166
+
167
+ > [!NOTE]
168
+ > The Letta ADE is a graphical user interface for creating, deploying, interacting and observing with your Letta agents.
169
+ >
170
+ > For example, if you're running a Letta server to power an end-user application (such as a customer support chatbot), you can use the ADE to test, debug, and observe the agents in your server. You can also use the ADE as a general chat interface to interacting with your Letta agents.
171
+
172
+ <p align="center">
173
+ <picture>
174
+ <source media="(prefers-color-scheme: dark)" srcset="assets/example_ade_screenshot.png">
175
+ <source media="(prefers-color-scheme: light)" srcset="assets/example_ade_screenshot_light.png">
176
+ <img alt="Letta logo" src="assets/example_ade_screenshot.png" width="800">
177
+ </picture>
178
+ </p>
179
+
180
+ The ADE can connect to self-hosted Letta servers (e.g. a Letta server running on your laptop), as well as the Letta Cloud service. When connected to a self-hosted / private server, the ADE uses the Letta REST API to communicate with your server.
181
+
182
+ #### 🖥️ Connecting the ADE to your local Letta server
183
+ To connect the ADE with your local Letta server, simply:
184
+ 1. Start your Letta server (`docker run ...`)
185
+ 2. Visit [https://app.letta.com](https://app.letta.com) and you will see "Local server" as an option in the left panel
186
+
187
+ <p align="center">
188
+ <picture>
189
+ <source media="(prefers-color-scheme: dark)" srcset="assets/example_ade_screenshot_agents.png">
190
+ <source media="(prefers-color-scheme: light)" srcset="assets/example_ade_screenshot_agents_light.png">
191
+ <img alt="Letta logo" src="assets/example_ade_screenshot_agents.png" width="800">
192
+ </picture>
193
+ </p>
194
+
195
+ 🔐 To password protect your server, include `SECURE=true` and `LETTA_SERVER_PASSWORD=yourpassword` in your `docker run` command:
196
+ ```sh
197
+ # If LETTA_SERVER_PASSWORD isn't set, the server will autogenerate a password
198
+ docker run \
199
+ -v ~/.letta/.persist/pgdata:/var/lib/postgresql/data \
200
+ -p 8283:8283 \
201
+ --env-file .env \
202
+ -e SECURE=true \
203
+ -e LETTA_SERVER_PASSWORD=yourpassword \
204
+ letta/letta:latest
205
+ ```
206
+
207
+ #### 🌐 Connecting the ADE to an external (self-hosted) Letta server
208
+ If your Letta server isn't running on `localhost` (for example, you deployed it on an external service like EC2):
209
+ 1. Click "Add remote server"
210
+ 2. Enter your desired server name, the IP address of the server, and the server password (if set)
211
+
212
+ ---
213
+
214
+ ## 🧑‍🚀 Frequently asked questions (FAQ)
215
+
216
+ > _"Do I need to install Docker to use Letta?"_
217
+
218
+ No, you can install Letta using `pip` (via `pip install -U letta`), as well as from source (via `poetry install`). See instructions below.
219
+
220
+ > _"How do I use the ADE locally?"_
221
+
222
+ To connect the ADE to your local Letta server, simply run your Letta server (make sure you can access `localhost:8283`) and go to [https://app.letta.com](https://app.letta.com). If you would like to use the old version of the ADE (that runs on `localhost`), downgrade to Letta version `<=0.5.0`.
223
+
224
+ > _"If I connect the ADE to my local server, does my agent data get uploaded to letta.com?"_
225
+
226
+ No, the data in your Letta server database stays on your machine. The Letta ADE web application simply connects to your local Letta server (via the REST API) and provides a graphical interface on top of it to visualize your local Letta data in your browser's local state.
227
+
228
+ > _"Do I have to use your ADE? Can I build my own?"_
229
+
230
+ The ADE is built on top of the (fully open source) Letta server and Letta Agents API. You can build your own application like the ADE on top of the REST API (view the documention [here](https://docs.letta.com/api-reference)).
231
+
232
+ > _"Can I interact with Letta agents via the CLI?"_
233
+
234
+ The recommended way to use Letta is via the REST API and ADE, however you can also access your agents via the CLI.
235
+
236
+ <details>
237
+ <summary>View instructions for running the Letta CLI</summary>
238
+
239
+ You can chat with your agents via the Letta CLI tool (`letta run`). If you have a Letta Docker container running, you can use `docker exec` to run the Letta CLI inside the container:
240
+ ```sh
241
+ # replace `<letta_container_id>` with the ID of your Letta container, found via `docker ps`
242
+ docker exec -it <letta_container_id> letta run
243
+ ```
244
+
245
+ You can also use `docker ps` within the command to automatically find the ID of your Letta container:
246
+ ```
247
+ docker exec -it $(docker ps -q -f ancestor=letta/letta) letta run
248
+ ```
249
+
250
+ In the CLI tool, you'll be able to create new agents, or load existing agents:
251
+ ```
252
+ 🧬 Creating new agent...
253
+ ? Select LLM model: letta-free [type=openai] [ip=https://inference.memgpt.ai]
254
+ ? Select embedding model: letta-free [type=hugging-face] [ip=https://embeddings.memgpt.ai]
255
+ -> 🤖 Using persona profile: 'sam_pov'
256
+ -> 🧑 Using human profile: 'basic'
257
+ -> 🛠️ 8 tools: send_message, pause_heartbeats, conversation_search, conversation_search_date, archival_memory_insert, archival_memory_search, core_memory_append, core_memory_replace
258
+
259
+ 🎉 Created new agent 'InspiringSpinach'
260
+
261
+ Hit enter to begin (will request first Letta message)
262
+
263
+ 💭 User engaged. Recognize as Chad. Acknowledge presence and establish connection. Explore interests and engage in meaningful discourse.
264
+ 🤖 Hello, Chad. It's nice to meet you. I am keen on learning and exploring new ideas and concepts. Is there a specific topic you'd like to discuss today?
265
+
266
+ > Enter your message: my name is Brad, not Chad...
267
+
268
+ 💭 A discrepancy in identity. Reflect this change in core memory. Apologize for the oversight, and rectify the error.
269
+ ⚡🧠 [function] updating memory with core_memory_replace
270
+ First name: Chad
271
+ → First name: Brad
272
+ 💭 Apologize for the mistake in recognizing his name, and begin the conversation anew, addressing him by the correct name this time.
273
+ 🤖 I apologize for the oversight, Brad. Let's restart. It's a pleasure to meet you, Brad. Is there a specific topic you'd like to discuss today?
274
+
275
+ > Enter your message:
276
+ ```
277
+ </details>
278
+
279
+ ---
280
+
281
+ ## ⚡ Quickstart (pip)
282
+
283
+ > [!WARNING]
284
+ > **Database migrations are not officially support with `SQLite`**
285
+ >
286
+ > When you install Letta with `pip`, the default database backend is `SQLite` (you can still use an external `postgres` service with your `pip` install of Letta by setting `LETTA_PG_URI`).
287
+ >
288
+ > We do not officially support migrations between Letta versions with `SQLite` backends, only `postgres`. If you would like to keep your agent data across multiple Letta versions we highly recommend using the Docker install method which is the easiest way to use `postgres` with Letta.
289
+
290
+ <details>
291
+
292
+ <summary>View instructions for installing with pip</summary>
293
+
294
+ You can also install Letta with `pip`, will default to using `SQLite` for the database backends (whereas Docker will default to using `postgres`).
125
295
 
126
296
  ### Step 1 - Install Letta using `pip`
127
297
  ```sh
@@ -185,11 +355,9 @@ INFO: Waiting for application startup.
185
355
  INFO: Application startup complete.
186
356
  INFO: Uvicorn running on http://localhost:8283 (Press CTRL+C to quit)
187
357
  ```
358
+ </details>
188
359
 
189
- When you start the Letta API server, the ADE (Agent Development Environment) will be available on `http://localhost:8283`:
190
- <img alt="Screenshot of the Letta ADE (Agent Development Environment)" src="assets/letta_ade_screenshot.png" width="1600">
191
-
192
- In Letta, all agents are stored/persisted in the same database, so the agents you create in the CLI are accessible via the API and ADE, and vice versa. Check out the [quickstart guide on our docs](https://docs.letta.com/quickstart) for a tutorial where you create an agent in the Letta CLI and message the same agent via the Letta API.
360
+ ---
193
361
 
194
362
  ## 🤗 How to contribute
195
363
 
@@ -1,4 +1,4 @@
1
- letta/__init__.py,sha256=S2_Nsg1zpIrParZLJeOiVVM0JlAKG9zxlIi_-KMBkmI,1035
1
+ letta/__init__.py,sha256=XzSCdK-rlcvOAsPJarW8Ri5qelGVdpX237ds-yjHniY,1035
2
2
  letta/__main__.py,sha256=6Hs2PV7EYc5Tid4g4OtcLXhqVHiNYTGzSBdoOnW2HXA,29
3
3
  letta/agent.py,sha256=D4staw-NnTzsG31kV7cvb7fvLIpkeZii1rXsQIRPC0s,78058
4
4
  letta/agent_store/db.py,sha256=Rzgodcr-eT6DXnFr5bt4psiVpeH0Gy1BS16Ethf2CHw,19016
@@ -154,7 +154,7 @@ letta/schemas/letta_request.py,sha256=Hfb66FB1tXmrpEX4_yLQVfTrTSMbPYeEvZY-vqW9Tj
154
154
  letta/schemas/letta_response.py,sha256=vQV5uqe-kq9fc4wCo-sVB_PJt5yUk8DB2zOgHsrmN-k,6189
155
155
  letta/schemas/llm_config.py,sha256=RbgnCaqYd_yl-Xs7t-DEI1NhpKD8WiVWjxcwq5mZd5M,4467
156
156
  letta/schemas/memory.py,sha256=80Y7gqWQQndhNkJ-0j38d2m619gTlfes_qJNA6_ant8,10040
157
- letta/schemas/message.py,sha256=GFuHcfPU5kgRXgu70osF9H03Mv0JcO5nbURTYR3XXDg,34154
157
+ letta/schemas/message.py,sha256=QF6OrCVfh5ETo-KJ2KZpleAuvisBIMMsIL3uH6h_kMM,34161
158
158
  letta/schemas/openai/chat_completion_request.py,sha256=AOIwgbN3CZKVqkuXeMHeSa53u4h0wVq69t3T_LJ0vIE,3389
159
159
  letta/schemas/openai/chat_completion_response.py,sha256=ub-oVSyLpuJd-5_yzCSIRR8tD3GM83IeDO1c1uAATa4,3970
160
160
  letta/schemas/openai/chat_completions.py,sha256=V0ZPIIk-ds3O6MAkNHMz8zh1hqMFSPrTcYr88WDYzWE,3588
@@ -199,7 +199,7 @@ letta/server/rest_api/routers/v1/tools.py,sha256=ajYUo_cgUBDfm4Ja_EufxSdhBWoAb5N
199
199
  letta/server/rest_api/routers/v1/users.py,sha256=M1wEr2IyHzuRwINYxLXTkrbAH3osLe_cWjzrWrzR1aw,3729
200
200
  letta/server/rest_api/static_files.py,sha256=NG8sN4Z5EJ8JVQdj19tkFa9iQ1kBPTab9f_CUxd_u4Q,3143
201
201
  letta/server/rest_api/utils.py,sha256=6Z0T0kHIwDAgTIFh38Q1JQ_nhANgdqXcSlsuY41pL6M,3158
202
- letta/server/server.py,sha256=FrZy8eM0dC-9q5mrpoCFB8eXdAsxXInjHoOQNvP76Us,83300
202
+ letta/server/server.py,sha256=H6TxXsh7Bahgn-8Jf9iLnkbeL3G8Y8U0tetc4D_1lIQ,85587
203
203
  letta/server/startup.sh,sha256=722uKJWB2C4q3vjn39De2zzPacaZNw_1fN1SpLGjKIo,1569
204
204
  letta/server/static_files/assets/index-048c9598.js,sha256=mR16XppvselwKCcNgONs4L7kZEVa4OEERm4lNZYtLSk,146819
205
205
  letta/server/static_files/assets/index-0e31b727.css,sha256=DjG3J3RSFLcinzoisOYYLiyTAIe5Uaxge3HE-DmQIsU,7688
@@ -233,8 +233,8 @@ letta/streaming_interface.py,sha256=_FPUWy58j50evHcpXyd7zB1wWqeCc71NCFeWh_TBvnw,
233
233
  letta/streaming_utils.py,sha256=329fsvj1ZN0r0LpQtmMPZ2vSxkDBIUUwvGHZFkjm2I8,11745
234
234
  letta/system.py,sha256=buKYPqG5n2x41hVmWpu6JUpyd7vTWED9Km2_M7dLrvk,6960
235
235
  letta/utils.py,sha256=L8c6S77gyMYFgVP6ncGRaNbGjWtg6BOU_whI1vjt9Ts,32915
236
- letta_nightly-0.6.2.dev20241211031658.dist-info/LICENSE,sha256=mExtuZ_GYJgDEI38GWdiEYZizZS4KkVt2SF1g_GPNhI,10759
237
- letta_nightly-0.6.2.dev20241211031658.dist-info/METADATA,sha256=xG8Iw6NE0rq7sAO3scI-MD8XpG2u280xVoGmWVeoZxU,11212
238
- letta_nightly-0.6.2.dev20241211031658.dist-info/WHEEL,sha256=FMvqSimYX_P7y0a7UY-_Mc83r5zkBZsCYPm7Lr0Bsq4,88
239
- letta_nightly-0.6.2.dev20241211031658.dist-info/entry_points.txt,sha256=2zdiyGNEZGV5oYBuS-y2nAAgjDgcC9yM_mHJBFSRt5U,40
240
- letta_nightly-0.6.2.dev20241211031658.dist-info/RECORD,,
236
+ letta_nightly-0.6.3.dev20241211104238.dist-info/LICENSE,sha256=mExtuZ_GYJgDEI38GWdiEYZizZS4KkVt2SF1g_GPNhI,10759
237
+ letta_nightly-0.6.3.dev20241211104238.dist-info/METADATA,sha256=OzyQk10br4NZoCh6A9oPl4_JKTjAt0P_Ws3-o56VDo0,19560
238
+ letta_nightly-0.6.3.dev20241211104238.dist-info/WHEEL,sha256=FMvqSimYX_P7y0a7UY-_Mc83r5zkBZsCYPm7Lr0Bsq4,88
239
+ letta_nightly-0.6.3.dev20241211104238.dist-info/entry_points.txt,sha256=2zdiyGNEZGV5oYBuS-y2nAAgjDgcC9yM_mHJBFSRt5U,40
240
+ letta_nightly-0.6.3.dev20241211104238.dist-info/RECORD,,