ckb_db/read_only_db.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
//! ReadOnlyDB wrapper base on rocksdb read_only_open mode
use crate::{internal_error, Result};
use ckb_db_schema::Col;
use ckb_logger::info;
use rocksdb::ops::{GetColumnFamilys, GetPinned, GetPinnedCF, OpenCF};
use rocksdb::{DBPinnableSlice, Options, ReadOnlyDB as RawReadOnlyDB};
use std::path::Path;
use std::sync::Arc;
/// ReadOnlyDB wrapper
pub struct ReadOnlyDB {
pub(crate) inner: Arc<RawReadOnlyDB>,
}
impl ReadOnlyDB {
/// The behavior is similar to DB::Open,
/// except that it opens DB in read-only mode.
/// One big difference is that when opening the DB as read-only,
/// you don't need to specify all Column Families
/// -- you can only open a subset of Column Families.
pub fn open_cf<P, I, N>(path: P, cf_names: I) -> Result<Option<Self>>
where
P: AsRef<Path>,
I: IntoIterator<Item = N>,
N: AsRef<str>,
{
let opts = Options::default();
RawReadOnlyDB::open_cf(&opts, path, cf_names).map_or_else(
|err| {
let err_str = err.as_ref();
// notice: err msg difference
if err_str.starts_with("IO error: No such file or directory") {
Ok(None)
} else if err_str.starts_with("Corruption:") {
info!("DB corrupted: {err_str}.");
Err(internal_error("DB corrupted"))
} else {
Err(internal_error(format!(
"failed to open the database: {err}"
)))
}
},
|db| {
Ok(Some(ReadOnlyDB {
inner: Arc::new(db),
}))
},
)
}
/// Return the value associated with a key using RocksDB's PinnableSlice from the default column
/// so as to avoid unnecessary memory copy.
pub fn get_pinned_default(&self, key: &[u8]) -> Result<Option<DBPinnableSlice>> {
self.inner.get_pinned(key).map_err(internal_error)
}
/// Return the value associated with a key using RocksDB's PinnableSlice from the given column
/// so as to avoid unnecessary memory copy.
pub fn get_pinned(&self, col: Col, key: &[u8]) -> Result<Option<DBPinnableSlice>> {
let cf = self
.inner
.cf_handle(col)
.ok_or_else(|| internal_error(format!("column {col} not found")))?;
self.inner.get_pinned_cf(cf, key).map_err(internal_error)
}
}