-
-
Notifications
You must be signed in to change notification settings - Fork 77
/
LocalChdb.cpp
416 lines (361 loc) · 13.3 KB
/
LocalChdb.cpp
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
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
#include "LocalChdb.h"
#include <mutex>
#include "chdb.h"
#if USE_PYTHON
# include <Storages/StoragePython.h>
namespace py = pybind11;
extern bool inside_main = true;
local_result_v2 * queryToBuffer(
const std::string & queryStr,
const std::string & output_format = "CSV",
const std::string & path = {},
const std::string & udfPath = {})
{
std::vector<std::string> argv = {"clickhouse", "--multiquery"};
// If format is "Debug" or "debug", then we will add `--verbose` and `--log-level=trace` to argv
if (output_format == "Debug" || output_format == "debug")
{
argv.push_back("--verbose");
argv.push_back("--log-level=test");
// Add format string
argv.push_back("--output-format=CSV");
}
else
{
// Add format string
argv.push_back("--output-format=" + output_format);
}
// If path is not empty, then we will add `--path` to argv. This is used for chdb.Session to support stateful query
if (!path.empty())
{
// Add path string
argv.push_back("--path=" + path);
}
// argv.push_back("--no-system-tables");
// Add query string
argv.push_back("--query=" + queryStr);
// If udfPath is not empty, then we will add `--user_scripts_path` and `--user_defined_executable_functions_config` to argv
// the path should be a one time thing, so the caller should take care of the temporary files deletion
if (!udfPath.empty())
{
argv.push_back("--");
argv.push_back("--user_scripts_path=" + udfPath);
argv.push_back("--user_defined_executable_functions_config=" + udfPath + "/*.xml");
}
// Convert std::string to char*
std::vector<char *> argv_char;
argv_char.reserve(argv.size());
for (auto & arg : argv)
argv_char.push_back(const_cast<char *>(arg.c_str()));
py::gil_scoped_release release;
return query_stable_v2(argv_char.size(), argv_char.data());
}
// Pybind11 will take over the ownership of the `query_result` object
// using smart ptr will cause early free of the object
query_result * query(
const std::string & queryStr,
const std::string & output_format = "CSV",
const std::string & path = {},
const std::string & udfPath = {})
{
return new query_result(queryToBuffer(queryStr, output_format, path, udfPath));
}
// The `query_result` and `memoryview_wrapper` will hold `local_result_wrapper` with shared_ptr
memoryview_wrapper * query_result::get_memview()
{
return new memoryview_wrapper(this->result_wrapper);
}
// Parse SQLite-style connection string
std::pair<std::string, std::map<std::string, std::string>> connection_wrapper::parse_connection_string(const std::string & conn_str)
{
std::string path;
std::map<std::string, std::string> params;
if (conn_str.empty() || conn_str == ":memory:")
{
return {":memory:", params};
}
std::string working_str = conn_str;
// Handle file: prefix
if (working_str.starts_with("file:"))
{
working_str = working_str.substr(5);
// Handle triple slash for absolute paths
if (working_str.starts_with("///"))
{
working_str = working_str.substr(2); // Remove two slashes, keep one
}
}
// Split path and parameters
auto query_pos = working_str.find('?');
if (query_pos != std::string::npos)
{
path = working_str.substr(0, query_pos);
std::string query = working_str.substr(query_pos + 1);
// Parse parameters
std::istringstream params_stream(query);
std::string param;
while (std::getline(params_stream, param, '&'))
{
auto eq_pos = param.find('=');
if (eq_pos != std::string::npos)
{
std::string key = param.substr(0, eq_pos);
std::string value = param.substr(eq_pos + 1);
params[key] = value;
}
else if (!param.empty())
{
// Handle parameters without values
params[param] = "";
}
}
}
else
{
path = working_str;
}
// Convert relative paths to absolute
if (!path.empty() && path[0] != '/')
{
std::error_code ec;
path = std::filesystem::absolute(path, ec).string();
if (ec)
{
throw std::runtime_error("Failed to resolve path: " + path);
}
}
return {path, params};
}
std::vector<std::string>
connection_wrapper::build_clickhouse_args(const std::string & path, const std::map<std::string, std::string> & params)
{
std::vector<std::string> argv = {"clickhouse"};
if (path != ":memory:")
{
argv.push_back("--path=" + path);
}
// Map SQLite parameters to ClickHouse arguments
for (const auto & [key, value] : params)
{
if (key == "mode")
{
if (value == "ro")
{
is_readonly = true;
argv.push_back("--readonly=1");
}
}
else if (value.empty())
{
// Handle parameters without values (like ?withoutarg)
argv.push_back("--" + key);
}
else
{
argv.push_back("--" + key + "=" + value);
}
}
return argv;
}
void connection_wrapper::initialize_database()
{
if (is_readonly)
{
return;
}
if (is_memory_db)
{
// Setup memory engine
query_result * ret = query("CREATE DATABASE IF NOT EXISTS default ENGINE = Memory; USE default");
if (ret->has_error())
{
auto err_msg = fmt::format("Failed to create memory database: {}", std::string(ret->error_message()));
delete ret;
throw std::runtime_error(err_msg);
}
}
else
{
// Create directory if it doesn't exist
std::filesystem::create_directories(db_path);
// Setup Atomic database
query_result * ret = query("CREATE DATABASE IF NOT EXISTS default ENGINE = Atomic; USE default");
if (ret->has_error())
{
auto err_msg = fmt::format("Failed to create database: {}", std::string(ret->error_message()));
delete ret;
throw std::runtime_error(err_msg);
}
}
}
connection_wrapper::connection_wrapper(const std::string & conn_str)
{
auto [path, params] = parse_connection_string(conn_str);
auto argv = build_clickhouse_args(path, params);
std::vector<char *> argv_char;
argv_char.reserve(argv.size());
for (auto & arg : argv)
{
argv_char.push_back(const_cast<char *>(arg.c_str()));
}
conn = connect_chdb(argv_char.size(), argv_char.data());
db_path = path;
is_memory_db = (path == ":memory:");
initialize_database();
}
connection_wrapper::~connection_wrapper()
{
close_conn(conn);
}
void connection_wrapper::close()
{
close_conn(conn);
}
cursor_wrapper * connection_wrapper::cursor()
{
return new cursor_wrapper(this);
}
void connection_wrapper::commit()
{
// do nothing
}
query_result * connection_wrapper::query(const std::string & query_str, const std::string & format)
{
return new query_result(query_conn(*conn, query_str.c_str(), format.c_str()), true);
}
void cursor_wrapper::execute(const std::string & query_str)
{
release_result();
// Always use Arrow format internally
current_result = query_conn(conn->get_conn(), query_str.c_str(), "ArrowStream");
}
# ifdef PY_TEST_MAIN
# include <string_view>
# include <arrow/api.h>
# include <arrow/buffer.h>
# include <arrow/io/memory.h>
# include <arrow/ipc/api.h>
# include <arrow/python/pyarrow.h>
std::shared_ptr<arrow::Table> queryToArrow(const std::string & queryStr)
{
auto result = queryToBuffer(queryStr, "Arrow");
if (result)
{
// Create an Arrow input stream from the Arrow buffer
auto input_stream = std::make_shared<arrow::io::BufferReader>(reinterpret_cast<uint8_t *>(result->buf), result->len);
auto arrow_reader = arrow::ipc::RecordBatchFileReader::Open(input_stream, result->len).ValueOrDie();
// Read all the record batches from the Arrow reader
auto batch = arrow_reader->ReadRecordBatch(0).ValueOrDie();
std::shared_ptr<arrow::Table> arrow_table = arrow::Table::FromRecordBatches({batch}).ValueOrDie();
// Free the memory used by the result
free_result(result);
return arrow_table;
}
else
{
return nullptr;
}
}
int main()
{
// auto out = queryToVector("SELECT * FROM file('/home/Clickhouse/bench/result.parquet', Parquet) LIMIT 10");
// out with string_view
// std::cerr << std::string_view(out->data(), out->size()) << std::endl;
// std::cerr << "out.size() = " << out->size() << std::endl;
auto out = queryToArrow("SELECT * FROM file('/home/Clickhouse/bench/result.parquet', Parquet) LIMIT 10");
std::cerr << "out->num_columns() = " << out->num_columns() << std::endl;
std::cerr << "out->num_rows() = " << out->num_rows() << std::endl;
std::cerr << "out.ToString() = " << out->ToString() << std::endl;
std::cerr << "out->schema()->ToString() = " << out->schema()->ToString() << std::endl;
return 0;
}
# else
PYBIND11_MODULE(_chdb, m)
{
m.doc() = "chDB module for query function";
py::class_<memoryview_wrapper>(m, "memoryview_wrapper")
.def(py::init<std::shared_ptr<local_result_wrapper>>(), py::return_value_policy::take_ownership)
.def("tobytes", &memoryview_wrapper::bytes)
.def("__len__", &memoryview_wrapper::size)
.def("size", &memoryview_wrapper::size)
.def("release", &memoryview_wrapper::release)
.def("view", &memoryview_wrapper::view);
py::class_<query_result>(m, "query_result")
.def(py::init<local_result_v2 *>(), py::return_value_policy::take_ownership)
.def("data", &query_result::data)
.def("bytes", &query_result::bytes)
.def("__str__", &query_result::str)
.def("__len__", &query_result::size)
.def("__repr__", &query_result::str)
.def("show", [](query_result & self) { py::print(self); })
.def("size", &query_result::size)
.def("rows_read", &query_result::rows_read)
.def("bytes_read", &query_result::bytes_read)
.def("elapsed", &query_result::elapsed)
.def("get_memview", &query_result::get_memview)
.def("has_error", &query_result::has_error)
.def("error_message", &query_result::error_message);
py::class_<DB::PyReader, std::shared_ptr<DB::PyReader>>(m, "PyReader")
.def(
py::init<const py::object &>(),
"Initialize the reader with data. The exact type and structure of `data` can vary."
"you must hold the data with `self.data` in your inherit class\n\n"
"Args:\n"
" data (Any): The data with which to initialize the reader, format and type are not strictly defined.")
.def(
"read",
[](DB::PyReader & self, const std::vector<std::string> & col_names, int count)
{
// GIL is held when called from Python code. Release it to avoid deadlock
py::gil_scoped_release release;
return std::move(self.read(col_names, count));
},
"Read a specified number of rows from the given columns and return a list of objects, "
"where each object is a sequence of values for a column.\n\n"
"Args:\n"
" col_names (List[str]): List of column names to read.\n"
" count (int): Maximum number of rows to read.\n\n"
"Returns:\n"
" List[Any]: List of sequences, one for each column.")
.def(
"get_schema",
&DB::PyReader::getSchema,
"Return a list of column names and their types.\n\n"
"Returns:\n"
" List[str, str]: List of column name and type pairs.");
py::class_<cursor_wrapper>(m, "cursor")
.def(py::init<connection_wrapper *>())
.def("execute", &cursor_wrapper::execute)
.def("commit", &cursor_wrapper::commit)
.def("close", &cursor_wrapper::close)
.def("get_memview", &cursor_wrapper::get_memview)
.def("data_size", &cursor_wrapper::data_size)
.def("rows_read", &cursor_wrapper::rows_read)
.def("bytes_read", &cursor_wrapper::bytes_read)
.def("elapsed", &cursor_wrapper::elapsed)
.def("has_error", &cursor_wrapper::has_error)
.def("error_message", &cursor_wrapper::error_message);
py::class_<connection_wrapper>(m, "connect")
.def(py::init([](const std::string & path) { return new connection_wrapper(path); }), py::arg("path") = ":memory:")
.def("cursor", &connection_wrapper::cursor)
.def("execute", &connection_wrapper::query)
.def("commit", &connection_wrapper::commit)
.def("close", &connection_wrapper::close)
.def(
"query",
&connection_wrapper::query,
py::arg("query_str"),
py::arg("format") = "CSV",
"Execute a query and return a query_result object");
m.def(
"query",
&query,
py::arg("queryStr"),
py::arg("output_format") = "CSV",
py::kw_only(),
py::arg("path") = "",
py::arg("udf_path") = "",
"Query chDB and return a query_result object");
}
# endif // PY_TEST_MAIN
#endif // USE_PYTHON