Spaces:
Running
Running
File size: 8,171 Bytes
287a0bc |
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 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 |
use async_trait::async_trait;
use uuid::Uuid;
use crate::chroma_proto;
use crate::config::{Configurable, WorkerConfig};
use crate::types::{CollectionConversionError, SegmentConversionError};
use crate::{
chroma_proto::sys_db_client,
errors::{ChromaError, ErrorCodes},
types::{Collection, Segment, SegmentScope},
};
use thiserror::Error;
use super::config::SysDbConfig;
const DEFAULT_DATBASE: &str = "default_database";
const DEFAULT_TENANT: &str = "default_tenant";
#[async_trait]
pub(crate) trait SysDb: Send + Sync + SysDbClone {
async fn get_collections(
&mut self,
collection_id: Option<Uuid>,
topic: Option<String>,
name: Option<String>,
tenant: Option<String>,
database: Option<String>,
) -> Result<Vec<Collection>, GetCollectionsError>;
async fn get_segments(
&mut self,
id: Option<Uuid>,
r#type: Option<String>,
scope: Option<SegmentScope>,
topic: Option<String>,
collection: Option<Uuid>,
) -> Result<Vec<Segment>, GetSegmentsError>;
}
// We'd like to be able to clone the trait object, so we need to use the
// "clone box" pattern. See https://stackoverflow.com/questions/30353462/how-to-clone-a-struct-storing-a-boxed-trait-object#comment48814207_30353928
// https://chat.openai.com/share/b3eae92f-0b80-446f-b79d-6287762a2420
pub(crate) trait SysDbClone {
fn clone_box(&self) -> Box<dyn SysDb>;
}
impl<T> SysDbClone for T
where
T: 'static + SysDb + Clone,
{
fn clone_box(&self) -> Box<dyn SysDb> {
Box::new(self.clone())
}
}
impl Clone for Box<dyn SysDb> {
fn clone(&self) -> Box<dyn SysDb> {
self.clone_box()
}
}
#[derive(Clone)]
// Since this uses tonic transport channel, cloning is cheap. Each client only supports
// one inflight request at a time, so we need to clone the client for each requester.
pub(crate) struct GrpcSysDb {
client: sys_db_client::SysDbClient<tonic::transport::Channel>,
}
#[derive(Error, Debug)]
pub(crate) enum GrpcSysDbError {
#[error("Failed to connect to sysdb")]
FailedToConnect(#[from] tonic::transport::Error),
}
impl ChromaError for GrpcSysDbError {
fn code(&self) -> ErrorCodes {
match self {
GrpcSysDbError::FailedToConnect(_) => ErrorCodes::Internal,
}
}
}
#[async_trait]
impl Configurable for GrpcSysDb {
async fn try_from_config(worker_config: &WorkerConfig) -> Result<Self, Box<dyn ChromaError>> {
match &worker_config.sysdb {
SysDbConfig::Grpc(my_config) => {
let host = &my_config.host;
let port = &my_config.port;
println!("Connecting to sysdb at {}:{}", host, port);
let connection_string = format!("http://{}:{}", host, port);
let client = sys_db_client::SysDbClient::connect(connection_string).await;
match client {
Ok(client) => {
return Ok(GrpcSysDb { client: client });
}
Err(e) => {
return Err(Box::new(GrpcSysDbError::FailedToConnect(e)));
}
}
}
}
}
}
#[async_trait]
impl SysDb for GrpcSysDb {
async fn get_collections(
&mut self,
collection_id: Option<Uuid>,
topic: Option<String>,
name: Option<String>,
tenant: Option<String>,
database: Option<String>,
) -> Result<Vec<Collection>, GetCollectionsError> {
// TODO: move off of status into our own error type
let collection_id_str;
match collection_id {
Some(id) => {
collection_id_str = Some(id.to_string());
}
None => {
collection_id_str = None;
}
}
let res = self
.client
.get_collections(chroma_proto::GetCollectionsRequest {
id: collection_id_str,
topic: topic,
name: name,
tenant: if tenant.is_some() {
tenant.unwrap()
} else {
DEFAULT_TENANT.to_string()
},
database: if database.is_some() {
database.unwrap()
} else {
DEFAULT_DATBASE.to_string()
},
})
.await;
match res {
Ok(res) => {
let collections = res.into_inner().collections;
let collections = collections
.into_iter()
.map(|proto_collection| proto_collection.try_into())
.collect::<Result<Vec<Collection>, CollectionConversionError>>();
match collections {
Ok(collections) => {
return Ok(collections);
}
Err(e) => {
return Err(GetCollectionsError::ConversionError(e));
}
}
}
Err(e) => {
return Err(GetCollectionsError::FailedToGetCollections(e));
}
}
}
async fn get_segments(
&mut self,
id: Option<Uuid>,
r#type: Option<String>,
scope: Option<SegmentScope>,
topic: Option<String>,
collection: Option<Uuid>,
) -> Result<Vec<Segment>, GetSegmentsError> {
let res = self
.client
.get_segments(chroma_proto::GetSegmentsRequest {
// TODO: modularize
id: if id.is_some() {
Some(id.unwrap().to_string())
} else {
None
},
r#type: r#type,
scope: if scope.is_some() {
Some(scope.unwrap() as i32)
} else {
None
},
topic: topic,
collection: if collection.is_some() {
Some(collection.unwrap().to_string())
} else {
None
},
})
.await;
match res {
Ok(res) => {
let segments = res.into_inner().segments;
let converted_segments = segments
.into_iter()
.map(|proto_segment| proto_segment.try_into())
.collect::<Result<Vec<Segment>, SegmentConversionError>>();
match converted_segments {
Ok(segments) => {
return Ok(segments);
}
Err(e) => {
return Err(GetSegmentsError::ConversionError(e));
}
}
}
Err(e) => {
return Err(GetSegmentsError::FailedToGetSegments(e));
}
}
}
}
#[derive(Error, Debug)]
// TODO: This should use our sysdb errors from the proto definition
// We will have to do an error uniformization pass at some point
pub(crate) enum GetCollectionsError {
#[error("Failed to fetch")]
FailedToGetCollections(#[from] tonic::Status),
#[error("Failed to convert proto collection")]
ConversionError(#[from] CollectionConversionError),
}
impl ChromaError for GetCollectionsError {
fn code(&self) -> ErrorCodes {
match self {
GetCollectionsError::FailedToGetCollections(_) => ErrorCodes::Internal,
GetCollectionsError::ConversionError(_) => ErrorCodes::Internal,
}
}
}
#[derive(Error, Debug)]
pub(crate) enum GetSegmentsError {
#[error("Failed to fetch")]
FailedToGetSegments(#[from] tonic::Status),
#[error("Failed to convert proto segment")]
ConversionError(#[from] SegmentConversionError),
}
impl ChromaError for GetSegmentsError {
fn code(&self) -> ErrorCodes {
match self {
GetSegmentsError::FailedToGetSegments(_) => ErrorCodes::Internal,
GetSegmentsError::ConversionError(_) => ErrorCodes::Internal,
}
}
}
|