-
Notifications
You must be signed in to change notification settings - Fork 7
/
call.go
109 lines (95 loc) · 2.46 KB
/
call.go
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
package multicall
import (
"bytes"
"errors"
"fmt"
"reflect"
"github.com/ethereum/go-ethereum/accounts/abi"
"github.com/ethereum/go-ethereum/common"
)
// Contract wraps the parsed ABI and acts as a call factory.
type Contract struct {
ABI *abi.ABI
Address common.Address
}
// NewContract creates a new call factory.
func NewContract(rawJson, address string) (*Contract, error) {
parsedABI, err := ParseABI(rawJson)
if err != nil {
return nil, err
}
return &Contract{
ABI: parsedABI,
Address: common.HexToAddress(address),
}, nil
}
// ParseABI parses raw ABI JSON.
func ParseABI(rawJson string) (*abi.ABI, error) {
parsed, err := abi.JSON(bytes.NewBufferString(rawJson))
if err != nil {
return nil, fmt.Errorf("failed to parse abi: %v", err)
}
return &parsed, nil
}
// Call wraps a multicall call.
type Call struct {
CallName string
Contract *Contract
Method string
Inputs []any
Outputs any
CanFail bool
Failed bool
}
// NewCall creates a new call using given inputs.
// Outputs type is the expected output struct to unpack and set values in.
func (contract *Contract) NewCall(
outputs any, methodName string, inputs ...any,
) *Call {
return &Call{
Contract: contract,
Method: methodName,
Inputs: inputs,
Outputs: outputs,
}
}
// Name sets a name for the call.
func (call *Call) Name(name string) *Call {
call.CallName = name
return call
}
// AllowFailure sets if the call is allowed to fail. This helps avoiding a revert
// when one of the calls in the array fails.
func (call *Call) AllowFailure() *Call {
call.CanFail = true
return call
}
// Unpack unpacks and converts EVM outputs and sets struct fields.
func (call *Call) Unpack(b []byte) error {
t := reflect.ValueOf(call.Outputs)
if t.Kind() == reflect.Pointer {
t = t.Elem()
}
if t.Kind() != reflect.Struct {
return errors.New("outputs type is not a struct")
}
out, err := call.Contract.ABI.Unpack(call.Method, b)
if err != nil {
return fmt.Errorf("failed to unpack '%s' outputs: %v", call.Method, err)
}
fieldCount := t.NumField()
for i := 0; i < fieldCount; i++ {
field := t.Field(i)
converted := abi.ConvertType(out[i], field.Interface())
field.Set(reflect.ValueOf(converted))
}
return nil
}
// Pack converts and packs EVM inputs.
func (call *Call) Pack() ([]byte, error) {
b, err := call.Contract.ABI.Pack(call.Method, call.Inputs...)
if err != nil {
return nil, fmt.Errorf("failed to pack '%s' inputs: %v", call.Method, err)
}
return b, nil
}