General cleanup and rework

This commit is contained in:
Pierre Krieger 2017-11-15 17:24:28 +01:00
parent a533300e8f
commit aeceb04d50
15 changed files with 910 additions and 338 deletions

View File

@ -4,7 +4,6 @@ members = [
"multistream-select", "multistream-select",
"datastore", "datastore",
"libp2p-host", "libp2p-host",
"libp2p-peer",
"libp2p-peerstore", "libp2p-peerstore",
"libp2p-transport", "libp2p-transport",
"libp2p-tcp-transport", "libp2p-tcp-transport",

View File

@ -5,8 +5,8 @@ authors = ["Parity Technologies <admin@parity.io>"]
[dependencies] [dependencies]
base64 = "0.7" base64 = "0.7"
chashmap = "2.2"
futures = "0.1" futures = "0.1"
parking_lot = "0.4"
serde = "1.0" serde = "1.0"
serde_json = "1.0" serde_json = "1.0"
tempfile = "2.2" tempfile = "2.2"

View File

@ -18,35 +18,37 @@
// FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER // FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
// DEALINGS IN THE SOFTWARE. // DEALINGS IN THE SOFTWARE.
//! Implementation of `Datastore` that uses a single plain JSON file for storage.
use Datastore; use Datastore;
use chashmap::{CHashMap, WriteGuard};
use futures::Future; use futures::Future;
use futures::stream::{Stream, iter_ok}; use futures::stream::{Stream, iter_ok};
use parking_lot::Mutex;
use query::{Query, naive_apply_query}; use query::{Query, naive_apply_query};
use serde::Serialize; use serde::Serialize;
use serde::de::DeserializeOwned; use serde::de::DeserializeOwned;
use serde_json::{Map, from_value, to_value, from_reader, to_writer}; use serde_json::{Map, from_value, to_value, from_reader, to_writer};
use serde_json::value::Value; use serde_json::value::Value;
use std::borrow::Cow; use std::borrow::Cow;
use std::collections::HashMap;
use std::fs; use std::fs;
use std::io::Cursor; use std::io::Cursor;
use std::io::Error as IoError; use std::io::Error as IoError;
use std::io::ErrorKind as IoErrorKind; use std::io::ErrorKind as IoErrorKind;
use std::io::Read; use std::io::Read;
use std::ops::{Deref, DerefMut};
use std::path::PathBuf; use std::path::PathBuf;
use tempfile::NamedTempFile; use tempfile::NamedTempFile;
/// Implementation of `Datastore` that uses a single plain JSON file. /// Implementation of `Datastore` that uses a single plain JSON file.
pub struct JsonFileDatastore<T> pub struct JsonFileDatastore<T>
where T: Serialize + DeserializeOwned where T: Serialize + DeserializeOwned + Clone
{ {
path: PathBuf, path: PathBuf,
content: Mutex<HashMap<String, T>>, content: CHashMap<String, T>,
} }
impl<T> JsonFileDatastore<T> impl<T> JsonFileDatastore<T>
where T: Serialize + DeserializeOwned where T: Serialize + DeserializeOwned + Clone
{ {
/// Opens or creates the datastore. If the path refers to an existing path, then this function /// Opens or creates the datastore. If the path refers to an existing path, then this function
/// will attempt to load an existing set of values from it (which can result in an error). /// will attempt to load an existing set of values from it (which can result in an error).
@ -59,7 +61,7 @@ impl<T> JsonFileDatastore<T>
if !path.exists() { if !path.exists() {
return Ok(JsonFileDatastore { return Ok(JsonFileDatastore {
path: path, path: path,
content: Mutex::new(HashMap::new()), content: CHashMap::new(),
}); });
} }
@ -74,12 +76,12 @@ impl<T> JsonFileDatastore<T>
let mut first_byte = [0]; let mut first_byte = [0];
if file.read(&mut first_byte)? == 0 { if file.read(&mut first_byte)? == 0 {
// File is empty. // File is empty.
HashMap::new() CHashMap::new()
} else { } else {
match from_reader::<_, Value>(Cursor::new(first_byte).chain(file)) { match from_reader::<_, Value>(Cursor::new(first_byte).chain(file)) {
Ok(Value::Null) => HashMap::new(), Ok(Value::Null) => CHashMap::new(),
Ok(Value::Object(map)) => { Ok(Value::Object(map)) => {
let mut out = HashMap::with_capacity(map.len()); let mut out = CHashMap::with_capacity(map.len());
for (key, value) in map.into_iter() { for (key, value) in map.into_iter() {
let value = match from_value(value) { let value = match from_value(value) {
Ok(v) => v, Ok(v) => v,
@ -99,10 +101,7 @@ impl<T> JsonFileDatastore<T>
} }
}; };
Ok(JsonFileDatastore { Ok(JsonFileDatastore { path: path, content: content })
path: path,
content: Mutex::new(content),
})
} }
/// Flushes the content of the datastore to the disk. /// Flushes the content of the datastore to the disk.
@ -110,22 +109,24 @@ impl<T> JsonFileDatastore<T>
/// This function can only fail in case of a disk access error. If an error occurs, any change /// This function can only fail in case of a disk access error. If an error occurs, any change
/// to the datastore that was performed since the last successful flush will be lost. No data /// to the datastore that was performed since the last successful flush will be lost. No data
/// will be corrupted. /// will be corrupted.
pub fn flush(&self) -> Result<(), IoError> { pub fn flush(&self) -> Result<(), IoError>
where T: Clone
{
// Create a temporary file in the same directory as the destination, which avoids the // Create a temporary file in the same directory as the destination, which avoids the
// problem of having a file cleaner delete our file while we use it. // problem of having a file cleaner delete our file while we use it.
let self_path_parent = self.path let self_path_parent = self.path
.parent() .parent()
.ok_or(IoError::new( .ok_or(IoError::new(
IoErrorKind::Other, IoErrorKind::Other,
"couldn't get parent directory of destination", "couldn't get parent directory of destination",
))?; ))?;
let mut temporary_file = NamedTempFile::new_in(self_path_parent)?; let mut temporary_file = NamedTempFile::new_in(self_path_parent)?;
let content = self.content.lock(); let content = self.content.clone().into_iter();
to_writer( to_writer(
&mut temporary_file, &mut temporary_file,
&content.iter().map(|(k, v)| (k.clone(), to_value(v).unwrap())).collect::<Map<_, _>>(), &content.map(|(k, v)| (k, to_value(v).unwrap())).collect::<Map<_, _>>(),
)?; // TODO: panic! )?;
temporary_file.sync_data()?; temporary_file.sync_data()?;
// Note that `persist` will fail if we try to persist across filesystems. However that // Note that `persist` will fail if we try to persist across filesystems. However that
@ -136,60 +137,75 @@ impl<T> JsonFileDatastore<T>
} }
} }
impl<T> Datastore<T> for JsonFileDatastore<T> impl<'a, T> Datastore<T> for &'a JsonFileDatastore<T>
where T: Clone + Serialize + DeserializeOwned + Default + Ord + 'static where T: Clone + Serialize + DeserializeOwned + Default + PartialOrd + 'static
{ {
type Entry = JsonFileDatastoreEntry<'a, T>;
type QueryResult = Box<Stream<Item = (String, T), Error = IoError> + 'a>;
#[inline] #[inline]
fn put(&self, key: Cow<str>, value: T) { fn lock(self, key: Cow<str>) -> Option<Self::Entry> {
let mut content = self.content.lock(); self.content.get_mut(&key.into_owned()).map(JsonFileDatastoreEntry)
content.insert(key.into_owned(), value);
} }
fn get(&self, key: &str) -> Option<T> { #[inline]
let content = self.content.lock(); fn lock_or_create(self, key: Cow<str>) -> Self::Entry {
// If the JSON is malformed, we just ignore the value. loop {
content.get(key).cloned() self.content.upsert(key.clone().into_owned(), || Default::default(), |_| {});
// There is a slight possibility that another thread will delete our value in this
// small interval. If this happens, we just loop and reinsert the value again until
// we can acquire a lock.
if let Some(v) = self.content.get_mut(&key.clone().into_owned()) {
return JsonFileDatastoreEntry(v);
}
}
} }
fn has(&self, key: &str) -> bool { #[inline]
let content = self.content.lock(); fn put(self, key: Cow<str>, value: T) {
content.contains_key(key) self.content.insert(key.into_owned(), value);
} }
fn delete(&self, key: &str) -> bool { #[inline]
let mut content = self.content.lock(); fn get(self, key: &str) -> Option<T> {
content.remove(key).is_some() self.content.get(&key.to_owned()).map(|v| v.clone())
} }
fn query<'a>( #[inline]
&'a self, fn has(self, key: &str) -> bool {
query: Query<T>, self.content.contains_key(&key.to_owned())
) -> Box<Stream<Item = (String, T), Error = IoError> + 'a> { }
let content = self.content.lock();
#[inline]
fn delete(self, key: &str) -> Option<T> {
self.content.remove(&key.to_owned())
}
fn query(self, query: Query<T>) -> Self::QueryResult {
let content = self.content.clone();
let keys_only = query.keys_only; let keys_only = query.keys_only;
let content_stream = iter_ok(content.iter().filter_map(|(key, value)| { let content_stream = iter_ok(content.into_iter().filter_map(|(key, value)| {
// Skip values that are malformed. // Skip values that are malformed.
let value = if keys_only { Default::default() } else { value.clone() }; let value = if keys_only { Default::default() } else { value };
Some((key, value))
Some((key.clone(), value))
})); }));
// `content_stream` reads from the content of the `Mutex`, so we need to clone the data // `content_stream` reads from the content of the `Mutex`, so we need to clone the data
// into a `Vec` before returning. // into a `Vec` before returning.
let collected = naive_apply_query(content_stream, query) let collected = naive_apply_query(content_stream, query).collect().wait().expect(
.collect() "can only fail if either `naive_apply_query` or `content_stream` produce \
.wait() an error, which cann't happen",
.expect("can only fail if either `naive_apply_query` or `content_stream` produce \ );
an error, which cann't happen");
let output_stream = iter_ok(collected.into_iter()); let output_stream = iter_ok(collected.into_iter());
Box::new(output_stream) as Box<_> Box::new(output_stream) as Box<_>
} }
} }
impl<T> Drop for JsonFileDatastore<T> impl<T> Drop for JsonFileDatastore<T>
where T: Serialize + DeserializeOwned where T: Serialize + DeserializeOwned + Clone
{ {
#[inline] #[inline]
fn drop(&mut self) { fn drop(&mut self) {
@ -203,6 +219,27 @@ impl<T> Drop for JsonFileDatastore<T>
} }
} }
/// Implementation of `Datastore` that uses a single plain JSON file.
pub struct JsonFileDatastoreEntry<'a, T>(WriteGuard<'a, String, T>) where T: 'a;
impl<'a, T> Deref for JsonFileDatastoreEntry<'a, T>
where T: 'a
{
type Target = T;
fn deref(&self) -> &T {
&*self.0
}
}
impl<'a, T> DerefMut for JsonFileDatastoreEntry<'a, T>
where T: 'a
{
fn deref_mut(&mut self) -> &mut T {
&mut *self.0
}
}
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {
use {Query, Order, Filter, FilterTy, FilterOp}; use {Query, Order, Filter, FilterTy, FilterOp};
@ -259,9 +296,9 @@ mod tests {
limit: u64::max_value(), limit: u64::max_value(),
keys_only: false, keys_only: false,
}) })
.collect() .collect()
.wait() .wait()
.unwrap(); .unwrap();
assert_eq!(query[0].0, "foo4"); assert_eq!(query[0].0, "foo4");
assert_eq!(query[0].1, &[10, 11, 12]); assert_eq!(query[0].1, &[10, 11, 12]);

View File

@ -19,9 +19,9 @@
// DEALINGS IN THE SOFTWARE. // DEALINGS IN THE SOFTWARE.
extern crate base64; extern crate base64;
extern crate chashmap;
#[macro_use] #[macro_use]
extern crate futures; extern crate futures;
extern crate parking_lot;
extern crate serde; extern crate serde;
extern crate serde_json; extern crate serde_json;
extern crate tempfile; extern crate tempfile;
@ -29,34 +29,67 @@ extern crate tempfile;
use futures::Stream; use futures::Stream;
use std::borrow::Cow; use std::borrow::Cow;
use std::io::Error as IoError; use std::io::Error as IoError;
use std::ops::DerefMut;
mod query; mod query;
mod json_file; mod json_file;
pub use self::json_file::JsonFileDatastore; pub use self::json_file::{JsonFileDatastore, JsonFileDatastoreEntry};
pub use self::query::{Query, Order, Filter, FilterTy, FilterOp}; pub use self::query::{Query, Order, Filter, FilterTy, FilterOp};
/// Abstraction over any struct that can store `(key, value)` pairs. /// Abstraction over any struct that can store `(key, value)` pairs.
pub trait Datastore<T> { pub trait Datastore<T> {
/// Sets the value of a key. /// Locked entry.
fn put(&self, key: Cow<str>, value: T); type Entry: DerefMut<Target = T>;
/// Output of a query.
type QueryResult: Stream<Item = (String, T), Error = IoError>;
/// Returns the value corresponding to this key. /// Sets the value of a key.
// TODO: use higher-kinded stuff once stable to provide a more generic "accessor" for the data #[inline]
fn get(&self, key: &str) -> Option<T>; fn put(self, key: Cow<str>, value: T)
where Self: Sized
{
*self.lock_or_create(key) = value;
}
/// Checks if an entry exists, and if so locks it.
///
/// Trying to lock a value that is already locked will block, therefore you should keep locks
/// for a duration that is as short as possible.
fn lock(self, key: Cow<str>) -> Option<Self::Entry>;
/// Locks an entry if it exists, or creates it otherwise.
///
/// Same as `put` followed with `lock`, except that it is atomic.
fn lock_or_create(self, key: Cow<str>) -> Self::Entry;
/// Returns the value corresponding to this key by cloning it.
#[inline]
fn get(self, key: &str) -> Option<T>
where Self: Sized,
T: Clone
{
self.lock(key.into()).map(|v| v.clone())
}
/// Returns true if the datastore contains the given key. /// Returns true if the datastore contains the given key.
fn has(&self, key: &str) -> bool; ///
/// > **Note**: Keep in mind that using this operation is probably racy. A secondary thread
/// > can delete a key right after you called `has()`. In other words, this function
/// > returns whether an entry with that key existed in the short past.
#[inline]
fn has(self, key: &str) -> bool
where Self: Sized
{
self.lock(key.into()).is_some()
}
/// Removes the given key from the datastore. Returns true if the key existed. /// Removes the given key from the datastore. Returns the old value if the key existed.
fn delete(&self, key: &str) -> bool; fn delete(self, key: &str) -> Option<T>;
/// Executes a query on the key-value store. /// Executes a query on the key-value store.
/// ///
/// This operation is expensive on some implementations and cheap on others. It is your /// This operation is expensive on some implementations and cheap on others. It is your
/// responsibility to pick the right implementation for the right job. /// responsibility to pick the right implementation for the right job.
fn query<'a>( fn query(self, query: Query<T>) -> Self::QueryResult;
&'a self,
query: Query<T>,
) -> Box<Stream<Item = (String, T), Error = IoError> + 'a>;
} }

View File

@ -92,7 +92,7 @@ pub enum Order {
pub fn naive_apply_query<'a, S, V>(stream: S, query: Query<'a, V>) pub fn naive_apply_query<'a, S, V>(stream: S, query: Query<'a, V>)
-> StreamTake<StreamSkip<NaiveKeysOnlyApply<NaiveApplyOrdered<NaiveFiltersApply<'a, NaivePrefixApply<'a, S>, VecIntoIter<Filter<'a, V>>>, V>>>> -> StreamTake<StreamSkip<NaiveKeysOnlyApply<NaiveApplyOrdered<NaiveFiltersApply<'a, NaivePrefixApply<'a, S>, VecIntoIter<Filter<'a, V>>>, V>>>>
where S: Stream<Item = (String, V), Error = IoError> + 'a, where S: Stream<Item = (String, V), Error = IoError> + 'a,
V: Clone + Ord + Default + 'static V: Clone + PartialOrd + Default + 'static
{ {
let prefixed = naive_apply_prefix(stream, query.prefix); let prefixed = naive_apply_prefix(stream, query.prefix);
let filtered = naive_apply_filters(prefixed, query.filters.into_iter()); let filtered = naive_apply_filters(prefixed, query.filters.into_iter());
@ -129,7 +129,7 @@ pub struct NaiveKeysOnlyApply<S> {
impl<S, T> Stream for NaiveKeysOnlyApply<S> impl<S, T> Stream for NaiveKeysOnlyApply<S>
where S: Stream<Item = (String, T), Error = IoError>, where S: Stream<Item = (String, T), Error = IoError>,
T: Default T: Default
{ {
type Item = (String, T); type Item = (String, T);
type Error = IoError; type Error = IoError;
@ -188,9 +188,9 @@ impl<'a, S, T> Stream for NaivePrefixApply<'a, S>
/// is empty. Otherwise will need to collect. /// is empty. Otherwise will need to collect.
pub fn naive_apply_ordered<'a, S, I, V>(stream: S, orders_iter: I) -> NaiveApplyOrdered<'a, S, V> pub fn naive_apply_ordered<'a, S, I, V>(stream: S, orders_iter: I) -> NaiveApplyOrdered<'a, S, V>
where S: Stream<Item = (String, V), Error = IoError> + 'a, where S: Stream<Item = (String, V), Error = IoError> + 'a,
I: IntoIterator<Item = Order>, I: IntoIterator<Item = Order>,
I::IntoIter: 'a, I::IntoIter: 'a,
V: Ord + 'static V: PartialOrd + 'static
{ {
let orders_iter = orders_iter.into_iter(); let orders_iter = orders_iter.into_iter();
if orders_iter.size_hint().1 == Some(0) { if orders_iter.size_hint().1 == Some(0) {
@ -198,26 +198,26 @@ pub fn naive_apply_ordered<'a, S, I, V>(stream: S, orders_iter: I) -> NaiveApply
} }
let collected = stream.collect() let collected = stream.collect()
.and_then(move |mut collected| { .and_then(move |mut collected| {
for order in orders_iter { for order in orders_iter {
match order { match order {
Order::ByValueAsc => { Order::ByValueAsc => {
collected.sort_by(|a, b| a.1.cmp(&b.1)); collected.sort_by(|a, b| a.1.partial_cmp(&b.1).unwrap_or(Ordering::Equal));
} }
Order::ByValueDesc => { Order::ByValueDesc => {
collected.sort_by(|a, b| b.1.cmp(&a.1)); collected.sort_by(|a, b| b.1.partial_cmp(&a.1).unwrap_or(Ordering::Equal));
} }
Order::ByKeyAsc => { Order::ByKeyAsc => {
collected.sort_by(|a, b| a.0.cmp(&b.0)); collected.sort_by(|a, b| a.0.partial_cmp(&b.0).unwrap_or(Ordering::Equal));
} }
Order::ByKeyDesc => { Order::ByKeyDesc => {
collected.sort_by(|a, b| b.0.cmp(&a.0)); collected.sort_by(|a, b| b.0.partial_cmp(&a.0).unwrap_or(Ordering::Equal));
} }
} }
} }
Ok(iter_ok(collected.into_iter())) Ok(iter_ok(collected.into_iter()))
}) })
.flatten_stream(); .flatten_stream();
NaiveApplyOrdered { inner: NaiveApplyOrderedInner::Collected(Box::new(collected)) } NaiveApplyOrdered { inner: NaiveApplyOrderedInner::Collected(Box::new(collected)) }
} }
@ -251,8 +251,8 @@ impl<'a, S, V> Stream for NaiveApplyOrdered<'a, S, V>
#[inline] #[inline]
pub fn naive_apply_filters<'a, S, I, V>(stream: S, filters: I) -> NaiveFiltersApply<'a, S, I> pub fn naive_apply_filters<'a, S, I, V>(stream: S, filters: I) -> NaiveFiltersApply<'a, S, I>
where S: Stream<Item = (String, V), Error = IoError>, where S: Stream<Item = (String, V), Error = IoError>,
I: Iterator<Item = Filter<'a, V>> + Clone, I: Iterator<Item = Filter<'a, V>> + Clone,
V: 'a V: 'a
{ {
NaiveFiltersApply { NaiveFiltersApply {
filters: filters, filters: filters,
@ -271,8 +271,8 @@ pub struct NaiveFiltersApply<'a, S, I> {
impl<'a, S, I, T> Stream for NaiveFiltersApply<'a, S, I> impl<'a, S, I, T> Stream for NaiveFiltersApply<'a, S, I>
where S: Stream<Item = (String, T), Error = IoError>, where S: Stream<Item = (String, T), Error = IoError>,
I: Iterator<Item = Filter<'a, T>> + Clone, I: Iterator<Item = Filter<'a, T>> + Clone,
T: Ord + 'a T: PartialOrd + 'a
{ {
type Item = (String, T); type Item = (String, T);
type Error = IoError; type Error = IoError;
@ -298,7 +298,7 @@ impl<'a, S, I, T> Stream for NaiveFiltersApply<'a, S, I>
#[inline] #[inline]
fn naive_filter_test<T>(entry: &(String, T), filter: &Filter<T>) -> bool fn naive_filter_test<T>(entry: &(String, T), filter: &Filter<T>) -> bool
where T: Ord where T: PartialOrd
{ {
let (expected_ordering, revert_expected) = match filter.operation { let (expected_ordering, revert_expected) = match filter.operation {
FilterOp::Equal => (Ordering::Equal, false), FilterOp::Equal => (Ordering::Equal, false),
@ -314,7 +314,7 @@ fn naive_filter_test<T>(entry: &(String, T), filter: &Filter<T>) -> bool
((&*entry.0).cmp(&**ref_value) == expected_ordering) != revert_expected ((&*entry.0).cmp(&**ref_value) == expected_ordering) != revert_expected
} }
FilterTy::ValueCompare(ref ref_value) => { FilterTy::ValueCompare(ref ref_value) => {
(entry.1.cmp(&**ref_value) == expected_ordering) != revert_expected (entry.1.partial_cmp(&**ref_value) == Some(expected_ordering)) != revert_expected
} }
} }
} }

View File

@ -1,10 +0,0 @@
[package]
name = "libp2p-peer"
version = "0.1.0"
authors = ["Parity Technologies <admin@parity.io>"]
[dependencies]
base58 = "0.1"
[dev-dependencies]
multihash = "0.6"

View File

@ -1,55 +0,0 @@
extern crate base58;
use std::fmt;
use base58::ToBase58;
/// A PeerId is a reference to a multihash
/// Ideally we would want to store the Multihash object directly here but because
/// the multihash package is lacking some things right now, lets store a reference to
/// some bytes that represent the full bytes of the multihash
#[derive(PartialEq, Eq, Hash, Debug, Clone)]
pub struct PeerId {
/// Rereference to multihash bytes
multihash: Vec<u8>
}
impl fmt::Display for PeerId {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(f, "{}", self.to_base58())
}
}
impl PeerId {
/// Create a new PeerId from a multihash
pub fn new(mh: Vec<u8>) -> PeerId {
PeerId { multihash: mh }
}
/// Outputs the multihash as a Base58 string,
/// this is what we use as our stringified version of the ID
pub fn to_base58(&self) -> String {
self.multihash.to_base58()
}
}
#[cfg(test)]
mod tests {
extern crate multihash;
use self::multihash::{encode, Hash};
use super::{PeerId};
#[test]
fn peer_id_produces_correct_b58() {
let multihash_bytes = encode(Hash::SHA2256, b"hello world").unwrap();
let peer_id = PeerId::new(multihash_bytes);
assert_eq!(peer_id.to_base58(), "QmaozNR7DZHQK1ZcU9p7QdrshMvXqWK6gpu5rmrkPdT3L4");
}
#[test]
fn string_key_concatenates_correctly() {
let multihash_bytes = encode(Hash::SHA2256, b"hello world").unwrap();
let peer_id = PeerId::new(multihash_bytes);
assert_eq!(peer_id.string_key("hello"), "QmaozNR7DZHQK1ZcU9p7QdrshMvXqWK6gpu5rmrkPdT3L4/hello");
}
}

View File

@ -4,6 +4,14 @@ version = "0.1.0"
authors = ["Parity Technologies <admin@parity.io>"] authors = ["Parity Technologies <admin@parity.io>"]
[dependencies] [dependencies]
error-chain = "0.11" base58 = "0.1.0"
datastore = { path = "../datastore" }
futures = "0.1.0"
owning_ref = "0.3.3"
multiaddr = "0.2" multiaddr = "0.2"
libp2p-peer = { path = "../libp2p-peer" } multihash = { path = "../multihash" }
serde = "1.0"
serde_derive = "1.0"
[dev-dependencies]
tempfile = "2.2"

View File

@ -0,0 +1,154 @@
// Copyright 2017 Parity Technologies (UK) Ltd.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the "Software"),
// to deal in the Software without restriction, including without limitation
// the rights to use, copy, modify, merge, publish, distribute, sublicense,
// and/or sell copies of the Software, and to permit persons to whom the
// Software is furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
// FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
// DEALINGS IN THE SOFTWARE.
//! Implementation of the `Peerstore` trait that uses a single JSON file as backend.
use super::TTL;
use PeerId;
use base58::{FromBase58, ToBase58};
use datastore::{Datastore, Query, JsonFileDatastore, JsonFileDatastoreEntry};
use futures::{Future, Stream};
use multiaddr::Multiaddr;
use multihash::Multihash;
use peer_info::{PeerInfo, AddAddrBehaviour};
use peerstore::{Peerstore, PeerAccess};
use std::io::Error as IoError;
use std::iter;
use std::path::PathBuf;
use std::vec::IntoIter as VecIntoIter;
/// Peerstore backend that uses a Json file.
pub struct JsonPeerstore {
store: JsonFileDatastore<PeerInfo>,
}
impl JsonPeerstore {
/// Opens a new peerstore tied to a JSON file at the given path.
///
/// If the file exists, this function will open it. In any case, flushing the peerstore or
/// destroying it will write to the file.
#[inline]
pub fn new<P>(path: P) -> Result<JsonPeerstore, IoError>
where P: Into<PathBuf>
{
Ok(JsonPeerstore { store: JsonFileDatastore::new(path)? })
}
/// Flushes the content of the peer store to the disk.
///
/// This function can only fail in case of a disk access error. If an error occurs, any change
/// to the peerstore that was performed since the last successful flush will be lost. No data
/// will be corrupted.
#[inline]
pub fn flush(&self) -> Result<(), IoError> {
self.store.flush()
}
}
impl<'a> Peerstore for &'a JsonPeerstore {
type PeerAccess = JsonPeerstoreAccess<'a>;
type PeersIter = Box<Iterator<Item = PeerId>>;
#[inline]
fn peer(self, peer_id: &PeerId) -> Option<Self::PeerAccess> {
let hash = peer_id.clone().as_bytes().to_base58();
self.store.lock(hash.into()).map(JsonPeerstoreAccess)
}
#[inline]
fn peer_or_create(self, peer_id: &PeerId) -> Self::PeerAccess {
let hash = peer_id.clone().as_bytes().to_base58();
JsonPeerstoreAccess(self.store.lock_or_create(hash.into()))
}
fn peers(self) -> Self::PeersIter {
let query = self.store.query(Query {
prefix: "".into(),
filters: vec![],
orders: vec![],
skip: 0,
limit: u64::max_value(),
keys_only: true,
});
let list = query.filter_map(|(key, _)| {
// We filter out invalid elements. This can happen if the JSON storage file was
// corrupted or manually modified by the user.
match key.from_base58() {
Ok(bytes) => Multihash::decode_bytes(bytes).ok(),
Err(_) => return None,
}
})
.collect()
.wait(); // Wait can never block for the JSON datastore.
// Need to handle I/O errors. Again we just ignore.
if let Ok(list) = list {
Box::new(list.into_iter()) as Box<_>
} else {
Box::new(iter::empty()) as Box<_>
}
}
}
pub struct JsonPeerstoreAccess<'a>(JsonFileDatastoreEntry<'a, PeerInfo>);
impl<'a> PeerAccess for JsonPeerstoreAccess<'a> {
type AddrsIter = VecIntoIter<Multiaddr>;
#[inline]
fn addrs(&self) -> Self::AddrsIter {
self.0.addrs().cloned().collect::<Vec<_>>().into_iter()
}
#[inline]
fn add_addr(&mut self, addr: Multiaddr, ttl: TTL) {
self.0.add_addr(addr, ttl, AddAddrBehaviour::IgnoreTtlIfInferior);
}
#[inline]
fn set_addr_ttl(&mut self, addr: Multiaddr, ttl: TTL) {
self.0.add_addr(addr, ttl, AddAddrBehaviour::OverwriteTtl);
}
#[inline]
fn clear_addrs(&mut self) {
self.0.set_addrs(iter::empty());
}
#[inline]
fn get_pub_key(&self) -> Option<&[u8]> {
self.0.public_key()
}
#[inline]
fn set_pub_key(&mut self, key: Vec<u8>) {
self.0.set_public_key(key);
}
}
#[cfg(test)]
mod tests {
extern crate tempfile;
peerstore_tests!(
{::json_peerstore::JsonPeerstore::new(temp_file.path()).unwrap()}
{let temp_file = self::tempfile::NamedTempFile::new().unwrap()}
);
}

View File

@ -1,9 +1,55 @@
#[macro_use] extern crate error_chain; // Copyright 2017 Parity Technologies (UK) Ltd.
extern crate multiaddr; //
extern crate libp2p_peer as peer; // Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the "Software"),
// to deal in the Software without restriction, including without limitation
// the rights to use, copy, modify, merge, publish, distribute, sublicense,
// and/or sell copies of the Software, and to permit persons to whom the
// Software is furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
// FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
// DEALINGS IN THE SOFTWARE.
mod memory_peerstore; //! # Peerstore
//!
//! The `peerstore` crate allows one to store information about a peer.
//! It is similar to a key-value database, where the keys are multihashes (generally the hash of
//! the public key of the peer, but that is not enforced by this crate) and the values are the
//! public key and a list of multiaddresses with a time-to-live.
//!
//! This crate consists in a generic `Peerstore` trait and various backends.
//!
//! Note that the peerstore implementations do not consider information inside a peer store to be
//! critical. In case of an error (eg. corrupted file, disk error, etc.) they will prefer to lose
//! data rather than returning the error.
extern crate base58;
extern crate datastore;
extern crate futures;
extern crate multiaddr;
extern crate multihash;
extern crate owning_ref;
extern crate serde;
#[macro_use]
extern crate serde_derive;
pub use self::peerstore::{Peerstore, PeerAccess};
#[macro_use]
mod peerstore_tests;
pub mod json_peerstore;
pub mod memory_peerstore;
mod peerstore; mod peerstore;
mod peer_info; mod peer_info;
pub type PeerId = multihash::Multihash;
pub type TTL = std::time::Duration; pub type TTL = std::time::Duration;

View File

@ -1,132 +1,123 @@
use std::collections::{HashMap, HashSet}; // Copyright 2017 Parity Technologies (UK) Ltd.
use std::collections::hash_map; //
use multiaddr::Multiaddr; // Permission is hereby granted, free of charge, to any person obtaining a
use peer::PeerId; // copy of this software and associated documentation files (the "Software"),
use peer_info::PeerInfo; // to deal in the Software without restriction, including without limitation
// the rights to use, copy, modify, merge, publish, distribute, sublicense,
// and/or sell copies of the Software, and to permit persons to whom the
// Software is furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
// FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
// DEALINGS IN THE SOFTWARE.
//! Implementation of the `Peerstore` trait that simple stores peers in memory.
use super::TTL; use super::TTL;
use peerstore::*; use PeerId;
use multiaddr::Multiaddr;
use multihash::Multihash;
use owning_ref::OwningRefMut;
use peer_info::{PeerInfo, AddAddrBehaviour};
use peerstore::{Peerstore, PeerAccess};
use std::collections::HashMap;
use std::iter;
use std::sync::{Mutex, MutexGuard};
use std::vec::IntoIter as VecIntoIter;
pub struct MemoryPeerstore<T> { /// Implementation of the `Peerstore` trait that simply stores the peer information in memory.
store: HashMap<PeerId, PeerInfo<T>>, pub struct MemoryPeerstore {
store: Mutex<HashMap<Multihash, PeerInfo>>,
} }
impl<T> MemoryPeerstore<T> { impl MemoryPeerstore {
pub fn new() -> MemoryPeerstore<T> { /// Initializes a new `MemoryPeerstore`. The database is initially empty.
MemoryPeerstore { #[inline]
store: HashMap::new(), pub fn empty() -> MemoryPeerstore {
} MemoryPeerstore { store: Mutex::new(HashMap::new()) }
} }
} }
impl<T> Peerstore<T> for MemoryPeerstore<T> { impl Default for MemoryPeerstore {
fn add_peer(&mut self, peer_id: PeerId, peer_info: PeerInfo<T>) { #[inline]
self.store.insert(peer_id, peer_info); fn default() -> MemoryPeerstore {
MemoryPeerstore::empty()
} }
/// Returns a list of peers in this Peerstore }
fn peers(&self) -> Vec<&PeerId> {
// this is terrible but I honestly can't think of any other way than to hand off ownership impl<'a> Peerstore for &'a MemoryPeerstore {
// through this type of allocation or handing off the entire hashmap and letting people do what they type PeerAccess = MemoryPeerstoreAccess<'a>;
// want with that type PeersIter = VecIntoIter<PeerId>;
self.store.keys().collect()
} fn peer(self, peer_id: &PeerId) -> Option<Self::PeerAccess> {
/// Returns the PeerInfo for a specific peer in this peer store, or None if it doesn't exist. let lock = self.store.lock().unwrap();
fn peer_info(&self, peer_id: &PeerId) -> Option<&PeerInfo<T>> { OwningRefMut::new(lock)
self.store.get(peer_id) .try_map_mut(|n| n.get_mut(peer_id).ok_or(()))
.ok()
.map(MemoryPeerstoreAccess)
} }
/// Try to get a property for a given peer fn peer_or_create(self, peer_id: &PeerId) -> Self::PeerAccess {
fn get_data(&self, peer_id: &PeerId, key: &str) -> Option<&T> { let lock = self.store.lock().unwrap();
match self.store.get(peer_id) { let r = OwningRefMut::new(lock)
None => None, .map_mut(|n| n.entry(peer_id.clone()).or_insert_with(|| PeerInfo::new()));
Some(peer_info) => peer_info.get_data(key), MemoryPeerstoreAccess(r)
}
}
/// Set a property for a given peer
fn put_data(&mut self, peer_id: &PeerId, key: String, val: T) {
match self.store.get_mut(peer_id) {
None => (),
Some(mut peer_info) => {
peer_info.set_data(key, val);
},
}
} }
/// Adds an address to a peer fn peers(self) -> Self::PeersIter {
fn add_addr(&mut self, peer_id: &PeerId, addr: Multiaddr, ttl: TTL) { let lock = self.store.lock().unwrap();
match self.store.get_mut(peer_id) { lock.keys().cloned().collect::<Vec<_>>().into_iter()
None => (), }
Some(peer_info) => peer_info.add_addr(addr), }
}
// Note: Rust doesn't provide a `MutexGuard::map` method, otherwise we could directly store a
// `MutexGuard<'a, (&'a Multihash, &'a PeerInfo)>`.
pub struct MemoryPeerstoreAccess<'a>(OwningRefMut<MutexGuard<'a, HashMap<Multihash, PeerInfo>>, PeerInfo>);
impl<'a> PeerAccess for MemoryPeerstoreAccess<'a> {
type AddrsIter = VecIntoIter<Multiaddr>;
#[inline]
fn addrs(&self) -> Self::AddrsIter {
self.0.addrs().cloned().collect::<Vec<_>>().into_iter()
} }
// AddAddrs gives AddrManager addresses to use, with a given ttl #[inline]
// (time-to-live), after which the address is no longer valid. fn add_addr(&mut self, addr: Multiaddr, ttl: TTL) {
// If the manager has a longer TTL, the operation is a no-op for that address self.0.add_addr(addr, ttl, AddAddrBehaviour::IgnoreTtlIfInferior);
fn add_addrs(&mut self, peer_id: &PeerId, addrs: Vec<Multiaddr>, ttl: TTL) {
match self.store.get_mut(peer_id) {
None => (),
Some(peer_info) => {
for addr in addrs {
peer_info.add_addr(addr)
}
},
}
} }
// SetAddr calls mgr.SetAddrs(p, addr, ttl) #[inline]
fn set_addr(&mut self, peer_id: &PeerId, addr: Multiaddr, ttl: TTL) { fn set_addr_ttl(&mut self, addr: Multiaddr, ttl: TTL) {
self.set_addrs(peer_id, vec![addr], ttl) self.0.add_addr(addr, ttl, AddAddrBehaviour::OverwriteTtl);
} }
// SetAddrs sets the ttl on addresses. This clears any TTL there previously. #[inline]
// This is used when we receive the best estimate of the validity of an address. fn clear_addrs(&mut self) {
fn set_addrs(&mut self, peer_id: &PeerId, addrs: Vec<Multiaddr>, ttl: TTL) { self.0.set_addrs(iter::empty());
match self.store.get_mut(peer_id) {
None => (),
Some(peer_info) => peer_info.set_addrs(addrs),
}
} }
/// Returns all known (and valid) addresses for a given peer #[inline]
fn addrs(&self, peer_id: &PeerId) -> &[Multiaddr] { fn get_pub_key(&self) -> Option<&[u8]> {
match self.store.get(peer_id) { self.0.public_key()
None => &[],
Some(peer_info) => peer_info.get_addrs(),
}
} }
/// Removes all previously stored addresses #[inline]
fn clear_addrs(&mut self, peer_id: &PeerId) { fn set_pub_key(&mut self, key: Vec<u8>) {
match self.store.get_mut(peer_id) { self.0.set_public_key(key);
None => (),
Some(peer_info) => peer_info.set_addrs(vec![]),
}
}
/// Get public key for a peer
fn get_pub_key(&self, peer_id: &PeerId) -> Option<&[u8]> {
self.store.get(peer_id).map(|peer_info| peer_info.get_public_key())
}
/// Set public key for a peer
fn set_pub_key(&mut self, peer_id: &PeerId, key: Vec<u8>) {
self.store.get_mut(peer_id).map(|peer_info| peer_info.set_public_key(key));
} }
} }
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {
use peer::PeerId; peerstore_tests!({
use super::{PeerInfo, Peerstore, MemoryPeerstore}; ::memory_peerstore::MemoryPeerstore::empty()
});
#[test]
fn insert_get_and_list() {
let peer_id = PeerId::new(vec![1,2,3]);
let peer_info = PeerInfo::new();
let mut peer_store: MemoryPeerstore<u8> = MemoryPeerstore::new();
peer_store.add_peer(peer_id.clone(), peer_info);
peer_store.put_data(&peer_id, "test".into(), 123u8).unwrap();
let got = peer_store.get_data(&peer_id, "test").expect("should be able to fetch");
assert_eq!(*got, 123u8);
}
} }

View File

@ -1,41 +1,195 @@
use std::time; // Copyright 2017 Parity Technologies (UK) Ltd.
use std::collections::{HashMap, HashSet}; //
use multiaddr::Multiaddr; // Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the "Software"),
// to deal in the Software without restriction, including without limitation
// the rights to use, copy, modify, merge, publish, distribute, sublicense,
// and/or sell copies of the Software, and to permit persons to whom the
// Software is furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
// FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
// DEALINGS IN THE SOFTWARE.
pub struct PeerInfo<T> { //! The objective of the `peerstore` crate is to provide a key-value storage. Keys are peer IDs,
public_key: Vec<u8>, //! and the `PeerInfo` struct in this module is the value.
addrs: Vec<Multiaddr>, //!
data: HashMap<String, T>, //! Note that the `PeerInfo` struct implements `PartialOrd` so that it can be stored in a
//! `Datastore`. This operation currently simply compares the public keys of the `PeerInfo`s.
//! If the `PeerInfo` struct ever gets exposed to the public API of the crate, we may want to give
//! more thoughts about this.
use TTL;
use multiaddr::Multiaddr;
use serde::{Serialize, Deserialize, Serializer, Deserializer};
use serde::de::Error as DeserializerError;
use serde::ser::SerializeStruct;
use std::cmp::Ordering;
use std::time::{Duration, SystemTime, UNIX_EPOCH};
/// Information about a peer.
#[derive(Debug, Clone, Default, PartialEq, Eq)]
pub struct PeerInfo {
// Adresses, and the time at which they will be considered expired.
addrs: Vec<(Multiaddr, SystemTime)>,
public_key: Option<Vec<u8>>,
} }
impl<T> PeerInfo<T> { impl PeerInfo {
pub fn new() -> PeerInfo<T> { /// Builds a new empty `PeerInfo`.
PeerInfo { #[inline]
public_key: vec![], pub fn new() -> PeerInfo {
addrs: vec![], PeerInfo { addrs: vec![], public_key: None }
data: HashMap::new(), }
/// Returns the list of the non-expired addresses stored in this `PeerInfo`.
///
/// > **Note**: Keep in mind that this function is racy because addresses can expire between
/// > the moment when you get them and the moment when you process them.
// TODO: use -> impl Iterator eventually
#[inline]
pub fn addrs<'a>(&'a self) -> Box<Iterator<Item = &'a Multiaddr> + 'a> {
let now = SystemTime::now();
Box::new(self.addrs.iter().filter_map(move |&(ref addr, ref expires)| if *expires >= now {
Some(addr)
} else {
None
}))
}
/// Sets the list of addresses and their time-to-live.
///
/// This removes all previously-stored addresses.
#[inline]
pub fn set_addrs<I>(&mut self, addrs: I)
where I: IntoIterator<Item = (Multiaddr, TTL)>
{
let now = SystemTime::now();
self.addrs = addrs.into_iter().map(move |(addr, ttl)| (addr, now + ttl)).collect();
}
/// Adds a single address and its time-to-live.
///
/// If the peer info already knows about that address but with a longer TTL, then the operation
/// is a no-op.
pub fn add_addr(&mut self, addr: Multiaddr, ttl: TTL, behaviour: AddAddrBehaviour) {
let expires = SystemTime::now() + ttl;
if let Some(&mut (_, ref mut existing_expires)) =
self.addrs.iter_mut().find(|&&mut (ref a, _)| a == &addr)
{
if behaviour == AddAddrBehaviour::OverwriteTtl || *existing_expires < expires {
*existing_expires = expires;
}
return;
}
self.addrs.push((addr, expires));
}
/// Sets the public key stored in this `PeerInfo`.
#[inline]
pub fn set_public_key(&mut self, key: Vec<u8>) {
self.public_key = Some(key);
}
/// Returns the public key stored in this `PeerInfo`, if any.
#[inline]
pub fn public_key(&self) -> Option<&[u8]> {
self.public_key.as_ref().map(|k| &**k)
}
}
/// Behaviour of the `add_addr` function.
#[derive(Debug, Copy, Clone, PartialEq, Eq)]
pub enum AddAddrBehaviour {
/// Always overwrite the existing TTL.
OverwriteTtl,
/// Don't overwrite if the TTL is larger.
IgnoreTtlIfInferior,
}
impl Serialize for PeerInfo {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where S: Serializer
{
let mut s = serializer.serialize_struct("PeerInfo", 2)?;
s.serialize_field(
"addrs",
&self.addrs
.iter()
.map(|&(ref addr, ref expires)| {
let addr = addr.to_bytes();
let from_epoch = expires.duration_since(UNIX_EPOCH)
// This `unwrap_or` case happens if the user has their system time set to
// before EPOCH. Times-to-live will be be longer than expected, but it's a very
// improbable corner case and is not attackable in any way, so we don't really
// care.
.unwrap_or(Duration::new(0, 0));
let secs = from_epoch.as_secs()
.saturating_mul(1_000)
.saturating_add(from_epoch.subsec_nanos() as u64 / 1_000_000);
(addr, secs)
})
.collect::<Vec<_>>(),
)?;
s.serialize_field("public_key", &self.public_key)?;
s.end()
}
}
impl<'de> Deserialize<'de> for PeerInfo {
fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
where D: Deserializer<'de>
{
// We deserialize to an intermdiate struct first, then turn that struct into a `PeerInfo`.
let interm = {
#[derive(Deserialize)]
struct Interm {
addrs: Vec<(String, u64)>,
public_key: Option<Vec<u8>>,
}
Interm::deserialize(deserializer)?
};
let addrs = {
let mut out = Vec::with_capacity(interm.addrs.len());
for (addr, since_epoch) in interm.addrs {
let addr = match Multiaddr::new(&addr) {
Ok(a) => a,
Err(err) => return Err(DeserializerError::custom(err)),
};
let expires = UNIX_EPOCH + Duration::from_millis(since_epoch);
out.push((addr, expires));
}
out
};
Ok(PeerInfo {
addrs: addrs,
public_key: interm.public_key,
})
}
}
impl PartialOrd for PeerInfo {
#[inline]
fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
// See module-level comment.
match (&self.public_key, &other.public_key) {
(&Some(ref my_pub), &Some(ref other_pub)) => {
Some(my_pub.cmp(other_pub))
}
_ => {
None
}
} }
} }
pub fn get_public_key(&self) -> &[u8] {
&self.public_key
}
pub fn set_public_key(&mut self, key: Vec<u8>) {
self.public_key = key;
}
pub fn get_addrs(&self) -> &[Multiaddr] {
&self.addrs
}
pub fn set_addrs(&mut self, addrs: Vec<Multiaddr>) {
self.addrs = addrs;
}
pub fn add_addr(&mut self, addr: Multiaddr) {
self.addrs.push(addr); // TODO: This is stupid, a more advanced thing using TTLs need to be implemented
self.addrs.dedup();
}
pub fn get_data(&self, key: &str) -> Option<&T> {
self.data.get(key)
}
pub fn set_data(&mut self, key: String, val: T) -> Option<T> {
self.data.insert(key, val)
}
} }

View File

@ -1,48 +1,104 @@
// Copyright 2017 Parity Technologies (UK) Ltd.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the "Software"),
// to deal in the Software without restriction, including without limitation
// the rights to use, copy, modify, merge, publish, distribute, sublicense,
// and/or sell copies of the Software, and to permit persons to whom the
// Software is furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
// FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
// DEALINGS IN THE SOFTWARE.
use {PeerId, TTL};
use multiaddr::Multiaddr; use multiaddr::Multiaddr;
use peer::PeerId;
use peer_info::PeerInfo;
use super::TTL;
pub trait Peerstore<T> { /// Implemented on objects that store peers.
/// Add a peer to this peer store ///
fn add_peer(&mut self, peer_id: PeerId, peer_info: PeerInfo<T>); /// Note that the methods of this trait take by ownership (ie. `self` instead of `&self` or
/// `&mut self`). This was made so that the associated types could hold `self` internally and
/// because Rust doesn't have higher-ranked trait bounds yet.
///
/// Therefore this trait should likely be implemented on `&'a ConcretePeerstore` instead of
/// on `ConcretePeerstore`.
pub trait Peerstore {
/// Grants access to the a peer inside the peer store.
type PeerAccess: PeerAccess;
/// List of the peers in this peer store.
type PeersIter: Iterator<Item = PeerId>;
/// Returns a list of peers in this Peerstore /// Grants access to a peer by its ID.
fn peers(&self) -> Vec<&PeerId>; fn peer(self, peer_id: &PeerId) -> Option<Self::PeerAccess>;
/// Returns the PeerInfo for a specific peer in this peer store, or None if it doesn't exist. /// Grants access to a peer by its ID or creates it.
fn peer_info(&self, peer_id: &PeerId) -> Option<&PeerInfo<T>>; fn peer_or_create(self, peer_id: &PeerId) -> Self::PeerAccess;
/// Try to get a property for a given peer /// Returns a list of peers in this peer store.
fn get_data(&self, peer_id: &PeerId, key: &str) -> Option<&T>; ///
/// Keep in mind that the trait implementation may allow new peers to be added or removed at
/// Set a property for a given peer /// any time. If that is the case, you have to take into account that this is only an
fn put_data(&mut self, peer_id: &PeerId, key: String, val: T); /// indication.
fn peers(self) -> Self::PeersIter;
/// Adds an address to a peer }
fn add_addr(&mut self, peer_id: &PeerId, addr: Multiaddr, ttl: TTL);
/// Implemented on objects that represent an open access to a peer stored in a peer store.
// AddAddrs gives AddrManager addresses to use, with a given ttl ///
// (time-to-live), after which the address is no longer valid. /// The exact semantics of "open access" depend on the trait implementation.
// If the manager has a longer TTL, the operation is a no-op for that address pub trait PeerAccess {
fn add_addrs(&mut self, peer_id: &PeerId, addrs: Vec<Multiaddr>, ttl: TTL); /// Iterator returned by `addrs`.
type AddrsIter: Iterator<Item = Multiaddr>;
// SetAddr calls mgr.SetAddrs(p, addr, ttl)
fn set_addr(&mut self, peer_id: &PeerId, addr: Multiaddr, ttl: TTL); /// Returns all known and non-expired addresses for a given peer.
///
// SetAddrs sets the ttl on addresses. This clears any TTL there previously. /// > **Note**: Keep in mind that this function is racy because addresses can expire between
// This is used when we receive the best estimate of the validity of an address. /// > the moment when you get them and the moment when you process them.
fn set_addrs(&mut self, peer_id: &PeerId, addrs: Vec<Multiaddr>, ttl: TTL); fn addrs(&self) -> Self::AddrsIter;
/// Returns all known (and valid) addresses for a given peer /// Adds an address to a peer.
fn addrs(&self, peer_id: &PeerId) -> &[Multiaddr]; ///
/// If the manager already has this address stored and with a longer TTL, then the operation
/// Removes all previously stored addresses /// is a no-op.
fn clear_addrs(&mut self, peer_id: &PeerId); fn add_addr(&mut self, addr: Multiaddr, ttl: TTL);
/// Get public key for a peer // Similar to calling `add_addr` multiple times in a row.
fn get_pub_key(&self, peer_id: &PeerId) -> Option<&[u8]>; #[inline]
fn add_addrs<I>(&mut self, addrs: I, ttl: TTL)
/// Set public key for a peer where I: IntoIterator<Item = Multiaddr>
fn set_pub_key(&mut self, peer_id: &PeerId, key: Vec<u8>); {
for addr in addrs.into_iter() {
self.add_addr(addr, ttl);
}
}
/// Sets the TTL of an address of a peer. Adds the address if it is currently unknown.
///
/// Contrary to `add_addr`, this operation is never a no-op.
#[inline]
fn set_addr_ttl(&mut self, addr: Multiaddr, ttl: TTL);
// Similar to calling `set_addr_ttl` multiple times in a row.
fn set_addrs_ttl<I>(&mut self, addrs: I, ttl: TTL)
where I: IntoIterator<Item = Multiaddr>
{
for addr in addrs.into_iter() {
self.add_addr(addr, ttl);
}
}
/// Removes all previously stored addresses.
fn clear_addrs(&mut self);
/// Get the public key for the peer, if known.
fn get_pub_key(&self) -> Option<&[u8]>;
/// Set public key for the peer.
fn set_pub_key(&mut self, key: Vec<u8>);
} }

View File

@ -0,0 +1,139 @@
// Copyright 2017 Parity Technologies (UK) Ltd.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the "Software"),
// to deal in the Software without restriction, including without limitation
// the rights to use, copy, modify, merge, publish, distribute, sublicense,
// and/or sell copies of the Software, and to permit persons to whom the
// Software is furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
// FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
// DEALINGS IN THE SOFTWARE.
//! Contains the `peerstore_tests!` macro which will test an implementation of `Peerstore`.
//! You need to pass as first parameter a way to create the `Peerstore` that you want to test.
//!
//! You can also pass as additional parameters a list of statements that will be inserted before
//! each test. This allows you to have the peerstore builder use variables created by these
//! statements.
#![cfg(test)]
macro_rules! peerstore_tests {
({$create_peerstore:expr} $({$stmt:stmt})*) => {
use std::thread;
use std::time::Duration;
use {Peerstore, PeerAccess};
use multiaddr::Multiaddr;
use multihash::Multihash;
#[test]
fn initially_empty() {
$($stmt;)*
let peer_store = $create_peerstore;
let peer_id = Multihash::encode_bytes(0, vec![1, 2, 3]).unwrap();
assert_eq!(peer_store.peers().count(), 0);
assert!(peer_store.peer(&peer_id).is_none());
}
#[test]
fn set_pub_key_then_retreive() {
$($stmt;)*
let peer_store = $create_peerstore;
let peer_id = Multihash::encode_bytes(0, vec![1, 2, 3]).unwrap();
peer_store.peer_or_create(&peer_id).set_pub_key(vec![9, 8, 7]);
assert_eq!(peer_store.peer(&peer_id).unwrap().get_pub_key().unwrap(), &[9, 8, 7]);
assert_eq!(peer_store.peers().collect::<Vec<_>>(), &[peer_id.clone()]);
}
#[test]
fn set_then_get_addr() {
$($stmt;)*
let peer_store = $create_peerstore;
let peer_id = Multihash::encode_bytes(0, vec![1, 2, 3]).unwrap();
let addr = Multiaddr::new("/ip4/0.0.0.0/tcp/0").unwrap();
peer_store.peer_or_create(&peer_id).add_addr(addr.clone(), Duration::from_millis(5000));
let addrs = peer_store.peer(&peer_id).unwrap().addrs().collect::<Vec<_>>();
assert_eq!(addrs, &[addr]);
}
#[test]
fn add_expired_addr() {
// Add an already-expired address to a peer.
$($stmt;)*
let peer_store = $create_peerstore;
let peer_id = Multihash::encode_bytes(0, vec![1, 2, 3]).unwrap();
let addr = Multiaddr::new("/ip4/0.0.0.0/tcp/0").unwrap();
peer_store.peer_or_create(&peer_id).add_addr(addr.clone(), Duration::from_millis(0));
thread::sleep(Duration::from_millis(2));
let addrs = peer_store.peer(&peer_id).unwrap().addrs();
assert_eq!(addrs.count(), 0);
}
#[test]
fn clear_addrs() {
$($stmt;)*
let peer_store = $create_peerstore;
let peer_id = Multihash::encode_bytes(0, vec![1, 2, 3]).unwrap();
let addr = Multiaddr::new("/ip4/0.0.0.0/tcp/0").unwrap();
peer_store.peer_or_create(&peer_id).add_addr(addr.clone(), Duration::from_millis(5000));
peer_store.peer(&peer_id).unwrap().clear_addrs();
let addrs = peer_store.peer(&peer_id).unwrap().addrs();
assert_eq!(addrs.count(), 0);
}
#[test]
fn no_update_ttl() {
$($stmt;)*
let peer_store = $create_peerstore;
let peer_id = Multihash::encode_bytes(0, vec![1, 2, 3]).unwrap();
let addr1 = Multiaddr::new("/ip4/0.0.0.0/tcp/0").unwrap();
let addr2 = Multiaddr::new("/ip4/0.0.0.1/tcp/0").unwrap();
peer_store.peer_or_create(&peer_id).add_addr(addr1.clone(), Duration::from_millis(5000));
peer_store.peer_or_create(&peer_id).add_addr(addr2.clone(), Duration::from_millis(5000));
assert_eq!(peer_store.peer(&peer_id).unwrap().addrs().count(), 2);
// `add_addr` must not overwrite the TTL because it's already higher
peer_store.peer_or_create(&peer_id).add_addr(addr1.clone(), Duration::from_millis(0));
thread::sleep(Duration::from_millis(2));
assert_eq!(peer_store.peer(&peer_id).unwrap().addrs().count(), 2);
}
#[test]
fn force_update_ttl() {
$($stmt;)*
let peer_store = $create_peerstore;
let peer_id = Multihash::encode_bytes(0, vec![1, 2, 3]).unwrap();
let addr1 = Multiaddr::new("/ip4/0.0.0.0/tcp/0").unwrap();
let addr2 = Multiaddr::new("/ip4/0.0.0.1/tcp/0").unwrap();
peer_store.peer_or_create(&peer_id).add_addr(addr1.clone(), Duration::from_millis(5000));
peer_store.peer_or_create(&peer_id).add_addr(addr2.clone(), Duration::from_millis(5000));
assert_eq!(peer_store.peer(&peer_id).unwrap().addrs().count(), 2);
peer_store.peer_or_create(&peer_id).set_addr_ttl(addr1.clone(), Duration::from_millis(0));
thread::sleep(Duration::from_millis(2));
assert_eq!(peer_store.peer(&peer_id).unwrap().addrs().count(), 1);
}
};
}

View File

@ -1,3 +1,23 @@
// Copyright 2017 Parity Technologies (UK) Ltd.
//
// Permission is hereby granted, free of charge, to any person obtaining a
// copy of this software and associated documentation files (the "Software"),
// to deal in the Software without restriction, including without limitation
// the rights to use, copy, modify, merge, publish, distribute, sublicense,
// and/or sell copies of the Software, and to permit persons to whom the
// Software is furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS
// OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
// FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER
// DEALINGS IN THE SOFTWARE.
extern crate hex; extern crate hex;
extern crate byteorder; extern crate byteorder;
@ -77,7 +97,7 @@ pub enum Error {
/// (for instance) a network stream. The format is as follows: /// (for instance) a network stream. The format is as follows:
/// <hash function code><digest size><hash function output> /// <hash function code><digest size><hash function output>
/// See the spec for more information. /// See the spec for more information.
#[derive(Debug, PartialEq, Eq, Clone)] #[derive(Debug, PartialEq, Eq, Clone, Hash)]
pub struct Multihash { pub struct Multihash {
/// The code of the hash algorithm in question /// The code of the hash algorithm in question
code: u64, code: u64,