clickhouse.rs

A typed client for ClickHouse.

Crates.io Documentation MIT licensed Build Status

Usage

To use the crate, add this to your Cargo.toml: ```toml [dependencies] clickhouse = "0.11.4"

[dev-dependencies] clickhouse = { version = "0.11.4", features = ["test-util"] } ```

Note about ClickHouse prior to v22.6

CH server older than v22.6 (2022-06-16) handles RowBinary incorrectly in some rare cases. Enable wa-37420 feature to solve this problem. Don't use it for newer versions.

Create a client

```rust,ignore use clickhouse::Client;

let client = Client::default() .withurl("http://localhost:8123") .withuser("name") .withpassword("123") .withdatabase("test"); ```

Select rows

```rust,ignore use serde::Deserialize; use clickhouse::Row;

[derive(Row, Deserialize)]

struct MyRow<'a> { no: u32, name: &'a str, }

let mut cursor = client .query("SELECT ?fields FROM some WHERE no BETWEEN ? AND ?") .bind(500) .bind(504) .fetch::>()?;

while let Some(row) = cursor.next().await? { .. } ```

Note that cursors can return an error even after producing some rows. To avoid this, use client.with_option("wait_end_of_query", "1") in order to enable buffering on the server-side. More details. The buffer_size option can be useful too.

Insert a batch

```rust,ignore use serde::Serialize; use clickhouse::Row;

[derive(Row, Serialize)]

struct MyRow { no: u32, name: String, }

let mut insert = client.insert("some")?; insert.write(&MyRow { no: 0, name: "foo".into() }).await?; insert.write(&MyRow { no: 1, name: "bar".into() }).await?; insert.end().await?; ```

Infinite inserting

```rust,ignore let mut inserter = client.inserter("some")? .withtimeouts(Some(Duration::fromsecs(5)), Some(Duration::fromsecs(20))) .withmaxentries(750000) .withperiod(Some(Duration::fromsecs(15)));

inserter.write(&MyRow { no: 0, name: "foo".into() }).await?; inserter.write(&MyRow { no: 1, name: "bar".into() }).await?; let stats = inserter.commit().await?; if stats.entries > 0 { println!( "{} entries ({} transactions) have been inserted", stats.entries, stats.transactions, ); } ```

Perform DDL

rust,ignore client.query("DROP TABLE IF EXISTS some").execute().await?;

Live views

Requires the watch feature.

```rust,ignore let mut cursor = client .watch("SELECT max(no), argMax(name, no) FROM some") .fetch::>()?;

let (version, row) = cursor.next().await?.unwrap(); println!("live view updated: version={}, row={:?}", version, row);

// Use only_events() to iterate over versions only. let mut cursor = client.watch("someliveview").limit(20).only_events().fetch()?; println!("live view updated: version={:?}", cursor.next().await?); ```

See examples.

Feature Flags

Data Types

Mocking

The crate provides utils for mocking CH server and testing DDL, SELECT, INSERT and WATCH queries.

The functionality can be enabled with the test-util feature. Use it only in dev-dependencies.

See the example.