d5c2ab33fc
= Add eth_node_fingerprint to block that can be imitated by both hot and cold imports - Only sync missing blocks (blocks that are missing or don't share a fingerprint) on cold import - Set block is_final status after import
90 lines
1.9 KiB
Go
90 lines
1.9 KiB
Go
package geth
|
|
|
|
import (
|
|
"errors"
|
|
"strings"
|
|
|
|
"encoding/json"
|
|
"fmt"
|
|
"net/http"
|
|
"time"
|
|
|
|
"github.com/ethereum/go-ethereum/accounts/abi"
|
|
"github.com/vulcanize/vulcanizedb/pkg/fs"
|
|
)
|
|
|
|
var (
|
|
ErrInvalidAbiFile = errors.New("invalid abi")
|
|
ErrMissingAbiFile = errors.New("missing abi")
|
|
ErrApiRequestFailed = errors.New("etherscan api request failed")
|
|
)
|
|
|
|
type Response struct {
|
|
Status string
|
|
Message string
|
|
Result string
|
|
}
|
|
|
|
type EtherScanAPI struct {
|
|
client *http.Client
|
|
url string
|
|
}
|
|
|
|
func NewEtherScanClient(url string) *EtherScanAPI {
|
|
return &EtherScanAPI{
|
|
client: &http.Client{Timeout: 10 * time.Second},
|
|
url: url,
|
|
}
|
|
}
|
|
|
|
func GenURL(network string) string {
|
|
switch network {
|
|
case "ropsten":
|
|
return "https://ropsten.etherscan.io"
|
|
case "kovan":
|
|
return "https://kovan.etherscan.io"
|
|
case "rinkeby":
|
|
return "https://rinkeby.etherscan.io"
|
|
default:
|
|
return "https://api.etherscan.io"
|
|
}
|
|
}
|
|
|
|
//https://api.etherscan.io/api?module=contract&action=getabi&address=%s
|
|
func (e *EtherScanAPI) GetAbi(contractHash string) (string, error) {
|
|
target := new(Response)
|
|
request := fmt.Sprintf("%s/api?module=contract&action=getabi&address=%s", e.url, contractHash)
|
|
r, err := e.client.Get(request)
|
|
if err != nil {
|
|
return "", ErrApiRequestFailed
|
|
}
|
|
defer r.Body.Close()
|
|
err = json.NewDecoder(r.Body).Decode(&target)
|
|
return target.Result, err
|
|
}
|
|
|
|
func ParseAbiFile(abiFilePath string) (abi.ABI, error) {
|
|
abiString, err := ReadAbiFile(abiFilePath)
|
|
if err != nil {
|
|
return abi.ABI{}, ErrMissingAbiFile
|
|
}
|
|
return ParseAbi(abiString)
|
|
}
|
|
|
|
func ParseAbi(abiString string) (abi.ABI, error) {
|
|
parsedAbi, err := abi.JSON(strings.NewReader(abiString))
|
|
if err != nil {
|
|
return abi.ABI{}, ErrInvalidAbiFile
|
|
}
|
|
return parsedAbi, nil
|
|
}
|
|
|
|
func ReadAbiFile(abiFilePath string) (string, error) {
|
|
reader := fs.FsReader{}
|
|
filesBytes, err := reader.Read(abiFilePath)
|
|
if err != nil {
|
|
return "", ErrMissingAbiFile
|
|
}
|
|
return string(filesBytes), nil
|
|
}
|