-
-
Notifications
You must be signed in to change notification settings - Fork 560
/
Copy pathmain.rs
182 lines (158 loc) Β· 5.43 KB
/
main.rs
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
//! Proxy connection example.
#![deny(missing_docs)]
mod entity;
use std::{
collections::BTreeMap,
sync::{Arc, Mutex},
};
use gluesql::prelude::{Glue, MemoryStorage};
use sea_orm::{
ActiveModelTrait, ActiveValue::Set, Database, DbBackend, DbErr, EntityTrait,
ProxyDatabaseTrait, ProxyExecResult, ProxyRow, Statement,
};
use entity::post::{ActiveModel, Entity};
struct ProxyDb {
mem: Mutex<Glue<MemoryStorage>>,
}
impl std::fmt::Debug for ProxyDb {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
f.debug_struct("ProxyDb").finish()
}
}
#[async_trait::async_trait]
impl ProxyDatabaseTrait for ProxyDb {
async fn query(&self, statement: Statement) -> Result<Vec<ProxyRow>, DbErr> {
let sql = if let Some(values) = statement.values {
// Replace all the '?' with the statement values
statement
.sql
.split("?")
.collect::<Vec<&str>>()
.iter()
.enumerate()
.fold(String::new(), |mut acc, (i, item)| {
acc.push_str(item);
if i < values.0.len() {
acc.push_str(&format!("{}", values.0[i]));
}
acc
})
} else {
statement.sql
};
println!("SQL query: {}", sql);
let mut ret: Vec<ProxyRow> = vec![];
async_std::task::block_on(async {
let raw = self.mem.lock().unwrap().execute(sql).await.unwrap();
for payload in raw.iter() {
match payload {
gluesql::prelude::Payload::Select { labels, rows } => {
for row in rows.iter() {
let mut map = BTreeMap::new();
for (label, column) in labels.iter().zip(row.iter()) {
map.insert(
label.to_owned(),
match column {
gluesql::prelude::Value::I64(val) => {
sea_orm::Value::BigInt(Some(*val))
}
gluesql::prelude::Value::Str(val) => {
sea_orm::Value::String(Some(Box::new(val.to_owned())))
}
gluesql::prelude::Value::Uuid(val) => sea_orm::Value::Uuid(
Some(Box::new(uuid::Uuid::from_u128(*val))),
),
_ => unreachable!("Unsupported value: {:?}", column),
},
);
}
ret.push(map.into());
}
}
_ => unreachable!("Unsupported payload: {:?}", payload),
}
}
});
Ok(ret)
}
async fn execute(&self, statement: Statement) -> Result<ProxyExecResult, DbErr> {
let sql = if let Some(values) = statement.values {
// Replace all the '?' with the statement values
statement
.sql
.split("?")
.collect::<Vec<&str>>()
.iter()
.enumerate()
.fold(String::new(), |mut acc, (i, item)| {
acc.push_str(item);
if i < values.0.len() {
acc.push_str(&format!("{}", values.0[i]));
}
acc
})
} else {
statement.sql
};
println!("SQL execute: {}", sql);
async_std::task::block_on(async {
self.mem.lock().unwrap().execute(sql).await.unwrap();
});
Ok(ProxyExecResult {
last_insert_id: None,
rows_affected: 1,
})
}
}
#[async_std::main]
async fn main() {
let mem = MemoryStorage::default();
let mut glue = Glue::new(mem);
glue.execute(
r#"
CREATE TABLE IF NOT EXISTS posts (
id TEXT PRIMARY KEY,
title TEXT NOT NULL,
text TEXT NOT NULL
)
"#,
)
.await
.unwrap();
let db = Database::connect_proxy(
DbBackend::Sqlite,
Arc::new(Box::new(ProxyDb {
mem: Mutex::new(glue),
})),
)
.await
.unwrap();
println!("Initialized");
let data = ActiveModel {
id: Set(uuid::Uuid::new_v4().to_string()),
title: Set("Homo".to_owned()),
text: Set("γγγγζ₯γγ".to_owned()),
};
data.insert(&db).await.unwrap();
let data = ActiveModel {
id: Set(uuid::Uuid::new_v4().to_string()),
title: Set("Homo".to_owned()),
text: Set("γγγ γ".to_owned()),
};
Entity::insert(data).exec(&db).await.unwrap();
let data = ActiveModel {
id: Set("ιε
½ιΈ".to_string()),
title: Set("Homo".to_owned()),
text: Set("ζγζΉγγ¦".to_owned()),
};
Entity::insert(data).exec(&db).await.unwrap();
let list = Entity::find().all(&db).await.unwrap().to_vec();
println!("Result: {:?}", list);
}
#[cfg(test)]
mod tests {
#[smol_potat::test]
async fn try_run() {
crate::main()
}
}