Spaces:
Runtime error
Runtime error
File size: 9,795 Bytes
105b369 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 |
from typing import Optional, Any, List
import json
try:
from sqlalchemy.dialects import mysql
from sqlalchemy.engine import create_engine, Engine
from sqlalchemy.engine.row import Row
from sqlalchemy.inspection import inspect
from sqlalchemy.orm import Session, sessionmaker
from sqlalchemy.schema import MetaData, Table, Column
from sqlalchemy.sql.expression import text, select
from sqlalchemy.types import DateTime
except ImportError:
raise ImportError("`sqlalchemy` not installed")
from phi.assistant.run import AssistantRun
from phi.storage.assistant.base import AssistantStorage
from phi.utils.log import logger
class S2AssistantStorage(AssistantStorage):
def __init__(
self,
table_name: str,
schema: Optional[str] = "ai",
db_url: Optional[str] = None,
db_engine: Optional[Engine] = None,
):
"""
This class provides assistant storage using a singlestore table.
The following order is used to determine the database connection:
1. Use the db_engine if provided
2. Use the db_url
:param table_name: The name of the table to store assistant runs.
:param schema: The schema to store the table in.
:param db_url: The database URL to connect to.
:param db_engine: The database engine to use.
"""
_engine: Optional[Engine] = db_engine
if _engine is None and db_url is not None:
_engine = create_engine(db_url)
if _engine is None:
raise ValueError("Must provide either db_url or db_engine")
# Database attributes
self.table_name: str = table_name
self.schema: Optional[str] = schema
self.db_url: Optional[str] = db_url
self.db_engine: Engine = _engine
self.metadata: MetaData = MetaData(schema=self.schema)
# Database session
self.Session: sessionmaker[Session] = sessionmaker(bind=self.db_engine)
# Database table for storage
self.table: Table = self.get_table()
def get_table(self) -> Table:
return Table(
self.table_name,
self.metadata,
# Primary key for this run
Column("run_id", mysql.TEXT, primary_key=True),
# Assistant name
Column("name", mysql.TEXT),
# Run name
Column("run_name", mysql.TEXT),
# ID of the user participating in this run
Column("user_id", mysql.TEXT),
# -*- LLM data (name, model, etc.)
Column("llm", mysql.JSON),
# -*- Assistant memory
Column("memory", mysql.JSON),
# Metadata associated with this assistant
Column("assistant_data", mysql.JSON),
# Metadata associated with this run
Column("run_data", mysql.JSON),
# Metadata associated with the user participating in this run
Column("user_data", mysql.JSON),
# Metadata associated with the assistant tasks
Column("task_data", mysql.JSON),
# The timestamp of when this run was created.
Column("created_at", DateTime(timezone=True), server_default=text("now()")),
# The timestamp of when this run was last updated.
Column("updated_at", DateTime(timezone=True), onupdate=text("now()")),
extend_existing=True,
)
def table_exists(self) -> bool:
logger.debug(f"Checking if table exists: {self.table.name}")
try:
return inspect(self.db_engine).has_table(self.table.name, schema=self.schema)
except Exception as e:
logger.error(e)
return False
def create(self) -> None:
if not self.table_exists():
# if self.schema is not None:
# with self.Session() as sess, sess.begin():
# logger.debug(f"Creating schema: {self.schema}")
# sess.execute(text(f"create schema if not exists {self.schema};"))
logger.info(f"Creating table: {self.table_name}")
self.table.create(self.db_engine)
def _read(self, session: Session, run_id: str) -> Optional[Row[Any]]:
stmt = select(self.table).where(self.table.c.run_id == run_id)
try:
return session.execute(stmt).first()
except Exception as e:
logger.debug(e)
# Create table if it does not exist
self.create()
return None
def read(self, run_id: str) -> Optional[AssistantRun]:
with self.Session.begin() as sess:
existing_row: Optional[Row[Any]] = self._read(session=sess, run_id=run_id)
return AssistantRun.model_validate(existing_row) if existing_row is not None else None
def get_all_run_ids(self, user_id: Optional[str] = None) -> List[str]:
run_ids: List[str] = []
try:
with self.Session.begin() as sess:
# get all run_ids for this user
stmt = select(self.table)
if user_id is not None:
stmt = stmt.where(self.table.c.user_id == user_id)
# order by created_at desc
stmt = stmt.order_by(self.table.c.created_at.desc())
# execute query
rows = sess.execute(stmt).fetchall()
for row in rows:
if row is not None and row.run_id is not None:
run_ids.append(row.run_id)
except Exception:
logger.debug(f"Table does not exist: {self.table.name}")
return run_ids
def get_all_runs(self, user_id: Optional[str] = None) -> List[AssistantRun]:
runs: List[AssistantRun] = []
try:
with self.Session.begin() as sess:
# get all runs for this user
stmt = select(self.table)
if user_id is not None:
stmt = stmt.where(self.table.c.user_id == user_id)
# order by created_at desc
stmt = stmt.order_by(self.table.c.created_at.desc())
# execute query
rows = sess.execute(stmt).fetchall()
for row in rows:
if row.run_id is not None:
runs.append(AssistantRun.model_validate(row))
except Exception:
logger.debug(f"Table does not exist: {self.table.name}")
return runs
def upsert(self, row: AssistantRun) -> Optional[AssistantRun]:
"""
Create a new assistant run if it does not exist, otherwise update the existing assistant.
"""
with self.Session.begin() as sess:
# Create an insert statement using SingleStore's ON DUPLICATE KEY UPDATE syntax
upsert_sql = text(
f"""
INSERT INTO {self.schema}.{self.table_name}
(run_id, name, run_name, user_id, llm, memory, assistant_data, run_data, user_data, task_data)
VALUES
(:run_id, :name, :run_name, :user_id, :llm, :memory, :assistant_data, :run_data, :user_data, :task_data)
ON DUPLICATE KEY UPDATE
name = VALUES(name),
run_name = VALUES(run_name),
user_id = VALUES(user_id),
llm = VALUES(llm),
memory = VALUES(memory),
assistant_data = VALUES(assistant_data),
run_data = VALUES(run_data),
user_data = VALUES(user_data),
task_data = VALUES(task_data);
"""
)
try:
sess.execute(
upsert_sql,
{
"run_id": row.run_id,
"name": row.name,
"run_name": row.run_name,
"user_id": row.user_id,
"llm": json.dumps(row.llm) if row.llm is not None else None,
"memory": json.dumps(row.memory) if row.memory is not None else None,
"assistant_data": json.dumps(row.assistant_data) if row.assistant_data is not None else None,
"run_data": json.dumps(row.run_data) if row.run_data is not None else None,
"user_data": json.dumps(row.user_data) if row.user_data is not None else None,
"task_data": json.dumps(row.task_data) if row.task_data is not None else None,
},
)
except Exception:
# Create table and try again
self.create()
sess.execute(
upsert_sql,
{
"run_id": row.run_id,
"name": row.name,
"run_name": row.run_name,
"user_id": row.user_id,
"llm": json.dumps(row.llm) if row.llm is not None else None,
"memory": json.dumps(row.memory) if row.memory is not None else None,
"assistant_data": json.dumps(row.assistant_data) if row.assistant_data is not None else None,
"run_data": json.dumps(row.run_data) if row.run_data is not None else None,
"user_data": json.dumps(row.user_data) if row.user_data is not None else None,
"task_data": json.dumps(row.task_data) if row.task_data is not None else None,
},
)
return self.read(run_id=row.run_id)
def delete(self) -> None:
if self.table_exists():
logger.info(f"Deleting table: {self.table_name}")
self.table.drop(self.db_engine)
|