hbbft/src/common_coin.rs

213 lines
7.0 KiB
Rust
Raw Normal View History

//! # A Cryptographic Common Coin
//!
2018-07-05 08:51:55 -07:00
//! The Common Coin produces a pseudorandom binary value that the correct nodes agree on, and that
//! cannot be known beforehand.
//!
//! Every Common Coin instance has a _nonce_ that determines the value, without giving it away: It
2018-07-05 08:51:55 -07:00
//! is not feasible to compute the output from the nonce alone, and the output is uniformly
//! distributed.
//!
2018-07-02 06:42:31 -07:00
//! The nodes input a signal (no data, just `()`), and after _2 f + 1_ nodes have provided input,
//! everyone receives the output value. In particular, the adversary cannot know the output value
//! before at least one correct node has provided input.
//!
//! ## How it works
//!
//! The algorithm uses a threshold signature scheme with the uniqueness property: For each public
2018-07-02 23:53:08 -07:00
//! key and message, there is exactly one valid signature. This group signature is produced using
//! signature shares from any combination of _2 f + 1_ secret key share holders.
//!
//! * On input, a node signs the nonce and sends its signature share to everyone else.
2018-07-02 06:42:31 -07:00
//! * When a node has received _2 f + 1_ shares, it computes the main signature and outputs the XOR
//! of its bits.
use std::collections::BTreeMap;
use std::fmt::Debug;
use std::sync::Arc;
2018-06-08 11:43:27 -07:00
use crypto::error as cerror;
2018-07-17 06:54:12 -07:00
use crypto::{Signature, SignatureShare};
use fault_log::{Fault, FaultKind};
2018-07-19 06:09:50 -07:00
use messaging::{self, DistAlgorithm, NetworkInfo, Target};
/// A common coin error.
#[derive(Clone, Eq, PartialEq, Debug, Fail)]
pub enum Error {
#[fail(display = "CombineAndVerifySigCrypto error: {}", _0)]
CombineAndVerifySigCrypto(cerror::Error),
#[fail(display = "Unknown sender")]
UnknownSender,
#[fail(display = "Signature verification failed")]
VerificationFailed,
}
/// A common coin result.
pub type Result<T> = ::std::result::Result<T, Error>;
#[derive(Serialize, Deserialize, Clone, Debug, PartialEq, Rand)]
2018-07-17 06:54:12 -07:00
pub struct CommonCoinMessage(SignatureShare);
2018-06-09 13:50:36 -07:00
impl CommonCoinMessage {
2018-07-17 06:54:12 -07:00
pub fn new(sig: SignatureShare) -> Self {
2018-06-09 13:50:36 -07:00
CommonCoinMessage(sig)
}
2018-07-17 06:54:12 -07:00
pub fn to_sig(&self) -> &SignatureShare {
2018-06-09 13:50:36 -07:00
&self.0
}
}
2018-06-08 11:43:27 -07:00
/// A common coin algorithm instance. On input, broadcasts our threshold signature share. Upon
/// receiving at least `num_faulty + 1` shares, attempts to combine them into a signature. If that
/// signature is valid, the instance outputs it and terminates; otherwise the instance aborts.
#[derive(Debug)]
pub struct CommonCoin<NodeUid, T> {
netinfo: Arc<NetworkInfo<NodeUid>>,
2018-06-08 11:43:27 -07:00
/// The name of this common coin. It is required to be unique for each common coin round.
nonce: T,
/// All received threshold signature shares.
2018-07-17 06:54:12 -07:00
received_shares: BTreeMap<NodeUid, SignatureShare>,
/// Whether we provided input to the common coin.
had_input: bool,
2018-06-08 11:43:27 -07:00
/// Termination flag.
terminated: bool,
}
2018-07-19 06:09:50 -07:00
pub type Step<NodeUid, T> = messaging::Step<CommonCoin<NodeUid, T>>;
2018-07-09 04:35:26 -07:00
impl<NodeUid, T> DistAlgorithm for CommonCoin<NodeUid, T>
where
NodeUid: Clone + Debug + Ord,
2018-06-08 11:43:27 -07:00
T: Clone + AsRef<[u8]>,
{
type NodeUid = NodeUid;
type Input = ();
2018-06-08 11:43:27 -07:00
type Output = bool;
type Message = CommonCoinMessage;
type Error = Error;
2018-06-08 11:43:27 -07:00
/// Sends our threshold signature share if not yet sent.
2018-07-19 06:09:50 -07:00
fn input(&mut self, _input: Self::Input) -> Result<Step<NodeUid, T>> {
if !self.had_input {
self.had_input = true;
self.get_coin()
2018-06-08 11:43:27 -07:00
} else {
Ok(Step::default())
}
}
2018-06-08 11:43:27 -07:00
/// Receives input from a remote node.
fn handle_message(
&mut self,
sender_id: &Self::NodeUid,
message: Self::Message,
2018-07-19 06:09:50 -07:00
) -> Result<Step<NodeUid, T>> {
if !self.terminated {
2018-07-09 04:35:26 -07:00
let CommonCoinMessage(share) = message;
self.handle_share(sender_id, share)
2018-07-09 04:35:26 -07:00
} else {
Ok(Step::default())
}
}
/// Whether the algorithm has terminated.
fn terminated(&self) -> bool {
2018-06-08 11:43:27 -07:00
self.terminated
}
fn our_id(&self) -> &Self::NodeUid {
self.netinfo.our_uid()
}
}
impl<NodeUid, T> CommonCoin<NodeUid, T>
where
NodeUid: Clone + Debug + Ord,
2018-06-08 11:43:27 -07:00
T: Clone + AsRef<[u8]>,
{
pub fn new(netinfo: Arc<NetworkInfo<NodeUid>>, nonce: T) -> Self {
CommonCoin {
netinfo,
2018-06-08 11:43:27 -07:00
nonce,
received_shares: BTreeMap::new(),
had_input: false,
2018-06-08 11:43:27 -07:00
terminated: false,
}
}
2018-06-07 09:38:27 -07:00
fn get_coin(&mut self) -> Result<Step<NodeUid, T>> {
if !self.netinfo.is_validator() {
return self.try_output();
}
2018-07-17 06:54:12 -07:00
let share = self.netinfo.secret_key_share().sign(&self.nonce);
let mut step: Step<_, _> = Target::All.message(CommonCoinMessage(share.clone())).into();
2018-06-08 11:43:27 -07:00
let id = self.netinfo.our_uid().clone();
step.extend(self.handle_share(&id, share)?);
Ok(step)
2018-06-08 11:43:27 -07:00
}
2018-07-17 06:54:12 -07:00
fn handle_share(
&mut self,
sender_id: &NodeUid,
share: SignatureShare,
) -> Result<Step<NodeUid, T>> {
2018-06-27 05:25:32 -07:00
if let Some(pk_i) = self.netinfo.public_key_share(sender_id) {
if !pk_i.verify(&share, &self.nonce) {
// Log the faulty node and ignore the invalid share.
let fault_kind = FaultKind::UnverifiedSignatureShareSender;
return Ok(Fault::new(sender_id.clone(), fault_kind).into());
}
self.received_shares.insert(sender_id.clone(), share);
2018-06-08 11:43:27 -07:00
} else {
return Err(Error::UnknownSender);
}
self.try_output()
}
fn try_output(&mut self) -> Result<Step<NodeUid, T>> {
debug!(
"{:?} received {} shares, had_input = {}",
self.netinfo.our_uid(),
self.received_shares.len(),
self.had_input
);
if self.had_input && self.received_shares.len() > self.netinfo.num_faulty() {
let sig = self.combine_and_verify_sig()?;
// Output the parity of the verified signature.
let parity = sig.parity();
debug!("{:?} output {}", self.netinfo.our_uid(), parity);
self.terminated = true;
let step = self.input(())?; // Before terminating, make sure we sent our share.
Ok(step.with_output(parity))
} else {
Ok(Step::default())
2018-06-08 11:43:27 -07:00
}
2018-06-07 09:38:27 -07:00
}
2018-06-14 04:28:38 -07:00
2018-06-21 08:31:15 -07:00
fn combine_and_verify_sig(&self) -> Result<Signature> {
2018-06-14 04:28:38 -07:00
// Pass the indices of sender nodes to `combine_signatures`.
let to_idx = |(id, share)| (self.netinfo.node_index(id).unwrap(), share);
let shares = self.received_shares.iter().map(to_idx);
let sig = self
.netinfo
.public_key_set()
.combine_signatures(shares)
.map_err(Error::CombineAndVerifySigCrypto)?;
2018-06-14 04:28:38 -07:00
if !self
.netinfo
.public_key_set()
.public_key()
.verify(&sig, &self.nonce)
{
// Abort
error!(
"{:?} main public key verification failed",
self.netinfo.our_uid()
);
Err(Error::VerificationFailed)
2018-06-14 04:28:38 -07:00
} else {
Ok(sig)
}
}
}