1use crate::{lookup, Bytes32, Info, EVM};
4use anyhow::{anyhow, Result};
5use std::fs;
6use zinkc::{Artifact, Compiler, Config, Constructor, InitStorage};
7
8#[derive(Default)]
10pub struct Contract {
11 pub dispatcher: bool,
13 pub artifact: Artifact,
15 pub wasm: Vec<u8>,
17 pub constructor: Constructor,
19 pub address: [u8; 20],
21}
22
23impl<T> From<T> for Contract
24where
25 T: AsRef<[u8]>,
26{
27 fn from(wasm: T) -> Self {
28 crate::setup_logger();
29
30 Self {
31 wasm: wasm.as_ref().into(),
32 dispatcher: true,
33 ..Default::default()
34 }
35 }
36}
37
38impl Contract {
39 pub fn bytecode(&self) -> Result<Vec<u8>> {
41 let bytecode = self
42 .constructor
43 .finish(self.artifact.runtime_bytecode.clone().into())
44 .map(|v| v.to_vec())?;
45
46 tracing::debug!("runtime bytecode: {}", hex::encode(&bytecode));
47 Ok(bytecode)
48 }
49
50 pub fn construct(&mut self, storage: InitStorage) -> Result<&mut Self> {
53 self.constructor.storage(storage)?;
54 Ok(self)
55 }
56
57 pub fn compile(mut self) -> Result<Self> {
59 let config = Config::default().dispatcher(self.dispatcher);
60 let compiler = Compiler::new(config);
61 self.artifact = compiler.compile(&self.wasm)?;
62
63 tracing::debug!("bytecode: {}", hex::encode(&self.artifact.runtime_bytecode));
65 Ok(self)
66 }
67
68 pub fn deploy<'e>(&mut self) -> Result<EVM<'e>> {
70 let mut evm = EVM::default();
71 let info = evm.deploy(&self.bytecode()?)?;
72
73 self.address.copy_from_slice(&info.address);
74 Ok(evm)
75 }
76
77 pub fn current() -> Result<Self> {
83 Self::search(&lookup::pkg_name()?)
84 }
85
86 pub fn encode<Param>(&self, inputs: impl AsRef<[Param]>) -> Result<Vec<u8>>
88 where
89 Param: Bytes32,
90 {
91 let mut calldata = Vec::new();
92 let mut inputs = inputs.as_ref();
93 if self.dispatcher {
94 if inputs.is_empty() {
95 return Err(anyhow!("no selector provided"));
96 }
97
98 calldata.extend_from_slice(&zabi::selector::parse(&inputs[0].to_vec()));
99 inputs = &inputs[1..];
100 }
101
102 for input in inputs {
103 calldata.extend_from_slice(&input.to_bytes32());
104 }
105
106 tracing::debug!("calldata: {}", hex::encode(&calldata));
107 Ok(calldata)
108 }
109
110 pub fn execute<Param>(&mut self, inputs: impl AsRef<[Param]>) -> Result<Info>
112 where
113 Param: Bytes32,
114 {
115 EVM::interp(&self.artifact.runtime_bytecode, &self.encode(inputs)?)
116 }
117
118 pub fn json_abi(&self) -> Result<String> {
120 serde_json::to_string_pretty(&self.artifact.abi).map_err(Into::into)
121 }
122
123 pub fn pure(mut self) -> Self {
125 self.dispatcher = false;
126 self
127 }
128
129 pub fn search(name: &str) -> Result<Self> {
131 crate::setup_logger();
134 let wasm = lookup::wasm(name)?;
135 zinkc::utils::wasm_opt(&wasm, &wasm)?;
136
137 tracing::debug!("loading contract from {}", wasm.display());
138 Ok(Self::from(fs::read(wasm)?))
139 }
140}