* WIP * Replace Rlp with UntrustedRlp in views, explicity unwrap with expect First pass to get it to compile. Need to figure out whether to do this or to propogate Errors upstream, which would require many more changes to dependent code. If we do this way we are assuming that the views are always used in a context where the rlp is trusted to be valid e.g. when reading from our own DB. So need to fid out whether views are used with data received from an untrusted (e.g. extrernal peer). * Remove original Rlp impl, rename UntrustedRlp -> Rlp * Create rlp views with view! macro to record debug info Views are assumed to be over valid rlp, so if there is a decoding error we record where the view was created in the first place and report it in the expect * Use $crate in view! macro to avoid import, fix tests * Expect valid rlp in decode functions for now * Replace spaces with tabs in new file * Add doc tests for creating views with macro * Update rlp docs to reflect removing of UntrustedRlp * Replace UntrustedRlp usages in private-tx merge
71 lines
1.4 KiB
Rust
71 lines
1.4 KiB
Rust
//! EVM call types.
|
|
|
|
use rlp::{Encodable, Decodable, DecoderError, RlpStream, Rlp};
|
|
|
|
/// The type of the call-like instruction.
|
|
#[derive(Debug, PartialEq, Clone)]
|
|
pub enum CallType {
|
|
/// Not a CALL.
|
|
None,
|
|
/// CALL.
|
|
Call,
|
|
/// CALLCODE.
|
|
CallCode,
|
|
/// DELEGATECALL.
|
|
DelegateCall,
|
|
/// STATICCALL
|
|
StaticCall,
|
|
}
|
|
|
|
impl Encodable for CallType {
|
|
fn rlp_append(&self, s: &mut RlpStream) {
|
|
let v = match *self {
|
|
CallType::None => 0u32,
|
|
CallType::Call => 1,
|
|
CallType::CallCode => 2,
|
|
CallType::DelegateCall => 3,
|
|
CallType::StaticCall => 4,
|
|
};
|
|
Encodable::rlp_append(&v, s);
|
|
}
|
|
}
|
|
|
|
impl Decodable for CallType {
|
|
fn decode(rlp: &Rlp) -> Result<Self, DecoderError> {
|
|
rlp.as_val().and_then(|v| Ok(match v {
|
|
0u32 => CallType::None,
|
|
1 => CallType::Call,
|
|
2 => CallType::CallCode,
|
|
3 => CallType::DelegateCall,
|
|
4 => CallType::StaticCall,
|
|
_ => return Err(DecoderError::Custom("Invalid value of CallType item")),
|
|
}))
|
|
}
|
|
}
|
|
|
|
#[cfg(test)]
|
|
mod tests {
|
|
use rlp::*;
|
|
use super::CallType;
|
|
|
|
#[test]
|
|
fn encode_call_type() {
|
|
let ct = CallType::Call;
|
|
|
|
let mut s = RlpStream::new_list(2);
|
|
s.append(&ct);
|
|
assert!(!s.is_finished(), "List shouldn't finished yet");
|
|
s.append(&ct);
|
|
assert!(s.is_finished(), "List should be finished now");
|
|
s.out();
|
|
}
|
|
|
|
#[test]
|
|
fn should_encode_and_decode_call_type() {
|
|
let original = CallType::Call;
|
|
let encoded = encode(&original);
|
|
let decoded = decode(&encoded);
|
|
assert_eq!(original, decoded);
|
|
}
|
|
}
|