Built for blazing fast persistence of terra bytes of structured data on a single machine while offering rich querying capabilities, e.g. bitcoin/blockchain data. Blockchains need rich and often analytical queries which is done through explorers because indexing speed of even embedded/in-process (not through socket) analytical db like DuckDB right on the node would be still slower than a hand-made solution on top of Redb or RocksDb.
Redbit reads struct annotations and derives code necessary for persisting and querying structured data into/from Redb using secondary indexes and dictionaries, served by axum through auto-generated REST API.
✅ parallel persistence, there is a long-running write thread spawn for each entity field (no blocking, minimal context switching)
✅ Querying and ranging by secondary index
✅ Optional dictionaries for low cardinality fields + first level cache for building them without overhead
✅ One-to-One
/ One-to-Option
/ One-to-Many
entities with cascade read/write/delete
✅ All goodies including intuitive data ordering without writing custom codecs
✅ All keys and all newType column types with fixed-sized value implement Copy
=> minimal cloning
✅ Http response streaming api with efficient querying (ie. get txs or utxos for really HOT address)
✅ Query constraints : eq
, ne
, lt
, le
, gt
, ge
, in
with logical AND
{
"header": {
"height": { "$eq": 1 }
},
"transactions": {
"hash": { "$in": ["bar", "baz"] },
"utxo": {
"address": { "$eq": "foo" }
}
}
}
✅ Column types : String
, Int
, Vec<u8>
, [u8; N]
, bool
, uuid::Uuid
, std::time::Duration
✅ Optional column is basically One-to-Option
relationship, we build a table for optional "values"
✅ Column encodings of binary columns : hex
, base64
, utf-8
+ custom impl of ByteVecColumnSerde
✅ All types have binary (db) and human-readable (http) serde support
✅ Macro derived http rest API at http://127.0.0.1:3033/swagger-ui/
✅ Macro derived unit tests and integration tests on axum test server and benchmarks
✅ TypeScript client generated from OpenAPI spec with tests suite requesting all endpoints
✅ For other features, check the redbit-ui
❌ Root key must be newtype struct with numeric inner type (that's part of the design decision to achieve fast indexing of even whole bitcoin)
To use redbit in your project:
[dependencies]
redbit = "1.0.4"
cd chains/demo
cargo test # to let all the self-generated tests run
cargo test --features integration # to let http layer self-generated tests run
cargo bench # to run benchmarks
cargo run --release # to run the demo example and start the server
Check the redbit-ui for frontend dev.
The utxo example has close to 500 frontend/backend derived tests and 130 benchmarks, so that if any redbit app derived from the definition compiles, it is transparent, well tested and benched already.
Let's say we want to persist and query blockchain data using Redbit, declare annotated Structs chains/demo/src/lib.rs
:
pub use redbit::*;
pub use chain::*;
// feel free to add custom #[derive(Foo, Bar)] attributes to your types, they will get merged with the ones from redbit
#[root_key] pub struct Height(pub u32);
#[pointer_key(u16)] pub struct BlockPointer(Height);
#[pointer_key(u16)] pub struct TransactionPointer(BlockPointer);
#[pointer_key(u16)] pub struct UtxoPointer(TransactionPointer);
// #[column] pub struct Time(pub chrono::DateTime<chrono::Utc>);
#[column("hex")] pub struct BlockHash(pub [u8; 32]);
#[column("hex")] pub struct TxHash(pub [u8; 32]);
#[column("base64")] pub struct Address(pub Vec<u8>);
#[column("utf-8")] pub struct AssetName(pub Vec<u8>); // String is supported but this is more efficient
#[column] pub struct Duration(pub std::time::Duration);
#[column] pub struct Weight(pub u32);
#[column] pub struct Timestamp(pub u32);
#[column]
pub struct InputRef {
pub tx_hash: TxHash,
pub index: u32,
}
#[entity]
pub struct Block {
#[pk]
pub height: Height,
pub header: Header,
pub transactions: Vec<Transaction>,
}
#[entity]
pub struct Header {
#[fk(one2one)]
pub height: Height,
#[column(index)]
pub hash: BlockHash,
#[column(index)]
pub prev_hash: BlockHash,
#[column(range)]
pub timestamp: Timestamp,
#[column(range)]
pub duration: Duration,
#[column]
pub nonce: u64,
#[column(transient)]
pub weight: Weight,
}
#[entity]
pub struct Transaction {
#[fk(one2many)]
pub id: BlockPointer,
#[column(index)]
pub hash: TxHash,
pub utxos: Vec<Utxo>,
#[write_from(input_refs)] // implement custom write_from function, see hook.rs
pub inputs: Vec<Input>,
pub maybe: Option<MaybeValue>, // just to demonstrate option is possible
#[column(transient)]
pub input_refs: Vec<InputRef>,
#[column(transient(read_from(inputs::utxo_pointer)))] // this field is loaded when read from inputs.utxo_pointer
pub input_utxos: Vec<Utxo>,
}
#[entity]
pub struct Utxo {
#[fk(one2many)]
pub id: TransactionPointer,
#[column]
pub amount: u64,
#[column(dictionary)]
pub address: Address,
pub assets: Vec<Asset>,
}
#[entity]
pub struct Input {
#[fk(one2many)]
pub id: TransactionPointer,
#[column]
pub utxo_pointer: TransactionPointer,
}
#[entity]
pub struct MaybeValue {
#[fk(one2opt)]
pub id: BlockPointer,
#[column(index)]
pub hash: BlockHash
}
#[entity]
pub struct Asset {
#[fk(one2many)]
pub id: UtxoPointer,
#[column]
pub amount: u64,
#[column(dictionary)]
pub name: AssetName,
}
And R/W entire instances efficiently using indexes and dictionaries chains/demo/src/demo.rs
:
use anyhow::Result;
use redbit::*;
use std::sync::Arc;
use demo::model_v1::*;
#[tokio::main]
async fn main() -> Result<()> {
let storage = Storage::temp("showcase", 1, true).await?;
let blocks = Block::sample_many(2);
let block_heights: Vec<Height> = blocks.iter().map(|b|b.height).collect();
println!("Persisting blocks:");
for block in blocks {
Block::store_and_commit(Arc::clone(&storage), block)?;
}
let block_tx = Block::begin_read_tx(&storage)?;
let transaction_tx = &block_tx.transactions;
let header_tx = &block_tx.header;
let utxo_tx = &transaction_tx.utxos;
let maybe_value_tx = &transaction_tx.maybe;
let asset_tx = &utxo_tx.assets;
let first_block = Block::first(&block_tx)?.unwrap();
let last_block = Block::last(&block_tx)?.unwrap();
Block::take(&block_tx, 100)?;
Block::get(&block_tx, &first_block.height)?;
Block::range(&block_tx, &first_block.height, &last_block.height, None)?;
Block::get_transactions(&transaction_tx, &first_block.height)?;
Block::get_header(&header_tx, &first_block.height)?;
Block::exists(&block_tx, &first_block.height)?;
Block::first(&block_tx)?;
Block::last(&block_tx)?;
let block_infos = Block::table_info(&storage)?;
println!("Block persisted with tables :");
for info in block_infos {
println!("{}", serde_json::to_string_pretty(&info)?);
}
let first_block_header = Header::first(&header_tx)?.unwrap();
let last_block_header = Header::last(&header_tx)?.unwrap();
Header::get_by_hash(&header_tx, &first_block_header.hash)?;
Header::get_by_timestamp(&header_tx, &first_block_header.timestamp)?;
Header::take(&header_tx, 100)?;
Header::get(&header_tx, &first_block_header.height)?;
Header::range(&header_tx, &first_block_header.height, &last_block_header.height, None)?;
Header::range_by_timestamp(&header_tx, &first_block_header.timestamp, &last_block_header.timestamp)?;
let block_header_infos = Header::table_info(&storage)?;
println!("
Block header persisted with tables :");
for info in block_header_infos {
println!("{}", serde_json::to_string_pretty(&info)?);
}
let first_transaction = Transaction::first(&transaction_tx)?.unwrap();
let last_transaction = Transaction::last(&transaction_tx)?.unwrap();
Transaction::get_ids_by_hash(&transaction_tx, &first_transaction.hash)?;
Transaction::get_by_hash(&transaction_tx, &first_transaction.hash)?;
Transaction::take(&transaction_tx, 100)?;
Transaction::get(&transaction_tx, &first_transaction.id)?;
Transaction::range(&transaction_tx, &first_transaction.id, &last_transaction.id, None)?;
Transaction::get_utxos(&utxo_tx, &first_transaction.id)?;
Transaction::get_maybe(&maybe_value_tx, &first_transaction.id)?;
Transaction::parent_key(&first_transaction.id)?;
let transaction_infos = Transaction::table_info(&storage)?;
println!("
Transaction persisted with tables :");
for info in transaction_infos {
println!("{}", serde_json::to_string_pretty(&info)?);
}
let first_utxo = Utxo::first(&utxo_tx)?.unwrap();
let last_utxo = Utxo::last(&utxo_tx)?.unwrap();
Utxo::get_by_address(&utxo_tx, &first_utxo.address)?;
Utxo::get_ids_by_address(&utxo_tx, &first_utxo.address)?;
Utxo::take(&utxo_tx, 100)?;
Utxo::get(&utxo_tx, &first_utxo.id)?;
Utxo::range(&utxo_tx, &first_utxo.id, &last_utxo.id, None)?;
Utxo::get_assets(&asset_tx, &first_utxo.id)?;
Utxo::parent_key(&first_utxo.id)?;
let utxo_infos = Utxo::table_info(&storage)?;
println!("
Utxo persisted with tables :");
for info in utxo_infos {
println!("{}", serde_json::to_string_pretty(&info)?);
}
let first_asset = Asset::first(&asset_tx)?.unwrap();
let last_asset = Asset::last(&asset_tx)?.unwrap();
Asset::get_by_name(&asset_tx, &first_asset.name)?;
Asset::take(&asset_tx, 100)?;
Asset::get(&asset_tx, &first_asset.id)?;
Asset::range(&asset_tx, &first_asset.id, &last_asset.id, None)?;
Asset::parent_key(&first_asset.id)?;
let asset_infos = Asset::table_info(&storage)?;
println!("
Asset persisted with tables :");
for info in asset_infos {
println!("{}", serde_json::to_string_pretty(&info)?);
}
/* Streaming examples */
Block::stream_range(Block::begin_read_tx(&storage)?, first_block.height, last_block.height, None)?.try_collect::<Vec<Block>>().await?;
Header::stream_by_hash(Header::begin_read_tx(&storage)?, first_block_header.hash, None)?.try_collect::<Vec<Header>>().await?;
Header::stream_by_timestamp(Header::begin_read_tx(&storage)?, first_block_header.timestamp, None)?.try_collect::<Vec<Header>>().await?;
Header::stream_range(Header::begin_read_tx(&storage)?, first_block_header.height, last_block_header.height, None)?.try_collect::<Vec<Header>>().await?;
Header::stream_range_by_timestamp(Header::begin_read_tx(&storage)?, first_block_header.timestamp, last_block_header.timestamp, None)?.try_collect::<Vec<Header>>().await?;
Transaction::stream_ids_by_hash(Transaction::begin_read_tx(&storage)?, first_transaction.hash.clone())?.try_collect::<Vec<BlockPointer>>().await?;
Transaction::stream_by_hash(Transaction::begin_read_tx(&storage)?, first_transaction.hash.clone(), None)?.try_collect::<Vec<Transaction>>().await?;
Transaction::stream_range(Transaction::begin_read_tx(&storage)?, first_transaction.id, last_transaction.id, None)?.try_collect::<Vec<Transaction>>().await?;
Utxo::stream_ids_by_address(Utxo::begin_read_tx(&storage)?, first_utxo.address.clone())?.try_collect::<Vec<TransactionPointer>>().await?;
Utxo::stream_range(Utxo::begin_read_tx(&storage)?, first_utxo.id, last_utxo.id, None)?.try_collect::<Vec<Utxo>>().await?;
Utxo::stream_by_address(Utxo::begin_read_tx(&storage)?, first_utxo.address.clone(), None)?.try_collect::<Vec<Utxo>>().await?;
// streaming parents
Utxo::stream_transactions_by_address(Transaction::begin_read_tx(&storage)?, first_utxo.address, None)?.try_collect::<Vec<Transaction>>().await?;
Asset::stream_by_name(Asset::begin_read_tx(&storage)?, first_asset.name.clone(), None)?.try_collect::<Vec<Asset>>().await?;
Asset::stream_range(Asset::begin_read_tx(&storage)?, first_asset.id, last_asset.id, None)?.try_collect::<Vec<Asset>>().await?;
// streaming parents
Asset::stream_utxos_by_name(Utxo::begin_read_tx(&storage)?, first_asset.name, None)?.try_collect::<Vec<Utxo>>().await?;
println!("
Deleting blocks:");
for height in block_heights.iter() {
Block::delete_and_commit(Arc::clone(&storage), height)?;
}
Ok(())
}
The same api is accessible through http endpoints at http://127.0.0.1:3033/swagger-ui/.
Performance wise, check 🔥flamegraph. The demo example persists data into 30 tables to allow for rich querying.
cargo flamegraph --bin target/release/demo --release
The slowest block::_store_many
operation in this context persists 3 blocks of 3 transactions of 1 input and 3 utxos of 3 assets, ie.
the operations writes :
- 3 blocks
- 3 * 3 = 9 transactions
- 3 * 3 = 9 inputs
- 3 * 3 * 3 = 27 utxos
- 3 * 3 * 3 * 3 = 81 assets
block::_first
operation reads whole block with all its transactions, inputs, utxos and assets.
function ops/s
-------------------------------------------------------------
model_v1::block::_store_many 538
model_v1::block::_store 644
model_v1::block::_store_and_commit 647
model_v1::transaction::_store_many 814
model_v1::transaction::_store_and_commit 826
model_v1::utxo::_store_and_commit 874
model_v1::utxo::_store_many 875
model_v1::utxo::_store 888
model_v1::transaction::_store 995
model_v1::utxo::_pk_range 1060
model_v1::block::_delete_and_commit 1081
model_v1::transaction::_delete_and_commit 1181
model_v1::transaction::_pk_range 1188
model_v1::utxo::_delete_and_commit 1396
model_v1::block::_pk_range 1430
model_v1::asset::_store 1506
model_v1::asset::_store_and_commit 1530
model_v1::asset::_delete_and_commit 1634
model_v1::asset::_pk_range 1868
model_v1::asset::_store_many 2023
model_v1::header::_store 2160
model_v1::header::_store_and_commit 2328
model_v1::header::_store_many 2363
model_v1::maybevalue::_store_and_commit 2959
model_v1::input::_store 3014
model_v1::maybevalue::_store 3116
model_v1::input::_store_and_commit 3176
model_v1::input::_store_many 3204
model_v1::maybevalue::_store_many 3279
model_v1::maybevalue::_pk_range 3643
model_v1::maybevalue::_delete_and_commit 3998
model_v1::input::_delete_and_commit 4475
model_v1::header::_delete_and_commit 4626
model_v1::header::_pk_range 5579
model_v1::input::_pk_range 6499
model_v1::block::_tail 10308
model_v1::block::_take 10334
model_v1::block::_get 20836
model_v1::block::_last 20861
model_v1::block::_first 21056
model_v1::block::_get_transactions 21367
model_v1::transaction::_tail 32872
model_v1::transaction::_take 34273
model_v1::block::_stream_range 35914
model_v1::transaction::_stream_blocks_by_hash 37505
model_v1::transaction::_stream_range 51995
model_v1::transaction::_stream_by_hash 53274
model_v1::utxo::_stream_transactions_by_address 55121
model_v1::transaction::_get_by_hash 68435
model_v1::transaction::_get 68990
model_v1::transaction::_first 69536
model_v1::transaction::_last 69787
model_v1::transaction::_stream_ids_by_hash 92274
model_v1::utxo::_stream_range 111545
model_v1::utxo::_stream_by_address 113391
model_v1::asset::_stream_utxos_by_name 119836
model_v1::block::_range 121000
model_v1::block::_filter 133081
model_v1::transaction::_range 150284
model_v1::transaction::_get_utxos 153379
model_v1::header::_stream_range_by_duration 153742
model_v1::utxo::_stream_ids_by_address 158706
model_v1::header::_stream_range_by_timestamp 161310
model_v1::transaction::_filter 169713
model_v1::header::_stream_range 180244
model_v1::header::_stream_by_duration 184744
model_v1::header::_stream_by_prev_hash 186652
model_v1::header::_stream_by_hash 188585
model_v1::header::_stream_by_timestamp 191719
model_v1::header::_stream_heights_by_timestamp 227946
model_v1::utxo::_tail 228164
model_v1::header::_stream_heights_by_duration 228499
model_v1::header::_stream_heights_by_prev_hash 229117
model_v1::header::_stream_heights_by_hash 231182
model_v1::asset::_stream_range 234243
model_v1::utxo::_take 234309
model_v1::asset::_stream_by_name 258588
model_v1::asset::_stream_ids_by_name 319778
model_v1::utxo::_range 441030
model_v1::maybevalue::_stream_range 445167
model_v1::utxo::_get_by_address 453135
model_v1::utxo::_get 510014
model_v1::utxo::_first 519986
model_v1::input::_stream_range 531997
model_v1::utxo::_last 535186
model_v1::maybevalue::_stream_by_hash 537993
model_v1::maybevalue::_stream_ids_by_hash 619544
model_v1::utxo::_get_assets 624103
model_v1::utxo::_filter 628014
model_v1::asset::_tail 782460
model_v1::asset::_range 899612
model_v1::asset::_take 1044965
model_v1::header::_tail 1130378
model_v1::header::_take 1160510
model_v1::header::_range_by_duration 1184694
model_v1::header::_range 1265711
model_v1::transaction::_get_inputs 1334508
model_v1::input::_tail 1367091
model_v1::maybevalue::_range 1439470
model_v1::input::_range 1439615
model_v1::maybevalue::_tail 1454821
model_v1::header::_range_by_timestamp 1552458
model_v1::asset::_get_by_name 1610591
model_v1::header::_get_by_duration 2020651
model_v1::maybevalue::_take 2072711
model_v1::input::_take 2111308
model_v1::header::_get_by_hash 2204294
model_v1::header::_get_by_prev_hash 2252151
model_v1::header::_get_by_timestamp 2369668
model_v1::asset::_filter 2419960
model_v1::asset::_get 2506391
model_v1::asset::_last 2869193
model_v1::header::_filter 2877532
model_v1::asset::_first 2898131
model_v1::block::_get_header 3307097
model_v1::header::_get 3405879
model_v1::asset::_get_ids_by_name 3420324
model_v1::utxo::_get_ids_by_address 3505328
model_v1::header::_last 3543461
model_v1::header::_first 3576922
model_v1::maybevalue::_get_by_hash 3641793
model_v1::header::_get_heights_by_duration 4052849
model_v1::header::_get_heights_by_hash 5248793
model_v1::header::_get_heights_by_prev_hash 5325948
model_v1::transaction::_get_ids_by_hash 5326515
model_v1::header::_get_heights_by_timestamp 5451077
model_v1::maybevalue::_get_ids_by_hash 5520897
model_v1::input::_filter 6330316
model_v1::input::_get 7049700
model_v1::maybevalue::_filter 7341605
model_v1::transaction::_get_maybe 7413448
model_v1::maybevalue::_get 7559722
model_v1::maybevalue::_first 8619947
model_v1::maybevalue::_last 8759636
model_v1::input::_first 8784259
model_v1::input::_last 8863677
model_v1::asset::_exists 12858429
model_v1::utxo::_exists 14281634
model_v1::input::_exists 14341030
model_v1::transaction::_exists 14997001
model_v1::maybevalue::_exists 15223017
model_v1::header::_exists 26232949
model_v1::block::_exists 26939655
See chain