openethereum/src/transaction.rs

92 lines
1.9 KiB
Rust
Raw Normal View History

use util::*;
2015-12-09 00:45:33 +01:00
2016-01-07 19:05:44 +01:00
#[derive(Eq, PartialEq)]
pub enum TransactionKind {
ContractCreation,
MessageCall
}
/// A set of information describing an externally-originating message call
/// or contract creation operation.
2015-12-09 00:45:33 +01:00
pub struct Transaction {
2016-01-07 19:05:44 +01:00
pub nonce: U256,
pub gas_price: U256,
pub gas: U256,
pub to: Option<Address>,
pub value: U256,
2016-01-07 21:29:36 +01:00
pub data: Bytes
2015-12-09 00:45:33 +01:00
}
impl Transaction {
2016-01-07 19:05:44 +01:00
pub fn new() -> Self {
Transaction {
nonce: U256::zero(),
gas_price: U256::zero(),
gas: U256::zero(),
to: None,
value: U256::zero(),
data: vec![]
}
}
2016-01-07 21:29:36 +01:00
/// Returns sender of the transaction.
/// TODO: implement
pub fn sender(&self) -> Address {
Address::new()
}
/// Is this transaction meant to create a contract?
pub fn is_contract_creation(&self) -> bool {
2016-01-07 19:05:44 +01:00
self.kind() == TransactionKind::ContractCreation
}
2016-01-07 19:05:44 +01:00
/// Is this transaction meant to send a message?
pub fn is_message_call(&self) -> bool {
2016-01-07 19:05:44 +01:00
self.kind() == TransactionKind::MessageCall
}
/// Returns transaction type.
pub fn kind(&self) -> TransactionKind {
match self.to.is_some() {
true => TransactionKind::MessageCall,
false => TransactionKind::ContractCreation
}
}
2016-01-08 22:04:21 +01:00
/// Get the hash of this transaction.
pub fn sha3(&self) -> H256 {
unimplemented!();
}
}
2015-12-09 00:45:33 +01:00
impl Encodable for Transaction {
fn encode<E>(&self, encoder: &mut E) where E: Encoder {
encoder.emit_list(| e | {
self.nonce.encode(e);
self.gas_price.encode(e);
self.gas.encode(e);
self.to.encode(e);
2015-12-09 00:45:33 +01:00
self.value.encode(e);
self.data.encode(e);
})
}
}
impl Decodable for Transaction {
fn decode<D>(decoder: &D) -> Result<Self, DecoderError> where D: Decoder {
2015-12-14 12:09:32 +01:00
let d = try!(decoder.as_list());
let transaction = Transaction {
nonce: try!(Decodable::decode(&d[0])),
gas_price: try!(Decodable::decode(&d[1])),
gas: try!(Decodable::decode(&d[2])),
to: try!(Decodable::decode(&d[3])),
2015-12-14 12:09:32 +01:00
value: try!(Decodable::decode(&d[4])),
data: try!(Decodable::decode(&d[5])),
};
Ok(transaction)
2015-12-09 00:45:33 +01:00
}
}