Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Fix: Correct Select Median Implementation #3934

Merged
merged 2 commits into from
Sep 4, 2023
Merged
Show file tree
Hide file tree
Changes from 1 commit
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Jump to
Jump to file
Failed to load files.
Diff view
Diff view
5 changes: 2 additions & 3 deletions state-chain/pallets/cf-witnesser/src/lib.rs
Original file line number Diff line number Diff line change
Expand Up @@ -305,9 +305,7 @@ pub mod pallet {
.ok_or(Error::<T>::UnauthorisedWitness)? as usize;

// Register the vote
// `extract()` modifies the call, so we need to calculate the call hash *after* this.
let extra_data = call.extract();
let call_hash = CallHash(call.blake2_256());
let (extra_data, call_hash) = Self::split_calldata(&mut call);
let num_votes = Votes::<T>::try_mutate::<_, _, _, Error<T>, _>(
&epoch_index,
&call_hash,
Expand Down Expand Up @@ -409,6 +407,7 @@ pub mod pallet {
impl<T: Config> Pallet<T> {
fn split_calldata(call: &mut <T as Config>::RuntimeCall) -> (Option<Vec<u8>>, CallHash) {
let extra_data = call.extract();
// `extract()` modifies the call, so we need to calculate the call hash *after* this.
(extra_data, CallHash(call.blake2_256()))
}

Expand Down
99 changes: 81 additions & 18 deletions state-chain/runtime/src/chainflip/decompose_recompose.rs
Original file line number Diff line number Diff line change
@@ -1,26 +1,44 @@
use crate::{BitcoinInstance, EthereumInstance, PolkadotInstance, Runtime, RuntimeCall};
use cf_chains::{btc::BitcoinFeeInfo, dot::PolkadotBalance};
use cf_primitives::EthAmount;
use codec::{Decode, Encode};
use pallet_cf_witnesser::WitnessDataExtraction;
use sp_std::{mem, prelude::*};

fn select_median<T: Encode + Decode>(data: &mut [Vec<u8>]) -> Option<T> {
fn select_median<T: Ord + Copy>(mut data: Vec<T>) -> Option<T> {
if data.is_empty() {
return None
}

let len = data.len();
let median_index = if len % 2 == 0 { (len - 1) / 2 } else { len / 2 };
// Encoding is order-preserving so we can sort the raw encoded bytes and then decode
// just the result.
let (_, median_bytes, _) = data.select_nth_unstable(median_index);

match Decode::decode(&mut &median_bytes[..]) {
Ok(median) => Some(median),
Err(e) => {
log::error!("Failed to decode median priority fee: {:?}", e);
None
},
let median_index = (len - 1) / 2;
let (_, median_value, _) = data.select_nth_unstable(median_index);

Some(*median_value)
}

fn decode_many<T: Encode + Decode>(data: &mut [Vec<u8>]) -> Vec<T> {
data.iter_mut()
.map(|entry| T::decode(&mut entry.as_slice()))
.filter_map(Result::ok)
.collect()
}

fn select_median_btc_info(data: Vec<BitcoinFeeInfo>) -> Option<BitcoinFeeInfo> {
if data.is_empty() {
return None
}

Some(BitcoinFeeInfo {
fee_per_input_utxo: select_median(data.iter().map(|x| x.fee_per_input_utxo).collect())
.expect("non-empty list"),
fee_per_output_utxo: select_median(data.iter().map(|x| x.fee_per_output_utxo).collect())
.expect("non-empty list"),
min_fee_required_per_tx: select_median(
data.iter().map(|x| x.min_fee_required_per_tx).collect(),
)
.expect("non-empty list"),
})
}

impl WitnessDataExtraction for RuntimeCall {
Expand Down Expand Up @@ -64,27 +82,32 @@ impl WitnessDataExtraction for RuntimeCall {
EthereumInstance,
>::update_chain_state {
new_chain_state,
}) =>
if let Some(median) = select_median(data) {
}) => {
let fee_votes = decode_many::<EthAmount>(data);
if let Some(median) = select_median(fee_votes) {
new_chain_state.tracked_data.priority_fee = median;
},
}
},
RuntimeCall::BitcoinChainTracking(pallet_cf_chain_tracking::Call::<
Runtime,
BitcoinInstance,
>::update_chain_state {
new_chain_state,
}) => {
if let Some(median) = select_median(data) {
let fee_infos = decode_many::<BitcoinFeeInfo>(data);

if let Some(median) = select_median_btc_info(fee_infos) {
new_chain_state.tracked_data.btc_fee_info = median;
};
}
},
RuntimeCall::PolkadotChainTracking(pallet_cf_chain_tracking::Call::<
Runtime,
PolkadotInstance,
>::update_chain_state {
new_chain_state,
}) => {
if let Some(median) = select_median(data) {
let tip_votes = decode_many::<PolkadotBalance>(data);
if let Some(median) = select_median(tip_votes) {
new_chain_state.tracked_data.median_tip = median;
};
},
Expand Down Expand Up @@ -240,4 +263,44 @@ mod tests {
);
})
}

// Selecting median from integers spanning multiple bytes wasn't
// working correctly previously, so this serves as a regression test:
#[test]
fn select_median_multi_bytes_ints() {
let values = vec![1_u16, 8, 32, 256, 768];
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

we should also test when they're not in order

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

also here, good practice to test base case of empty (especially when removing the empty check would result in a panic)

assert_eq!(select_median::<u16>(values).unwrap(), 32);
}

// For BTC, we witness multiple values, and median should be
// selected for each value independently:
#[test]
fn select_median_btc_info_test() {
Copy link
Contributor

@kylezs kylezs Sep 1, 2023

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

we should have a test for when the input is empty, that it returns None + doesn't panic

let votes = vec![
BitcoinFeeInfo {
fee_per_input_utxo: 10,
fee_per_output_utxo: 55,
min_fee_required_per_tx: 100,
},
BitcoinFeeInfo {
fee_per_input_utxo: 45,
fee_per_output_utxo: 100,
min_fee_required_per_tx: 10,
},
BitcoinFeeInfo {
fee_per_input_utxo: 100,
fee_per_output_utxo: 10,
min_fee_required_per_tx: 50,
},
];

assert_eq!(
select_median_btc_info(votes),
Some(BitcoinFeeInfo {
fee_per_input_utxo: 45,
fee_per_output_utxo: 55,
min_fee_required_per_tx: 50
})
);
}
}