ethers-rs/ethers-contract/src/factory.rs

164 lines
5.3 KiB
Rust
Raw Normal View History

2020-05-30 20:04:08 +00:00
use crate::{Contract, ContractError};
2020-05-30 14:24:50 +00:00
2020-05-31 16:01:34 +00:00
use ethers_core::{
2020-05-30 14:24:50 +00:00
abi::{Abi, Tokenize},
2020-05-31 16:01:34 +00:00
types::{Bytes, TransactionRequest},
2020-05-30 14:24:50 +00:00
};
2020-06-01 23:15:33 +00:00
use ethers_providers::JsonRpcClient;
2020-05-31 16:01:34 +00:00
use ethers_signers::{Client, Signer};
2020-05-30 14:24:50 +00:00
2020-05-30 20:04:08 +00:00
#[derive(Debug, Clone)]
2020-06-10 18:20:47 +00:00
/// Helper which manages the deployment transaction of a smart contract
2020-06-01 23:15:33 +00:00
pub struct Deployer<'a, P, S> {
/// The deployer's transaction, exposed for overriding the defaults
pub tx: TransactionRequest,
abi: Abi,
2020-06-01 23:15:33 +00:00
client: &'a Client<P, S>,
2020-05-30 20:04:08 +00:00
confs: usize,
}
2020-06-01 23:15:33 +00:00
impl<'a, P, S> Deployer<'a, P, S>
2020-05-30 20:04:08 +00:00
where
S: Signer,
P: JsonRpcClient,
{
2020-06-10 18:20:47 +00:00
/// Sets the number of confirmations to wait for the contract deployment transaction
2020-05-30 20:04:08 +00:00
pub fn confirmations<T: Into<usize>>(mut self, confirmations: T) -> Self {
self.confs = confirmations.into();
self
}
2020-06-10 18:20:47 +00:00
/// Broadcasts the contract deployment transaction and after waiting for it to
/// be sufficiently confirmed (default: 1), it returns a [`Contract`](crate::Contract)
2020-06-10 18:20:47 +00:00
/// struct at the deployed contract's address.
2020-06-01 23:15:33 +00:00
pub async fn send(self) -> Result<Contract<'a, P, S>, ContractError> {
let pending_tx = self.client.send_transaction(self.tx, None).await?;
2020-05-30 20:04:08 +00:00
let receipt = pending_tx.confirmations(self.confs).await?;
2020-05-30 20:04:08 +00:00
let address = receipt
.contract_address
.ok_or(ContractError::ContractNotDeployed)?;
2020-05-30 20:04:08 +00:00
let contract = Contract::new(address, self.abi.clone(), self.client);
2020-05-30 20:04:08 +00:00
Ok(contract)
}
2020-06-10 18:20:47 +00:00
/// Returns a reference to the deployer's ABI
pub fn abi(&self) -> &Abi {
&self.abi
}
2020-06-10 18:20:47 +00:00
/// Returns a reference to the deployer's client
pub fn client(&self) -> &Client<P, S> {
&self.client
}
2020-05-30 20:04:08 +00:00
}
2020-05-30 14:24:50 +00:00
#[derive(Debug, Clone)]
2020-06-10 18:20:47 +00:00
/// To deploy a contract to the Ethereum network, a `ContractFactory` can be
/// created which manages the Contract bytecode and Application Binary Interface
/// (ABI), usually generated from the Solidity compiler.
///
/// Once the factory's deployment transaction is mined with sufficient confirmations,
/// the [`Contract`](crate::Contract) object is returned.
2020-06-10 18:20:47 +00:00
///
/// # Example
///
/// ```no_run
/// use ethers::{
/// utils::Solc,
/// contract::ContractFactory,
/// providers::{Provider, Http},
/// signers::Wallet
/// };
2020-06-10 18:20:47 +00:00
/// use std::convert::TryFrom;
///
/// # async fn foo() -> Result<(), Box<dyn std::error::Error>> {
/// // first we'll compile the contract (you can alternatively compile it yourself
/// // and pass the ABI/Bytecode
/// let compiled = Solc::new("./tests/contract.sol").build().unwrap();
/// let contract = compiled
/// .get("SimpleStorage")
/// .expect("could not find contract");
///
/// // connect to the network
/// let provider = Provider::<Http>::try_from("http://localhost:8545").unwrap();
/// let client = "380eb0f3d505f087e438eca80bc4df9a7faa24f868e69fc0440261a0fc0567dc"
/// .parse::<Wallet>()?.connect(provider);
///
/// // create a factory which will be used to deploy instances of the contract
/// let factory = ContractFactory::new(contract.abi.clone(), contract.bytecode.clone(), &client);
2020-06-10 18:20:47 +00:00
///
/// // The deployer created by the `deploy` call exposes a builder which gets consumed
/// // by the async `send` call
/// let contract = factory
/// .deploy("initial value".to_string())?
/// .confirmations(0usize)
/// .send()
/// .await?;
/// println!("{}", contract.address());
/// # Ok(())
/// # }
2020-06-01 23:15:33 +00:00
pub struct ContractFactory<'a, P, S> {
client: &'a Client<P, S>,
abi: Abi,
bytecode: Bytes,
2020-05-30 14:24:50 +00:00
}
2020-06-01 23:15:33 +00:00
impl<'a, P, S> ContractFactory<'a, P, S>
2020-05-30 20:04:08 +00:00
where
S: Signer,
P: JsonRpcClient,
{
2020-06-10 18:20:47 +00:00
/// Creates a factory for deployment of the Contract with bytecode, and the
/// constructor defined in the abi. The client will be used to send any deployment
/// transaction.
pub fn new(abi: Abi, bytecode: Bytes, client: &'a Client<P, S>) -> Self {
2020-05-30 14:24:50 +00:00
Self {
client,
abi,
bytecode,
}
}
2020-06-10 18:20:47 +00:00
/// Constructs the deployment transaction based on the provided constructor
/// arguments and returns a `Deployer` instance. You must call `send()` in order
/// to actually deploy the contract.
///
/// Notes:
/// 1. If there are no constructor arguments, you should pass `()` as the argument.
/// 1. The default poll duration is 7 seconds.
/// 1. The default number of confirmations is 1 block.
2020-05-31 14:50:00 +00:00
pub fn deploy<T: Tokenize>(
self,
2020-05-30 14:24:50 +00:00
constructor_args: T,
2020-06-01 23:15:33 +00:00
) -> Result<Deployer<'a, P, S>, ContractError> {
2020-05-30 20:04:08 +00:00
// Encode the constructor args & concatenate with the bytecode if necessary
let params = constructor_args.into_tokens();
let data: Bytes = match (self.abi.constructor(), params.is_empty()) {
(None, false) => {
return Err(ContractError::ConstructorError);
}
(None, true) => self.bytecode.clone(),
(Some(constructor), _) => {
Bytes(constructor.encode_input(self.bytecode.0.clone(), &params)?)
}
};
// create the tx object. Since we're deploying a contract, `to` is `None`
let tx = TransactionRequest {
to: None,
data: Some(data),
..Default::default()
};
Ok(Deployer {
client: self.client,
abi: self.abi,
tx,
confs: 1,
})
2020-05-30 14:24:50 +00:00
}
}