2020-05-26 09:37:31 +00:00
|
|
|
//! Implementation of procedural macro for generating type-safe bindings to an
|
|
|
|
//! ethereum smart contract.
|
2020-05-26 18:57:59 +00:00
|
|
|
use crate::spanned::{ParseInner, Spanned};
|
2020-05-26 09:37:31 +00:00
|
|
|
|
2020-06-03 21:05:05 +00:00
|
|
|
use ethers_contract_abigen::Abigen;
|
2020-06-16 12:08:42 +00:00
|
|
|
use ethers_core::abi::{Function, FunctionExt, Param, StateMutability};
|
2020-05-26 09:37:31 +00:00
|
|
|
|
2021-10-11 14:18:09 +00:00
|
|
|
use ethers_contract_abigen::contract::{Context, ExpandedContract};
|
2020-05-26 09:37:31 +00:00
|
|
|
use proc_macro2::{Span, TokenStream as TokenStream2};
|
2021-10-11 14:18:09 +00:00
|
|
|
use quote::{quote, ToTokens};
|
2021-10-29 12:29:35 +00:00
|
|
|
use std::{
|
|
|
|
collections::{HashMap, HashSet},
|
|
|
|
error::Error,
|
|
|
|
};
|
|
|
|
use syn::{
|
|
|
|
braced,
|
|
|
|
ext::IdentExt,
|
|
|
|
parenthesized,
|
|
|
|
parse::{Error as ParseError, Parse, ParseStream, Result as ParseResult},
|
|
|
|
Ident, LitStr, Path, Token,
|
|
|
|
};
|
2020-05-26 09:37:31 +00:00
|
|
|
|
2021-10-11 14:18:09 +00:00
|
|
|
/// A series of `ContractArgs` separated by `;`
|
|
|
|
#[cfg_attr(test, derive(Debug))]
|
|
|
|
pub(crate) struct Contracts {
|
|
|
|
inner: Vec<(Span, ContractArgs)>,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Contracts {
|
|
|
|
pub(crate) fn expand(self) -> Result<TokenStream2, syn::Error> {
|
|
|
|
let mut tokens = TokenStream2::new();
|
|
|
|
let mut expansions = Vec::with_capacity(self.inner.len());
|
|
|
|
|
|
|
|
// expand all contracts
|
|
|
|
for (span, contract) in self.inner {
|
|
|
|
let contract = Self::expand_contract(contract)
|
|
|
|
.map_err(|err| syn::Error::new(span, err.to_string()))?;
|
|
|
|
expansions.push(contract);
|
|
|
|
}
|
|
|
|
|
|
|
|
// merge all types if more than 1 contract
|
|
|
|
if expansions.len() > 1 {
|
|
|
|
// check for type conflicts
|
|
|
|
let mut conflicts: HashMap<String, Vec<usize>> = HashMap::new();
|
|
|
|
for (idx, (_, ctx)) in expansions.iter().enumerate() {
|
|
|
|
for type_identifier in ctx.internal_structs().rust_type_names().keys() {
|
|
|
|
conflicts
|
|
|
|
.entry(type_identifier.clone())
|
|
|
|
.or_insert_with(|| Vec::with_capacity(1))
|
|
|
|
.push(idx);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
let mut shared_types = TokenStream2::new();
|
|
|
|
let shared_types_mdoule = quote!(__shared_types);
|
|
|
|
let mut dirty = HashSet::new();
|
|
|
|
// resolve type conflicts
|
|
|
|
for (id, contracts) in conflicts.iter().filter(|(_, c)| c.len() > 1) {
|
|
|
|
// extract the shared type once
|
|
|
|
shared_types.extend(expansions[contracts[0]].1.struct_definition(id).unwrap());
|
|
|
|
// remove the shared type
|
|
|
|
for contract in contracts.iter().copied() {
|
|
|
|
expansions[contract].1.remove_struct(id);
|
|
|
|
dirty.insert(contract);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// regenerate all struct definitions that were hit and adjust imports
|
|
|
|
for contract in dirty {
|
|
|
|
let (expanded, ctx) = &mut expansions[contract];
|
|
|
|
expanded.abi_structs = ctx.abi_structs().unwrap();
|
2021-10-29 12:29:35 +00:00
|
|
|
expanded.imports.extend(quote!( pub use super::#shared_types_mdoule::*;));
|
2021-10-11 14:18:09 +00:00
|
|
|
}
|
|
|
|
tokens.extend(quote! {
|
|
|
|
pub mod #shared_types_mdoule {
|
|
|
|
#shared_types
|
|
|
|
}
|
|
|
|
});
|
|
|
|
}
|
|
|
|
|
|
|
|
tokens.extend(expansions.into_iter().map(|(exp, _)| exp.into_tokens()));
|
|
|
|
Ok(tokens)
|
|
|
|
}
|
|
|
|
|
|
|
|
fn expand_contract(
|
|
|
|
contract: ContractArgs,
|
|
|
|
) -> Result<(ExpandedContract, Context), Box<dyn Error>> {
|
|
|
|
let contract = contract.into_builder()?;
|
|
|
|
let ctx = Context::from_abigen(contract)?;
|
|
|
|
Ok((ctx.expand()?, ctx))
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Parse for Contracts {
|
|
|
|
fn parse(input: ParseStream) -> ParseResult<Self> {
|
|
|
|
let inner = input
|
|
|
|
.parse_terminated::<_, Token![;]>(ContractArgs::spanned_parse)?
|
|
|
|
.into_iter()
|
|
|
|
.collect();
|
|
|
|
Ok(Self { inner })
|
|
|
|
}
|
2020-05-26 09:37:31 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
/// Contract procedural macro arguments.
|
|
|
|
#[cfg_attr(test, derive(Debug, Eq, PartialEq))]
|
2020-05-26 18:57:59 +00:00
|
|
|
pub(crate) struct ContractArgs {
|
|
|
|
name: String,
|
2020-06-03 21:05:05 +00:00
|
|
|
abi: String,
|
2020-05-26 09:37:31 +00:00
|
|
|
parameters: Vec<Parameter>,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl ContractArgs {
|
2020-06-03 21:05:05 +00:00
|
|
|
fn into_builder(self) -> Result<Abigen, Box<dyn Error>> {
|
|
|
|
let mut builder = Abigen::new(&self.name, &self.abi)?;
|
2020-05-26 09:37:31 +00:00
|
|
|
|
|
|
|
for parameter in self.parameters.into_iter() {
|
|
|
|
builder = match parameter {
|
2021-10-29 12:29:35 +00:00
|
|
|
Parameter::Methods(methods) => methods
|
|
|
|
.into_iter()
|
|
|
|
.fold(builder, |builder, m| builder.add_method_alias(m.signature, m.alias)),
|
2020-05-26 09:37:31 +00:00
|
|
|
Parameter::EventDerives(derives) => derives
|
|
|
|
.into_iter()
|
|
|
|
.fold(builder, |builder, derive| builder.add_event_derive(derive)),
|
|
|
|
};
|
|
|
|
}
|
|
|
|
|
|
|
|
Ok(builder)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl ParseInner for ContractArgs {
|
|
|
|
fn spanned_parse(input: ParseStream) -> ParseResult<(Span, Self)> {
|
2020-05-26 18:57:59 +00:00
|
|
|
// read the contract name
|
|
|
|
let name = input.parse::<Ident>()?.to_string();
|
|
|
|
|
|
|
|
// skip the comma
|
|
|
|
input.parse::<Token![,]>()?;
|
|
|
|
|
2020-05-26 09:37:31 +00:00
|
|
|
// TODO(nlordell): Due to limitation with the proc-macro Span API, we
|
|
|
|
// can't currently get a path the the file where we were called from;
|
|
|
|
// therefore, the path will always be rooted on the cargo manifest
|
|
|
|
// directory. Eventually we can use the `Span::source_file` API to
|
|
|
|
// have a better experience.
|
2020-06-03 21:05:05 +00:00
|
|
|
let (span, abi) = {
|
2020-05-26 09:37:31 +00:00
|
|
|
let literal = input.parse::<LitStr>()?;
|
|
|
|
(literal.span(), literal.value())
|
|
|
|
};
|
|
|
|
|
2021-10-11 14:18:09 +00:00
|
|
|
let mut parameters = Vec::new();
|
|
|
|
let lookahead = input.lookahead1();
|
|
|
|
if lookahead.peek(Token![,]) {
|
2020-05-26 09:37:31 +00:00
|
|
|
input.parse::<Token![,]>()?;
|
2020-05-26 18:57:59 +00:00
|
|
|
|
2021-10-11 14:18:09 +00:00
|
|
|
loop {
|
|
|
|
if input.is_empty() {
|
2021-10-29 12:29:35 +00:00
|
|
|
break
|
2021-10-11 14:18:09 +00:00
|
|
|
}
|
|
|
|
let lookahead = input.lookahead1();
|
|
|
|
if lookahead.peek(Token![;]) {
|
2021-10-29 12:29:35 +00:00
|
|
|
break
|
2021-10-11 14:18:09 +00:00
|
|
|
}
|
|
|
|
let param = Parameter::parse(input)?;
|
|
|
|
parameters.push(param);
|
|
|
|
let lookahead = input.lookahead1();
|
|
|
|
if lookahead.peek(Token![,]) {
|
|
|
|
input.parse::<Token![,]>()?;
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
2020-05-26 09:37:31 +00:00
|
|
|
|
2021-10-29 12:29:35 +00:00
|
|
|
Ok((span, ContractArgs { name, abi, parameters }))
|
2020-05-26 09:37:31 +00:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
/// A single procedural macro parameter.
|
|
|
|
#[cfg_attr(test, derive(Debug, Eq, PartialEq))]
|
|
|
|
enum Parameter {
|
|
|
|
Methods(Vec<Method>),
|
|
|
|
EventDerives(Vec<String>),
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Parse for Parameter {
|
|
|
|
fn parse(input: ParseStream) -> ParseResult<Self> {
|
|
|
|
let name = input.call(Ident::parse_any)?;
|
|
|
|
let param = match name.to_string().as_str() {
|
|
|
|
"methods" => {
|
|
|
|
let content;
|
|
|
|
braced!(content in input);
|
|
|
|
let methods = {
|
|
|
|
let parsed =
|
|
|
|
content.parse_terminated::<_, Token![;]>(Spanned::<Method>::parse)?;
|
|
|
|
|
|
|
|
let mut methods = Vec::with_capacity(parsed.len());
|
|
|
|
let mut signatures = HashSet::new();
|
|
|
|
let mut aliases = HashSet::new();
|
|
|
|
for method in parsed {
|
|
|
|
if !signatures.insert(method.signature.clone()) {
|
|
|
|
return Err(ParseError::new(
|
|
|
|
method.span(),
|
2020-06-10 20:26:37 +00:00
|
|
|
"duplicate method signature in `abigen!` macro invocation",
|
2021-10-29 12:29:35 +00:00
|
|
|
))
|
2020-05-26 09:37:31 +00:00
|
|
|
}
|
|
|
|
if !aliases.insert(method.alias.clone()) {
|
|
|
|
return Err(ParseError::new(
|
|
|
|
method.span(),
|
2020-06-10 20:26:37 +00:00
|
|
|
"duplicate method alias in `abigen!` macro invocation",
|
2021-10-29 12:29:35 +00:00
|
|
|
))
|
2020-05-26 09:37:31 +00:00
|
|
|
}
|
|
|
|
methods.push(method.into_inner())
|
|
|
|
}
|
|
|
|
|
|
|
|
methods
|
|
|
|
};
|
|
|
|
|
|
|
|
Parameter::Methods(methods)
|
|
|
|
}
|
|
|
|
"event_derives" => {
|
|
|
|
let content;
|
|
|
|
parenthesized!(content in input);
|
|
|
|
let derives = content
|
|
|
|
.parse_terminated::<_, Token![,]>(Path::parse)?
|
|
|
|
.into_iter()
|
|
|
|
.map(|path| path.to_token_stream().to_string())
|
|
|
|
.collect();
|
|
|
|
Parameter::EventDerives(derives)
|
|
|
|
}
|
|
|
|
_ => {
|
|
|
|
return Err(ParseError::new(
|
|
|
|
name.span(),
|
|
|
|
format!("unexpected named parameter `{}`", name),
|
|
|
|
))
|
|
|
|
}
|
|
|
|
};
|
|
|
|
|
|
|
|
Ok(param)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
/// An explicitely named contract method.
|
|
|
|
#[cfg_attr(test, derive(Debug, Eq, PartialEq))]
|
|
|
|
struct Method {
|
|
|
|
signature: String,
|
|
|
|
alias: String,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Parse for Method {
|
|
|
|
fn parse(input: ParseStream) -> ParseResult<Self> {
|
|
|
|
let function = {
|
|
|
|
let name = input.parse::<Ident>()?.to_string();
|
|
|
|
|
|
|
|
let content;
|
|
|
|
parenthesized!(content in input);
|
|
|
|
let inputs = content
|
|
|
|
.parse_terminated::<_, Token![,]>(Ident::parse)?
|
|
|
|
.iter()
|
|
|
|
.map(|ident| {
|
2020-05-26 18:57:59 +00:00
|
|
|
let kind = serde_json::from_value(serde_json::json!(&ident.to_string()))
|
2020-05-26 09:37:31 +00:00
|
|
|
.map_err(|err| ParseError::new(ident.span(), err))?;
|
2021-10-29 12:29:35 +00:00
|
|
|
Ok(Param { name: "".into(), kind, internal_type: None })
|
2020-05-26 09:37:31 +00:00
|
|
|
})
|
|
|
|
.collect::<ParseResult<Vec<_>>>()?;
|
|
|
|
|
2021-01-10 12:03:37 +00:00
|
|
|
#[allow(deprecated)]
|
2020-05-26 09:37:31 +00:00
|
|
|
Function {
|
|
|
|
name,
|
|
|
|
inputs,
|
|
|
|
|
|
|
|
// NOTE: The output types and const-ness of the function do not
|
|
|
|
// affect its signature.
|
|
|
|
outputs: vec![],
|
2021-01-10 12:03:37 +00:00
|
|
|
state_mutability: StateMutability::NonPayable,
|
|
|
|
constant: false,
|
2020-05-26 09:37:31 +00:00
|
|
|
}
|
|
|
|
};
|
|
|
|
let signature = function.abi_signature();
|
|
|
|
input.parse::<Token![as]>()?;
|
|
|
|
let alias = {
|
|
|
|
let ident = input.parse::<Ident>()?;
|
|
|
|
ident.to_string()
|
|
|
|
};
|
|
|
|
|
|
|
|
Ok(Method { signature, alias })
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
#[cfg(test)]
|
|
|
|
mod tests {
|
|
|
|
use super::*;
|
|
|
|
|
|
|
|
macro_rules! contract_args_result {
|
|
|
|
($($arg:tt)*) => {{
|
|
|
|
use syn::parse::Parser;
|
|
|
|
<Spanned<ContractArgs> as Parse>::parse
|
|
|
|
.parse2(quote::quote! { $($arg)* })
|
|
|
|
}};
|
|
|
|
}
|
2020-05-27 11:55:09 +00:00
|
|
|
|
2020-06-10 20:26:37 +00:00
|
|
|
macro_rules! contract_args {
|
|
|
|
($($arg:tt)*) => {
|
|
|
|
contract_args_result!($($arg)*)
|
|
|
|
.expect("failed to parse contract args")
|
|
|
|
.into_inner()
|
|
|
|
};
|
|
|
|
}
|
2020-05-27 11:55:09 +00:00
|
|
|
|
2020-05-26 09:37:31 +00:00
|
|
|
macro_rules! contract_args_err {
|
|
|
|
($($arg:tt)*) => {
|
|
|
|
contract_args_result!($($arg)*)
|
|
|
|
.expect_err("expected parse contract args to error")
|
|
|
|
};
|
|
|
|
}
|
|
|
|
|
2020-05-27 11:55:09 +00:00
|
|
|
#[allow(unused)]
|
2020-05-26 09:37:31 +00:00
|
|
|
fn method(signature: &str, alias: &str) -> Method {
|
2021-10-29 12:29:35 +00:00
|
|
|
Method { signature: signature.into(), alias: alias.into() }
|
2020-05-26 09:37:31 +00:00
|
|
|
}
|
|
|
|
|
2021-10-11 14:18:09 +00:00
|
|
|
fn parse_contracts(s: TokenStream2) -> Vec<ContractArgs> {
|
|
|
|
use syn::parse::Parser;
|
2021-10-29 12:29:35 +00:00
|
|
|
Contracts::parse.parse2(s).unwrap().inner.into_iter().map(|(_, c)| c).collect::<Vec<_>>()
|
2021-10-11 14:18:09 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn parse_multi_contract_args_events() {
|
|
|
|
let args = parse_contracts(quote::quote! {
|
|
|
|
TestContract,
|
|
|
|
"path/to/abi.json",
|
|
|
|
event_derives(serde::Deserialize, serde::Serialize);
|
|
|
|
|
|
|
|
TestContract2,
|
|
|
|
"other.json",
|
|
|
|
event_derives(serde::Deserialize, serde::Serialize);
|
|
|
|
});
|
|
|
|
|
|
|
|
assert_eq!(
|
|
|
|
args,
|
|
|
|
vec![
|
|
|
|
ContractArgs {
|
|
|
|
name: "TestContract".to_string(),
|
|
|
|
abi: "path/to/abi.json".to_string(),
|
|
|
|
parameters: vec![Parameter::EventDerives(vec![
|
|
|
|
"serde :: Deserialize".into(),
|
|
|
|
"serde :: Serialize".into(),
|
|
|
|
])],
|
|
|
|
},
|
|
|
|
ContractArgs {
|
|
|
|
name: "TestContract2".to_string(),
|
|
|
|
abi: "other.json".to_string(),
|
|
|
|
parameters: vec![Parameter::EventDerives(vec![
|
|
|
|
"serde :: Deserialize".into(),
|
|
|
|
"serde :: Serialize".into(),
|
|
|
|
])],
|
|
|
|
},
|
|
|
|
]
|
|
|
|
);
|
|
|
|
}
|
|
|
|
#[test]
|
|
|
|
fn parse_multi_contract_args_methods() {
|
|
|
|
let args = parse_contracts(quote::quote! {
|
|
|
|
TestContract,
|
|
|
|
"path/to/abi.json",
|
|
|
|
methods {
|
|
|
|
myMethod(uint256, bool) as my_renamed_method;
|
|
|
|
myOtherMethod() as my_other_renamed_method;
|
|
|
|
}
|
|
|
|
;
|
|
|
|
|
|
|
|
TestContract2,
|
|
|
|
"other.json",
|
|
|
|
event_derives(serde::Deserialize, serde::Serialize);
|
|
|
|
});
|
|
|
|
|
|
|
|
assert_eq!(
|
|
|
|
args,
|
|
|
|
vec![
|
|
|
|
ContractArgs {
|
|
|
|
name: "TestContract".to_string(),
|
|
|
|
abi: "path/to/abi.json".to_string(),
|
|
|
|
parameters: vec![Parameter::Methods(vec![
|
|
|
|
method("myMethod(uint256,bool)", "my_renamed_method"),
|
|
|
|
method("myOtherMethod()", "my_other_renamed_method"),
|
|
|
|
])],
|
|
|
|
},
|
|
|
|
ContractArgs {
|
|
|
|
name: "TestContract2".to_string(),
|
|
|
|
abi: "other.json".to_string(),
|
|
|
|
parameters: vec![Parameter::EventDerives(vec![
|
|
|
|
"serde :: Deserialize".into(),
|
|
|
|
"serde :: Serialize".into(),
|
|
|
|
])],
|
|
|
|
},
|
|
|
|
]
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn parse_multi_contract_args() {
|
|
|
|
let args = parse_contracts(quote::quote! {
|
|
|
|
TestContract,
|
|
|
|
"path/to/abi.json",;
|
|
|
|
|
|
|
|
TestContract2,
|
|
|
|
"other.json",
|
|
|
|
event_derives(serde::Deserialize, serde::Serialize);
|
|
|
|
});
|
|
|
|
|
|
|
|
assert_eq!(
|
|
|
|
args,
|
|
|
|
vec![
|
|
|
|
ContractArgs {
|
|
|
|
name: "TestContract".to_string(),
|
|
|
|
abi: "path/to/abi.json".to_string(),
|
|
|
|
parameters: vec![],
|
|
|
|
},
|
|
|
|
ContractArgs {
|
|
|
|
name: "TestContract2".to_string(),
|
|
|
|
abi: "other.json".to_string(),
|
|
|
|
parameters: vec![Parameter::EventDerives(vec![
|
|
|
|
"serde :: Deserialize".into(),
|
|
|
|
"serde :: Serialize".into(),
|
|
|
|
])],
|
|
|
|
},
|
|
|
|
]
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
2020-06-10 20:26:37 +00:00
|
|
|
#[test]
|
|
|
|
fn parse_contract_args() {
|
|
|
|
let args = contract_args!(TestContract, "path/to/abi.json");
|
|
|
|
assert_eq!(args.name, "TestContract");
|
|
|
|
assert_eq!(args.abi, "path/to/abi.json");
|
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn parse_contract_args_with_defaults() {
|
|
|
|
let args = contract_args!(TestContract, "[{}]");
|
|
|
|
assert_eq!(
|
|
|
|
args,
|
|
|
|
ContractArgs {
|
|
|
|
name: "TestContract".to_string(),
|
|
|
|
abi: "[{}]".to_string(),
|
|
|
|
parameters: vec![],
|
|
|
|
},
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn parse_contract_args_with_parameters() {
|
|
|
|
let args = contract_args!(
|
|
|
|
TestContract,
|
|
|
|
"abi.json",
|
|
|
|
methods {
|
|
|
|
myMethod(uint256, bool) as my_renamed_method;
|
|
|
|
myOtherMethod() as my_other_renamed_method;
|
|
|
|
},
|
|
|
|
event_derives (Asdf, a::B, a::b::c::D)
|
|
|
|
);
|
|
|
|
assert_eq!(
|
|
|
|
args,
|
|
|
|
ContractArgs {
|
|
|
|
name: "TestContract".to_string(),
|
|
|
|
abi: "abi.json".to_string(),
|
|
|
|
parameters: vec![
|
|
|
|
// Parameter::Contract("Contract".into()),
|
|
|
|
Parameter::Methods(vec![
|
|
|
|
method("myMethod(uint256,bool)", "my_renamed_method"),
|
|
|
|
method("myOtherMethod()", "my_other_renamed_method"),
|
|
|
|
]),
|
|
|
|
Parameter::EventDerives(vec![
|
|
|
|
"Asdf".into(),
|
|
|
|
"a :: B".into(),
|
|
|
|
"a :: b :: c :: D".into()
|
|
|
|
])
|
|
|
|
],
|
|
|
|
},
|
|
|
|
);
|
|
|
|
}
|
2020-05-26 09:37:31 +00:00
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn duplicate_method_rename_error() {
|
|
|
|
contract_args_err!(
|
2020-06-10 20:26:37 +00:00
|
|
|
"abi.json",
|
2020-05-26 09:37:31 +00:00
|
|
|
methods {
|
|
|
|
myMethod(uint256) as my_method_1;
|
|
|
|
myMethod(uint256) as my_method_2;
|
|
|
|
}
|
|
|
|
);
|
|
|
|
contract_args_err!(
|
2020-06-10 20:26:37 +00:00
|
|
|
"abi.json",
|
2020-05-26 09:37:31 +00:00
|
|
|
methods {
|
|
|
|
myMethod1(uint256) as my_method;
|
|
|
|
myMethod2(uint256) as my_method;
|
|
|
|
}
|
|
|
|
);
|
|
|
|
}
|
|
|
|
|
|
|
|
#[test]
|
|
|
|
fn method_invalid_method_parameter_type() {
|
|
|
|
contract_args_err!(
|
2020-06-10 20:26:37 +00:00
|
|
|
"abi.json",
|
2020-05-26 09:37:31 +00:00
|
|
|
methods {
|
|
|
|
myMethod(invalid) as my_method;
|
|
|
|
}
|
|
|
|
);
|
|
|
|
}
|
|
|
|
}
|