ethers-rs/examples/contract_with_abi.rs

63 lines
2.4 KiB
Rust
Raw Normal View History

2020-05-26 11:00:56 +00:00
use anyhow::Result;
use ethers::{prelude::*, utils::Ganache};
use std::{convert::TryFrom, path::Path, sync::Arc, time::Duration};
2020-05-25 10:05:00 +00:00
2020-06-02 10:58:48 +00:00
// Generate the type-safe contract bindings by providing the ABI
// definition in human readable format
2020-05-26 18:57:59 +00:00
abigen!(
SimpleContract,
"./examples/contract_abi.json",
2020-05-26 18:57:59 +00:00
event_derives(serde::Deserialize, serde::Serialize)
);
2020-05-25 10:05:00 +00:00
#[tokio::main]
2020-05-26 11:00:56 +00:00
async fn main() -> Result<()> {
// 1. compile the contract (note this requires that you are inside the `examples` directory) and
// launch ganache
let ganache = Ganache::new().spawn();
// set the path to the contract, `CARGO_MANIFEST_DIR` points to the directory containing the
// manifest of `ethers`. which will be `../` relative to this file
let source = Path::new(&env!("CARGO_MANIFEST_DIR")).join("examples/contract.sol");
let compiled = Solc::default().compile_source(source).expect("Could not compile contracts");
let (abi, bytecode, _runtime_bytecode) =
compiled.find("SimpleStorage").expect("could not find contract").into_parts_or_default();
2020-05-31 14:50:00 +00:00
// 2. instantiate our wallet
let wallet: LocalWallet = ganache.keys()[0].clone().into();
2020-05-31 14:50:00 +00:00
// 3. connect to the network
let provider =
Provider::<Http>::try_from(ganache.endpoint())?.interval(Duration::from_millis(10u64));
2020-05-31 14:50:00 +00:00
// 4. instantiate the client with the wallet
let client = SignerMiddleware::new(provider, wallet);
let client = Arc::new(client);
2020-05-25 10:05:00 +00:00
// 5. create a factory which will be used to deploy instances of the contract
let factory = ContractFactory::new(abi, bytecode, client.clone());
2020-05-25 10:05:00 +00:00
// 6. deploy it with the constructor arguments
let contract = factory.deploy("initial value".to_string())?.legacy().send().await?;
2020-05-25 10:05:00 +00:00
// 7. get the contract's address
2020-05-31 14:50:00 +00:00
let addr = contract.address();
2020-05-25 10:05:00 +00:00
// 8. instantiate the contract
let contract = SimpleContract::new(addr, client.clone());
2020-05-25 15:35:38 +00:00
// 9. call the `setValue` method
// (first `await` returns a PendingTransaction, second one waits for it to be mined)
let _receipt = contract.set_value("hi".to_owned()).legacy().send().await?.await?;
// 10. get all events
let logs = contract.value_changed_filter().from_block(0u64).query().await?;
// 11. get the new value
let value = contract.get_value().call().await?;
2020-05-25 15:35:38 +00:00
println!("Value: {}. Logs: {}", value, serde_json::to_string(&logs)?);
2020-05-25 15:35:38 +00:00
2020-05-25 10:05:00 +00:00
Ok(())
}