fuels_rs/contract.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331
use crate::abi_decoder::ABIDecoder;
use crate::abi_encoder::ABIEncoder;
use crate::errors::Error;
use crate::script::Script;
use forc::test::{forc_build, BuildCommand};
use fuel_asm::Opcode;
use fuel_core::service::{Config, FuelService};
use fuel_gql_client::client::FuelClient;
use fuel_tx::{ContractId, Input, Output, Receipt, Transaction, UtxoId};
use fuel_types::{Bytes32, Immediate12, Salt, Word};
use fuel_vm::consts::{REG_CGAS, REG_RET, REG_ZERO, VM_TX_MEMORY};
use fuel_vm::prelude::Contract as FuelContract;
use fuels_core::ParamType;
use fuels_core::{Detokenize, Selector, Token, WORD_SIZE};
use std::marker::PhantomData;
#[derive(Debug, Clone, Default)]
pub struct CompiledContract {
pub raw: Vec<u8>,
pub salt: Salt,
}
/// Contract is a struct to interface with a contract. That includes things such as
/// compiling, deploying, and running transactions against a contract.
pub struct Contract {
pub compiled_contract: CompiledContract,
}
impl Contract {
pub fn new(compiled_contract: CompiledContract) -> Self {
Self { compiled_contract }
}
pub fn compute_contract_id(compiled_contract: &CompiledContract) -> ContractId {
let fuel_contract = FuelContract::from(compiled_contract.raw.clone());
let root = fuel_contract.root();
fuel_contract.id(&compiled_contract.salt, &root)
}
/// Calls an already-deployed contract code.
/// Note that this is a "generic" call to a contract
/// and it doesn't, yet, call a specific ABI function in that contract.
pub async fn call(
contract_id: ContractId,
encoded_selector: Option<Selector>,
encoded_args: Option<Vec<u8>>,
fuel_client: &FuelClient,
gas_price: Word,
gas_limit: Word,
maturity: Word,
custom_inputs: bool,
) -> Result<Vec<Receipt>, String> {
// Based on the defined script length,
// we set the appropriate data offset.
let script_len = 16;
let script_data_offset = VM_TX_MEMORY + Transaction::script_offset() + script_len;
let script_data_offset = script_data_offset as Immediate12;
// Script to call the contract.
// The offset that points to the `script_data`
// is loaded at the register `0x10`. Note that
// we're picking `0x10` simply because
// it could be any non-reserved register.
// Then, we use the Opcode to call a contract: `CALL`
// pointing at the register that we loaded the
// `script_data` at.
let script = vec![
Opcode::ADDI(0x10, REG_ZERO, script_data_offset),
Opcode::CALL(0x10, REG_ZERO, 0x10, REG_CGAS),
Opcode::RET(REG_RET),
Opcode::NOOP,
]
.iter()
.copied()
.collect::<Vec<u8>>();
assert!(script.len() == script_len, "Script length *must* be 16");
// `script_data` consists of:
// 1. Contract ID (ContractID::LEN);
// 2. Function selector (1 * WORD_SIZE);
// 3. Calldata offset, if it has structs as input,
// computed as `script_data_offset` + ContractId::LEN
// + 2 * WORD_SIZE;
// 4. Encoded arguments.
let mut script_data: Vec<u8> = vec![];
// Insert contract_id
script_data.extend(contract_id.as_ref());
// Insert encoded function selector, if any
if let Some(e) = encoded_selector {
script_data.extend(e)
}
// If the method call takes custom inputs, such as structs or enums,
// we need to calculate the `call_data_offset`, which points to
// where the data for the custom types start in the transaction.
// If it doesn't take any custom inputs, this isn't necessary.
if custom_inputs {
// Offset of the script data relative to the call data
let call_data_offset = script_data_offset as usize + ContractId::LEN + 2 * WORD_SIZE;
let call_data_offset = call_data_offset as Word;
script_data.extend(&call_data_offset.to_be_bytes());
}
// Insert encoded arguments, if any
if let Some(e) = encoded_args {
script_data.extend(e)
}
// Inputs/outputs
let input = Input::contract(
UtxoId::new(Bytes32::zeroed(), 0),
Bytes32::zeroed(),
Bytes32::zeroed(),
contract_id,
);
// TODO: for now, assume there is only a single input and output, so input_index is 0.
// This needs to be changed to support multiple contract IDs.
let output = Output::contract(0, Bytes32::zeroed(), Bytes32::zeroed());
let tx = Transaction::script(
gas_price,
gas_limit,
maturity,
script,
script_data,
vec![input],
vec![output],
vec![],
);
let script = Script::new(tx);
Ok(script.call(fuel_client).await.unwrap())
}
/// Creates an ABI call based on a function selector and
/// the encoding of its call arguments, which is a slice of Tokens.
/// It returns a prepared ContractCall that can further be used to
/// make the actual transaction.
/// This method is the underlying implementation of the functions
/// generated from an ABI JSON spec, i.e, this is what's generated:
/// quote! {
/// #doc
/// pub fn #name(&self #input) -> #result {
/// Contract::method_hash(#tokenized_signature, #arg)
/// }
/// }
/// For more details see `code_gen/functions_gen.rs`.
pub fn method_hash<D: Detokenize>(
fuel_client: &FuelClient,
compiled_contract: &CompiledContract,
signature: Selector,
output_params: &[ParamType],
args: &[Token],
) -> Result<ContractCall<D>, Error> {
let mut encoder = ABIEncoder::new();
let encoded_args = encoder.encode(args).unwrap();
let encoded_selector = signature;
let gas_price = 0;
let gas_limit = 1_000_000;
let maturity = 0;
let custom_inputs = args.iter().any(|t| matches!(t, Token::Struct(_)));
Ok(ContractCall {
compiled_contract: compiled_contract.clone(),
contract_id: Self::compute_contract_id(compiled_contract),
encoded_args,
gas_price,
gas_limit,
maturity,
encoded_selector,
fuel_client: fuel_client.clone(),
datatype: PhantomData,
output_params: output_params.to_vec(),
custom_inputs,
})
}
/// Launches a local `fuel-core` network and deploys a contract to it.
/// If you want to deploy a contract against another network of
/// your choosing, use the `deploy` function instead.
pub async fn launch_and_deploy(
compiled_contract: &CompiledContract,
) -> Result<(FuelClient, ContractId), Error> {
let srv = FuelService::new_node(Config::local_node()).await.unwrap();
let fuel_client = FuelClient::from(srv.bound_address);
let contract_id = Self::deploy(compiled_contract, &fuel_client).await?;
Ok((fuel_client, contract_id))
}
/// Deploys a compiled contract to a running node
pub async fn deploy(
compiled_contract: &CompiledContract,
fuel_client: &FuelClient,
) -> Result<ContractId, Error> {
let (tx, contract_id) = Self::contract_deployment_transaction(compiled_contract);
match fuel_client.submit(&tx).await {
Ok(_) => Ok(contract_id),
Err(e) => Err(Error::TransactionError(e.to_string())),
}
}
/// Compiles a Sway contract
pub fn compile_sway_contract(
project_path: &str,
salt: Salt,
) -> Result<CompiledContract, Error> {
let build_command = BuildCommand {
path: Some(project_path.into()),
print_finalized_asm: false,
print_intermediate_asm: false,
binary_outfile: None,
offline_mode: false,
silent_mode: true,
print_ir: false,
use_ir: false,
};
let raw =
forc_build::build(build_command).map_err(|message| Error::CompilationError(message))?;
Ok(CompiledContract { salt, raw })
}
/// Crafts a transaction used to deploy a contract
pub fn contract_deployment_transaction(
compiled_contract: &CompiledContract,
) -> (Transaction, ContractId) {
// @todo get these configurations from
// params of this function.
let gas_price = 0;
let gas_limit = 1000000;
let maturity = 0;
let bytecode_witness_index = 0;
let witnesses = vec![compiled_contract.raw.clone().into()];
let static_contracts = vec![];
let contract_id = Self::compute_contract_id(compiled_contract);
let output = Output::contract_created(contract_id);
let tx = Transaction::create(
gas_price,
gas_limit,
maturity,
bytecode_witness_index,
compiled_contract.salt,
static_contracts,
vec![],
vec![output],
witnesses,
);
(tx, contract_id)
}
}
#[derive(Debug)]
#[must_use = "contract calls do nothing unless you `call` them"]
/// Helper for managing a transaction before submitting it to a node
pub struct ContractCall<D> {
pub fuel_client: FuelClient,
pub compiled_contract: CompiledContract,
pub encoded_args: Vec<u8>,
pub encoded_selector: Selector,
pub contract_id: ContractId,
pub gas_price: u64,
pub gas_limit: u64,
pub maturity: u64,
pub datatype: PhantomData<D>,
pub output_params: Vec<ParamType>,
pub custom_inputs: bool,
}
impl<D> ContractCall<D>
where
D: Detokenize,
{
/// Call a contract's method. Note that it will return
/// the method's value as an actual typed value `D`.
/// For instance, if your method returns a `bool`, this will be a
/// `Result<bool, Error>`. Also works for structs! If your method
/// returns `MyStruct`, `MyStruct` will be generated through the `abigen!()`
/// and this will return `Result<MyStruct, Error>`.
pub async fn call(self) -> Result<D, Error> {
let receipts = Contract::call(
self.contract_id,
Some(self.encoded_selector),
Some(self.encoded_args),
&self.fuel_client,
self.gas_price,
self.gas_limit,
self.maturity,
self.custom_inputs,
)
.await
.unwrap();
let returned_value = match Self::get_receipt_value(&receipts) {
Some(val) => val.to_be_bytes(),
None => [0u8; 8],
};
let mut decoder = ABIDecoder::new();
let decoded = decoder.decode(&self.output_params, &returned_value)?;
Ok(D::from_tokens(decoded)?)
}
fn get_receipt_value(receipts: &[Receipt]) -> Option<u64> {
for receipt in receipts {
if receipt.val().is_some() {
return receipt.val();
}
}
None
}
}