1use convert_case::{Case, Casing};
2use proc_macro::TokenStream;
3use proc_macro2::Span;
4use quote::{format_ident, quote};
5use std::fs;
6use std::path::Path;
7use syn::{parse_macro_input, Error};
8use zint::Contract;
9
10#[derive(serde::Deserialize, Debug)]
12struct AbiFunction {
13 name: String,
14 #[serde(default)]
15 inputs: Vec<AbiParameter>,
16 #[serde(default)]
17 outputs: Vec<AbiParameter>,
18 #[serde(default)]
19 state_mutability: String,
20 #[serde(default)]
21 constant: Option<bool>,
22 #[serde(rename = "type")]
23 fn_type: String,
24}
25
26#[derive(serde::Deserialize, Debug)]
28struct AbiParameter {
29 #[serde(default)]
30 name: String,
31 #[serde(rename = "type")]
32 param_type: String,
33 #[serde(default)]
34 _components: Option<Vec<AbiParameter>>,
35 #[serde(default)]
36 _indexed: Option<bool>,
37}
38
39#[derive(serde::Deserialize, Debug)]
41struct EthereumAbi {
42 #[serde(default)]
43 abi: Vec<AbiFunction>,
44}
45
46fn map_type_to_rust_and_encode(solidity_type: &str) -> proc_macro2::TokenStream {
48 match solidity_type {
49 "uint256" | "int256" => quote! { ::zink::primitives::u256::U256 },
50 "uint8" | "int8" => quote! { u8 },
51 "uint16" | "int16" => quote! { u16 },
52 "uint32" | "int32" => quote! { u32 },
53 "uint64" | "int64" => quote! { u64 },
54 "uint128" | "int128" => quote! { u128 },
55 "bool" => quote! { bool },
56 "address" => quote! { ::zink::primitives::address::Address },
57 "string" => quote! { String },
58 "bytes" => quote! { Vec<u8> },
59 t if t.ends_with("[]") => {
61 let inner_type = &t[..t.len() - 2];
62 let rust_inner_type = map_type_to_rust_and_encode(inner_type);
63 quote! { Vec<#rust_inner_type> }
64 }
65 t if t.contains('[') && t.ends_with(']') => {
67 let bracket_pos = t.find('[').unwrap();
68 let inner_type = &t[..bracket_pos];
69 let rust_inner_type = map_type_to_rust_and_encode(inner_type);
70 quote! { Vec<#rust_inner_type> }
71 }
72 _ => quote! { Vec<u8> },
74 }
75}
76
77fn generate_function_signature(func: &AbiFunction) -> proc_macro2::TokenStream {
79 let fn_name = format_ident!("{}", func.name.to_case(Case::Snake));
80
81 let mut params = quote! { &self };
83 for input in &func.inputs {
84 let param_name = if input.name.is_empty() {
85 format_ident!("arg{}", input.name.len())
86 } else {
87 format_ident!("{}", input.name.to_case(Case::Snake))
88 };
89
90 let param_type = map_type_to_rust_and_encode(&input.param_type);
91 params = quote! { #params, #param_name: #param_type };
92 }
93
94 let return_type = if func.outputs.is_empty() {
96 quote! { () }
97 } else if func.outputs.len() == 1 {
98 let output_type = map_type_to_rust_and_encode(&func.outputs[0].param_type);
99 quote! { #output_type }
100 } else {
101 let output_types = func
102 .outputs
103 .iter()
104 .map(|output| map_type_to_rust_and_encode(&output.param_type))
105 .collect::<Vec<_>>();
106 quote! { (#(#output_types),*) }
107 };
108
109 quote! {
110 pub fn #fn_name(#params) -> ::std::result::Result<#return_type, &'static str>
111 }
112}
113
114fn generate_function_implementation(func: &AbiFunction) -> proc_macro2::TokenStream {
116 let fn_signature = generate_function_signature(func);
117 let fn_name = &func.name;
118 let is_view = func.state_mutability == "view"
119 || func.state_mutability == "pure"
120 || func.constant.unwrap_or(false);
121
122 let param_names = func
124 .inputs
125 .iter()
126 .enumerate()
127 .map(|(i, input)| {
128 if input.name.is_empty() {
129 format_ident!("arg{}", i)
130 } else {
131 format_ident!("{}", input.name.to_case(Case::Snake))
132 }
133 })
134 .collect::<Vec<_>>();
135
136 let selector_str = format!(
138 "{}({})",
139 fn_name,
140 func.inputs
141 .iter()
142 .map(|i| i.param_type.clone())
143 .collect::<Vec<_>>()
144 .join(",")
145 );
146
147 let call_method = if is_view {
149 format_ident!("view_call")
150 } else {
151 format_ident!("call")
152 };
153
154 let param_encoding = if param_names.is_empty() {
156 quote! {
157 }
159 } else {
160 let encoding_statements = param_names.iter().map(|param_name| {
161 let param_type = func
162 .inputs
163 .iter()
164 .find(|input| {
165 if input.name.is_empty() {
166 format_ident!("arg{}", input.name.len()) == *param_name
167 } else {
168 format_ident!("{}", input.name.to_case(Case::Snake)) == *param_name
169 }
170 })
171 .map(|input| input.param_type.as_str())
172 .unwrap_or("unknown");
173
174 match param_type {
175 "address" => quote! {
176 call_data.extend_from_slice(&zabi::encode_address(#param_name.as_bytes()));
177 },
178 "uint256" | "int256" => quote! {
179 call_data.extend_from_slice(&zabi::encode_u256(#param_name.as_bytes()));
180 },
181 _ => quote! {
182 call_data.extend_from_slice(&zabi::encode(#param_name));
183 },
184 }
185 });
186
187 quote! {
188 #(#encoding_statements)*
189 }
190 };
191
192 let result_decoding = if func.outputs.is_empty() {
194 quote! {
195 Ok(())
196 }
197 } else if func.outputs.len() == 1 {
198 let output_type = &func.outputs[0].param_type;
199 match output_type.as_str() {
200 "uint8" => quote! {
201 let decoded = zabi::decode::<u8>(&result)?;
202 Ok(decoded)
203 },
204 "uint256" | "int256" => {
205 quote! {
206 let decoded_bytes = zabi::decode_u256(&result)?;
207 Ok(::zink::primitives::u256::U256::from_be_bytes(decoded_bytes))
208 }
209 }
210 "bool" => quote! {
211 let decoded = zabi::decode::<bool>(&root)?;
212 Ok(decoded)
213 },
214 "string" => quote! {
215 let decoded = zabi::decode::<String>(&result)?;
216 Ok(decoded)
217 },
218 "address" => quote! {
219 let decoded_bytes = zabi::decode_address(&result)?;
220 Ok(::zink::primitives::address::Address::from(decoded_bytes))
221 },
222 _ => quote! {
223 Err("Unsupported return type")
225 },
226 }
227 } else {
228 quote! {
229 Err("Multiple return values not yet supported")
230 }
231 };
232
233 quote! {
235 #fn_signature {
236 let mut hasher = tiny_keccak::Keccak::v256();
237 let mut selector = [0u8; 4];
238 let signature = #selector_str;
239 hasher.update(signature.as_bytes());
240 let mut hash = [0u8; 32];
241 hasher.finalize(&mut hash);
242 selector.copy_from_slice(&hash[0..4]);
243
244 let mut call_data = selector.to_vec();
246
247 #param_encoding
248
249 let result = self.#call_method(&call_data)?;
251
252 #result_decoding
254 }
255 }
256}
257
258#[proc_macro]
315pub fn import(input: TokenStream) -> TokenStream {
316 let input = parse_macro_input!(input as syn::ExprTuple);
318 let (abi_path, contract_name) = match input.elems.len() {
319 1 => {
320 let abi_path = if let syn::Expr::Lit(syn::ExprLit {
321 lit: syn::Lit::Str(lit_str),
322 ..
323 }) = &input.elems[0]
324 {
325 lit_str.value()
326 } else {
327 return Error::new(
328 Span::call_site(),
329 "First argument must be a string literal for ABI path",
330 )
331 .to_compile_error()
332 .into();
333 };
334 let file_name = Path::new(&abi_path)
335 .file_stem()
336 .and_then(|s| s.to_str())
337 .unwrap_or("Contract")
338 .to_string();
339 (abi_path, file_name)
340 }
341 2 => {
342 let abi_path = if let syn::Expr::Lit(syn::ExprLit {
343 lit: syn::Lit::Str(lit_str),
344 ..
345 }) = &input.elems[0]
346 {
347 lit_str.value()
348 } else {
349 return Error::new(
350 Span::call_site(),
351 "First argument must be a string literal for ABI path",
352 )
353 .to_compile_error()
354 .into();
355 };
356 let contract_name = if let syn::Expr::Lit(syn::ExprLit {
357 lit: syn::Lit::Str(lit_str),
358 ..
359 }) = &input.elems[1]
360 {
361 lit_str.value()
362 } else {
363 return Error::new(
364 Span::call_site(),
365 "Second argument must be a string literal for contract name",
366 )
367 .to_compile_error()
368 .into();
369 };
370 (abi_path, contract_name)
371 }
372 _ => {
373 return Error::new(Span::call_site(), "import! macro expects one or two arguments: (abi_path) or (abi_path, contract_name)")
374 .to_compile_error()
375 .into();
376 }
377 };
378
379 let _contract = match Contract::search(&contract_name) {
381 Ok(contract) => contract,
382 Err(e) => {
383 return Error::new(
384 Span::call_site(),
385 format!(
386 "Failed to find or compile contract '{}': {}",
387 contract_name, e
388 ),
389 )
390 .to_compile_error()
391 .into();
392 }
393 };
394
395 let abi_content = match fs::read_to_string(&abi_path) {
396 Ok(content) => content,
397 Err(e) => {
398 return Error::new(Span::call_site(), format!("Failed to read ABI file: {}", e))
399 .to_compile_error()
400 .into()
401 }
402 };
403
404 let abi: EthereumAbi = match serde_json::from_str(&abi_content) {
406 Ok(abi) => abi,
407 Err(e) => {
408 return Error::new(
409 Span::call_site(),
410 format!("Failed to parse ABI JSON: {}", e),
411 )
412 .to_compile_error()
413 .into()
414 }
415 };
416
417 let file_name = std::path::Path::new(&abi_path)
418 .file_stem()
419 .and_then(|s| s.to_str())
420 .unwrap_or("Contract");
421
422 let struct_name = format_ident!("{}", file_name);
423
424 let function_impls = abi
426 .abi
427 .iter()
428 .filter(|func| func.fn_type == "function")
429 .map(generate_function_implementation)
430 .collect::<Vec<_>>();
431
432 let expanded = quote! {
433 pub struct #struct_name {
434 address: ::zink::primitives::address::Address,
435 evm: ::zint::revm::EVM<'static>,
436 }
437
438 impl #struct_name {
439 pub fn new(address: ::zink::primitives::address::Address) -> Self {
440 use ::zint::revm;
441 use ::zink::primitives::address::Address;
442 use ::zink::primitives::u256::U256;
443 use ::zint::Contract;
444
445 let mut evm = revm::EVM::default();
446 evm.db_mut().insert_account_info(
448 revm::primitives::Address::from(Address::from(revm::ALICE)),
449 revm::primitives::AccountInfo::from_balance(U256::MAX),
450 );
451 let contract = Contract::search(#contract_name).expect("Contract not found");
453 let bytecode = contract.compile().expect("Compilation failed").bytecode().expect("No bytecode").to_vec();
454 let deployed = evm.contract(&bytecode).deploy(&bytecode).expect("Deploy failed");
455 evm = deployed.evm;
456 evm.commit(true); if bytecode.is_empty() {
460 panic!("Contract deployment failed: no bytecode generated");
461 }
462
463 let mut evm = evm.caller(revm::ALICE);
465 let storage_key = ::zink::storage::Mapping::<Address, U256>::storage_key(Address::from(revm::ALICE));
466 let initial_balance = U256::from(1000); evm.db_mut().insert_storage(
468 *address.as_bytes(),
469 storage_key,
470 initial_balance,
471 );
472 Self { address, evm }
473 }
474
475 fn view_call(&self, data: &[u8]) -> ::std::result::Result<Vec<u8>, &'static str> {
476 self.evm
477 .clone()
478 .calldata(data)
479 .call(*self.address.as_bytes())
480 .map(|info| info.ret)
481 .map_err(|_| "View call failed")
482 }
483
484 fn call(&self, data: &[u8]) -> ::std::result::Result<Vec<u8>, &'static str> {
485 self.evm
486 .clone()
487 .calldata(data)
488 .call(*self.address.as_bytes())
489 .map(|info| info.ret)
490 .map_err(|_| "Call failed")
491 }
492
493 #(#function_impls)*
494 }
495 };
496
497 expanded.into()
498}