[][src]Struct mycelium_core::Db

pub struct Db { /* fields omitted */ }

Db - Tagged data storage.

HashMap <container_name, container>

  • container *

    pages: HashMap<PageId, Page>

    index: HashMap<NodeId, PageId>

*Simplified structure for the data store.

Methods

impl Db[src]

Db

Initially load only tag you are interested in. Tags lazy load with use.

Todo: prune infrequently used data from memory.

pub fn init(config: Option<Config>) -> Result<Db>[src]

Database init - Primary use

  • Parameters

    • config: Defaults to Config::default()
  • Returns

    • Result: Instance of Db
use crate::mycelium_core::Db;
use crate::mycelium_core::prelude::*;

// Builder pattern for config
let config = Config::new()
    .with_data_directory("./data")
    .with_block_count(32) // blocks per page when run persistently
    .with_block_size(1024); // size of blocks on page    ///

// TODO: If block count/size are adjusted on an existing Db::vacuum()
// should be run to update existing pages.

match Db::init(Some(config)) {
    Ok(_) => assert!(true),
    _ => assert!(false, "Failed to create db from config")
}

pub fn new() -> Result<Db>[src]

new db

Db::new() will create a folder structure and system files used by the database or read existing ones. Nothing else is written to disk without specific calls to do so.

  • Returns
    • Result: Instance of db with default config
use crate::mycelium_core::prelude::*;

match Db::new() {
    Ok(_) => assert!(true),
    _ => assert!(false, "failed to start db core.")
}

pub fn add(&self, item: &[u8], tag: &str) -> Result<[u8; 16], Box<dyn Error>>[src]

Add item to container.

  • Parameters

    • Item: Reference to byte array of item.
    • Tag: Container for item.
  • Returns

    • Result(DbId)
use crate::mycelium_core::Db;

// new db
let db = Db::new().expect("Failed to create db");
// add an item
let id = db.add(b"new item", "tag").expect("Failed to add item");
// should get a new id back. Id should not be [0;16] as that is
// an empty id from Uuid.
assert!(id != [0 as u8; 16])

pub fn get(&self, tag: &str, id: DbId) -> Option<Node>[src]

Get a node (struct that wraps the serialized item).

  • Parameters

    • tag: name of container containing the item
    • id: [u8;16] identifier for a head node
  • Returns

    • Option: None if nothing found.
use crate::mycelium_core::Db;

//new db
let db = Db::new().expect("Failed to create db.");
//get an item that doesn't exist
let item_none = db.get("no_exist", [0;16]);
//should be none
assert!(item_none.is_none());

//add an item to tag tag
let id = db.add(b"item bytes", "tag").expect("Failed to add item.");
//get item just added with id
let item_b = db.get("tag", id).unwrap();
//item should have same contents
assert!(b"item bytes".to_vec() == item_b.get_item())

pub fn get_reserved_sys(&self) -> PathBuf[src]

pub fn get_tag(&self, tag: &str) -> Option<Vec<Node>>[src]

Get all items in tag

  • Parameters

    • tag: Tag identifier to fetch items of
  • Returns:

    • Option<Vec>: list of nodes
use crate::mycelium_core::Db;

// new db
let db = Db::new().expect("Failed to create db");
// get items for non-existing tag
let empty = db.get_tag("emtpy_tag");
// should be empty
assert!(empty.is_none());

//add some items to tag dog
db.add(b"shepherd", "dog").expect("Failed to add to db");
db.add(b"pitbull", "dog").expect("Failed to add to db");
//get a list of items in tag dog
let dog_list = db.get_tag("dog").expect("Failed to get a result");
//should get 2 back
assert!(dog_list.len() == 2);

pub fn get_tag_hashmap(&self, tag: &str) -> Option<HashMap<DbId, Node>>[src]

All nodes in tag as hashmap

  • Parameters:

    • tag: container id
  • Returns:

    • Option<HashMap<DbId,Node>>>
use crate::mycelium_core::Db;

// new db
let db = Db::new().expect("Failed to create db");
// add an item (returns an id we are ignoring)
db.add(b"Some bytes", "tag").expect("Failed to add to db");
// get hashmap
let hm = db.get_tag_hashmap("tag").expect("Failed to get map");

assert!(hm.len() == 1);

pub fn get_working_dir(&self) -> PathBuf[src]

pub fn get_system_id(&self) -> DbId[src]

pub fn list_tags(&self) -> Vec<String>[src]

pub fn load_tag(&self, tag: &str) -> Result<()>[src]

Load tag from disk

Multiple calls will destroy in memory changes replacing with what is on disk. load_tag on emtpy tag will result in container being created.

  • Parameters

    • tag: container name
  • Return

    • Result: ()/Err
use crate::mycelium_core::Db;

//new db
let db = Db::new().expect("Failed to create new db");

match db.load_tag("no_exists") {
    Ok(_) => assert!(true),
    Err(_) => assert!(false, "Error on load non existent tag"),
};

pub fn node_history(
    &mut self,
    tag: &str,
    node_id: DbId,
    limit: usize
) -> Option<(Option<Node>, Vec<Node>)>
[src]

Load Node History

Nodes are a lazily loaded linked list with the most recent version as the head. Load the past versions of a node into memory before retrieving them.

  • Parameters

    • tag: container name containing node
    • node_id: Id for node to load history list for
  • Returns

    • Tuple.0: Head of node list. None if node has been archived
    • Tuple.1: List of node versions
use crate::mycelium_core::Db;

// new db
let mut db = Db::new().expect("Failed to create db");

// add item
let id = db.add(b"shepherd", "dog").expect("Failed to add item");
// update node
db.update_node(id, b"German Shepherd", "dog").expect("Failed to update");
// query history
let result = db.node_history("dog", id, 0).expect("Failed to get node history");

assert!(result.0.is_some() && result.1.len() ==1);

pub fn refresh(&self, tag: &str) -> Result<(), Box<dyn Error>>[src]

Refresh Tag

Load tag from disk. Will drop any changes currently in memory.

  • Parameters

    • tag: container name
  • Return

    • Result: (), Box
use crate::mycelium_core::Db;

// new db
let db = Db::new().expect("Failed to create db");

// Loads from disk.
match db.refresh("dog") {
    Ok(_) => assert!(true),
    Err(_) => assert!(false),
}

pub fn save_all(&self) -> Result<(), Error>[src]

pub fn update_node(
    &self,
    node_id: DbId,
    item: &[u8],
    tag: &str
) -> Result<(), Box<dyn Error>>
[src]

Update Node

On update new node is pushed onto head of list structure and original is pushed into history.

  • Parameters:

    • node_id: [u8; 16] id of list head node
    • item: &u8 byte array of item
    • tag: container id of item
  • Returns

    • Result: (), Err.
use crate::mycelium_core::Db;

//new db
let db = Db::new().expect("Failed to create db");

// add item
let id = db.add(b"item bytes", "item").expect("Failed to add item");
// update item
match db.update_node(id, b"better bytes", "item") {
    Ok(_) => assert!(true),
    Err(_) => assert!(false, "Failed to update")
}

Auto Trait Implementations

impl Send for Db

impl Sync for Db

impl Unpin for Db

impl UnwindSafe for Db

impl RefUnwindSafe for Db

Blanket Implementations

impl<T, U> Into<U> for T where
    U: From<T>, 
[src]

impl<T> From<T> for T[src]

impl<T, U> TryFrom<U> for T where
    U: Into<T>, 
[src]

type Error = Infallible

The type returned in the event of a conversion error.

impl<T, U> TryInto<U> for T where
    U: TryFrom<T>, 
[src]

type Error = <U as TryFrom<T>>::Error

The type returned in the event of a conversion error.

impl<T> Borrow<T> for T where
    T: ?Sized
[src]

impl<T> BorrowMut<T> for T where
    T: ?Sized
[src]

impl<T> Any for T where
    T: 'static + ?Sized
[src]