|
|
|
package rpc
|
|
|
|
|
|
|
|
import (
|
|
|
|
"context"
|
|
|
|
"fmt"
|
|
|
|
"math/big"
|
|
|
|
"strings"
|
|
|
|
|
|
|
|
"github.com/ethereum/go-ethereum/common"
|
|
|
|
"github.com/ethereum/go-ethereum/common/hexutil"
|
|
|
|
"github.com/pkg/errors"
|
|
|
|
|
|
|
|
"github.com/harmony-one/harmony/accounts/abi"
|
|
|
|
"github.com/harmony-one/harmony/core"
|
|
|
|
"github.com/harmony-one/harmony/core/rawdb"
|
|
|
|
"github.com/harmony-one/harmony/core/types"
|
|
|
|
"github.com/harmony-one/harmony/core/vm"
|
|
|
|
"github.com/harmony-one/harmony/eth/rpc"
|
|
|
|
"github.com/harmony-one/harmony/hmy"
|
|
|
|
internal_common "github.com/harmony-one/harmony/internal/common"
|
|
|
|
"github.com/harmony-one/harmony/internal/params"
|
|
|
|
"github.com/harmony-one/harmony/internal/utils"
|
|
|
|
eth "github.com/harmony-one/harmony/rpc/eth"
|
|
|
|
v1 "github.com/harmony-one/harmony/rpc/v1"
|
|
|
|
v2 "github.com/harmony-one/harmony/rpc/v2"
|
|
|
|
staking "github.com/harmony-one/harmony/staking/types"
|
|
|
|
)
|
|
|
|
|
|
|
|
const (
|
|
|
|
defaultPageSize = uint32(100)
|
|
|
|
)
|
|
|
|
|
|
|
|
// PublicTransactionService provides an API to access Harmony's transaction service.
|
|
|
|
// It offers only methods that operate on public data that is freely available to anyone.
|
|
|
|
type PublicTransactionService struct {
|
|
|
|
hmy *hmy.Harmony
|
|
|
|
version Version
|
|
|
|
}
|
|
|
|
|
|
|
|
// NewPublicTransactionAPI creates a new API for the RPC interface
|
|
|
|
func NewPublicTransactionAPI(hmy *hmy.Harmony, version Version) rpc.API {
|
|
|
|
return rpc.API{
|
|
|
|
Namespace: version.Namespace(),
|
|
|
|
Version: APIVersion,
|
|
|
|
Service: &PublicTransactionService{hmy, version},
|
|
|
|
Public: true,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetAccountNonce returns the nonce value of the given address for the given block number
|
|
|
|
func (s *PublicTransactionService) GetAccountNonce(
|
|
|
|
ctx context.Context, address string, blockNumber BlockNumber,
|
|
|
|
) (uint64, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetAccountNonce)
|
|
|
|
defer DoRPCRequestDuration(GetAccountNonce, timer)
|
|
|
|
|
|
|
|
// Process number based on version
|
|
|
|
blockNum := blockNumber.EthBlockNumber()
|
|
|
|
|
|
|
|
// Response output is the same for all versions
|
|
|
|
addr, err := internal_common.ParseAddr(address)
|
|
|
|
if err != nil {
|
|
|
|
return 0, err
|
|
|
|
}
|
|
|
|
return s.hmy.GetAccountNonce(ctx, addr, blockNum)
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetTransactionCount returns the number of transactions the given address has sent for the given block number.
|
|
|
|
// Legacy for apiv1. For apiv2, please use getAccountNonce/getPoolNonce/getTransactionsCount/getStakingTransactionsCount apis for
|
|
|
|
// more granular transaction counts queries
|
|
|
|
// Note that the return type is an interface to account for the different versions
|
|
|
|
func (s *PublicTransactionService) GetTransactionCount(
|
|
|
|
ctx context.Context, addr string, blockNrOrHash rpc.BlockNumberOrHash,
|
|
|
|
) (response interface{}, err error) {
|
|
|
|
timer := DoMetricRPCRequest(GetTransactionCount)
|
|
|
|
defer DoRPCRequestDuration(GetTransactionCount, timer)
|
|
|
|
|
|
|
|
address, err := internal_common.ParseAddr(addr)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
|
|
|
|
// Fetch transaction count
|
|
|
|
var nonce uint64
|
|
|
|
if blockNr, ok := blockNrOrHash.Number(); ok && blockNr == rpc.PendingBlockNumber {
|
|
|
|
// Ask transaction pool for the nonce which includes pending transactions
|
|
|
|
nonce, err = s.hmy.GetPoolNonce(ctx, address)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
} else {
|
|
|
|
// Resolve block number and use its state to ask for the nonce
|
|
|
|
state, _, err := s.hmy.StateAndHeaderByNumberOrHash(ctx, blockNrOrHash)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
if state == nil {
|
|
|
|
return nil, fmt.Errorf("state not found")
|
|
|
|
}
|
|
|
|
if state.Error() != nil {
|
|
|
|
return nil, state.Error()
|
|
|
|
}
|
|
|
|
nonce = state.GetNonce(address)
|
|
|
|
}
|
|
|
|
|
|
|
|
// Format response according to version
|
|
|
|
switch s.version {
|
|
|
|
case V1, Eth:
|
|
|
|
return (hexutil.Uint64)(nonce), nil
|
|
|
|
case V2:
|
|
|
|
return nonce, nil
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetTransactionsCount returns the number of regular transactions from genesis of input type ("SENT", "RECEIVED", "ALL")
|
|
|
|
func (s *PublicTransactionService) GetTransactionsCount(
|
|
|
|
ctx context.Context, address, txType string,
|
|
|
|
) (count uint64, err error) {
|
|
|
|
timer := DoMetricRPCRequest(GetTransactionsCount)
|
|
|
|
defer DoRPCRequestDuration(GetTransactionsCount, timer)
|
|
|
|
|
|
|
|
if !strings.HasPrefix(address, "one1") {
|
|
|
|
// Handle hex address
|
|
|
|
addr, err := internal_common.ParseAddr(address)
|
|
|
|
if err != nil {
|
|
|
|
return 0, err
|
|
|
|
}
|
|
|
|
address, err = internal_common.AddressToBech32(addr)
|
|
|
|
if err != nil {
|
|
|
|
return 0, err
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// Response output is the same for all versions
|
|
|
|
return s.hmy.GetTransactionsCount(address, txType)
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetStakingTransactionsCount returns the number of staking transactions from genesis of input type ("SENT", "RECEIVED", "ALL")
|
|
|
|
func (s *PublicTransactionService) GetStakingTransactionsCount(
|
|
|
|
ctx context.Context, address, txType string,
|
|
|
|
) (count uint64, err error) {
|
|
|
|
timer := DoMetricRPCRequest(GetStakingTransactionsCount)
|
|
|
|
defer DoRPCRequestDuration(GetStakingTransactionsCount, timer)
|
|
|
|
|
|
|
|
if !strings.HasPrefix(address, "one1") {
|
|
|
|
// Handle hex address
|
|
|
|
addr, err := internal_common.ParseAddr(address)
|
|
|
|
if err != nil {
|
|
|
|
return 0, err
|
|
|
|
}
|
|
|
|
address, err = internal_common.AddressToBech32(addr)
|
|
|
|
if err != nil {
|
|
|
|
return 0, err
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// Response output is the same for all versions
|
|
|
|
return s.hmy.GetStakingTransactionsCount(address, txType)
|
|
|
|
}
|
|
|
|
|
|
|
|
// EstimateGas returns an estimate of the amount of gas needed to execute the
|
|
|
|
// given transaction against the current pending block.
|
|
|
|
func (s *PublicTransactionService) EstimateGas(
|
|
|
|
ctx context.Context, args CallArgs, blockNrOrHash *rpc.BlockNumberOrHash,
|
|
|
|
) (hexutil.Uint64, error) {
|
|
|
|
timer := DoMetricRPCRequest(RpcEstimateGas)
|
|
|
|
defer DoRPCRequestDuration(RpcEstimateGas, timer)
|
|
|
|
bNrOrHash := rpc.BlockNumberOrHashWithNumber(rpc.LatestBlockNumber)
|
|
|
|
if blockNrOrHash != nil {
|
|
|
|
bNrOrHash = *blockNrOrHash
|
|
|
|
}
|
|
|
|
gas, err := EstimateGas(ctx, s.hmy, args, bNrOrHash, nil)
|
|
|
|
if err != nil {
|
|
|
|
return 0, err
|
|
|
|
}
|
|
|
|
|
|
|
|
// Response output is the same for all versions
|
|
|
|
return (hexutil.Uint64)(gas), nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetTransactionByHash returns the plain transaction for the given hash
|
|
|
|
func (s *PublicTransactionService) GetTransactionByHash(
|
|
|
|
ctx context.Context, hash common.Hash,
|
|
|
|
) (StructuredResponse, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetTransactionByHash)
|
|
|
|
defer DoRPCRequestDuration(GetTransactionByHash, timer)
|
|
|
|
// Try to return an already finalized transaction
|
|
|
|
tx, blockHash, blockNumber, index := rawdb.ReadTransaction(s.hmy.ChainDb(), hash)
|
|
|
|
if tx == nil {
|
|
|
|
// Try to return a pending transaction
|
|
|
|
if tx := s.hmy.TxPool.Get(hash); tx != nil {
|
|
|
|
if plainTx, ok := tx.(*types.Transaction); ok {
|
|
|
|
return s.newRPCTransaction(plainTx, common.Hash{}, 0, 0, 0)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(errors.Wrapf(ErrTransactionNotFound, "hash %v", hash.String())).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetTransactionByHash")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
DoMetricRPCQueryInfo(GetTransactionByHash, FailedNumber)
|
|
|
|
return nil, nil
|
|
|
|
}
|
Release Candidate 2023.2.0 ( dev -> main ) (#4399)
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* activate epoch
* comment activation
* 295 epoch
* Fix failed tests.
* Fixed code review.
* Fix review "--port flag".
* Fix review comments.
* Returned locks in rotateLeader.
* Rebased onto dev.
* Commented golangci.
* staged stream sync v1.0
* fix protocol tests
* fix spell
* remove unused struct
* fix rosetta test
* add comments and refactor verify sig
* add comments, remove extra function
* add comment
* refactor errors, rename metrics
* refactor p2p host creation
* fix initsync and host creation
* fix short range hash chain
* fix beacon node detection for p2p protocol
* refactor stream peer cooldown and fix protocol beacon node field
* refactor p2p host and routing
* fix p2p discovery test issue
* add MaxAdvertiseWaitTime to handle advertisements interval and address stream connection issue
* terminal print the peer id and proto id
* fix boot complete message when node is shut down
* add new config option ( ForceReachabilityPublic ) to fix local-net consensus issue
* fix self query issue
* fix test NewDNSSyncingPeerProvider
* [testnet] disable leader rotation
* fix discovery issue for legacy sync
* add watermark low/high options for p2p connection manager
* add test for new conn manager flags
* fix dedent
* add comment to inform about p2p connection manager options
* fix max height issue
* add a separate log for get max height error
* fix log
* feat: triesInMemory flag
* fix: panic if TriesInMemory is 1 to 2
* in progress.
* consensus check is forked
* fix
* Cleanup and fix update pub keys.
* fix
fix
fix
fix
fix
* activate epoch
* EpochTBD for leader rotation epoch.
* 295 epoch
* Decider no longer requires public keys as a dependency. (#4289)
* Consensus doesn't require anymore `Node` as a circular dependency.
* Proper blockchain initialization.
* Rwlock consensus.
* Removed channels.
* Removed view change locks.
* Removed timers locks.
* Removed fbft locks.
* Removed multiSigMutex locks.
* Removed leader locks.
* Removed additional locks and isViewChange.
* Added locks detected by race.
* Added locks detected by race.
* Locks for start.
* Removed additional logs.
* Removed additional locks.
* Removed additional locks.
* Make func private.
* Make VerifyBlock private.
* Make IsLeader private.
* Make ParseFBFTMessage private.
* Fix remove locks.
* Added additional locks.
* Added additional locks.
* Added readSignatureBitmapPayload locks.
* Added HandleMessageUpdate locks.
* Added LastMile locks.
* Locks for IsValidatorInCommittee.
* Fixed locks.
* Fixed tests.
* Fixed tests.
* Fixed lock.
* Rebased over leader rotation.
* Fix formatting.
* Rebased onto dev.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* comment activation
* 295 epoch
* Fix failed tests.
* Fixed code review.
* Fix review comments.
* Merged leader rotation.
* Rebased on dev.
* Rebased on dev.
* Fix usage of private methods.
* Fix usage of private methods.
* Fix usage of private methods.
* Removed deadcode, LockedFBFTPhase.
* Fix review comment.
* Fix review comment.
* Go mod tidy.
* Set to EpochTBD.
* Fix tests.
* [core] fix state handling of self destruct
If a contract self destructs to self and then receives funds within the
same transaction, it is possible for its stale state to be saved. This
change removes that possibility by checking for deleted state objects
before returning them.
* Fixed race error.
* rpc: add configurable http and `eth_call` timeout
* remove default timeouts
* store the evm call timeout in rosetta object
* [cmd] actually apply ToRPCServerConfig
* Removed unused method.
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* in progress.
* in progress.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* Fixed code review.
* Fix review comments.
* Returned locks in rotateLeader.
* Rebased onto dev.
* staged stream sync v1.0
* refactor errors, rename metrics
* fix p2p discovery test issue
* add watermark low/high options for p2p connection manager
* fix dedent
* in progress.
* consensus check is forked
* fix
* Cleanup and fix update pub keys.
* fix
fix
fix
fix
fix
* activate epoch
* EpochTBD for leader rotation epoch.
* 295 epoch
* Decider no longer requires public keys as a dependency. (#4289)
* Consensus doesn't require anymore `Node` as a circular dependency.
* Proper blockchain initialization.
* Rwlock consensus.
* Removed channels.
* Removed view change locks.
* Removed multiSigMutex locks.
* Removed leader locks.
* Removed additional locks and isViewChange.
* Added locks detected by race.
* Added locks detected by race.
* Locks for start.
* Removed additional locks.
* Removed additional locks.
* Make func private.
* Make VerifyBlock private.
* Make IsLeader private.
* Make ParseFBFTMessage private.
* Fix remove locks.
* Added additional locks.
* Added additional locks.
* Added readSignatureBitmapPayload locks.
* Added HandleMessageUpdate locks.
* Added LastMile locks.
* Locks for IsValidatorInCommittee.
* Fixed locks.
* Fixed tests.
* Fixed lock.
* Rebased over leader rotation.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* Fix failed tests.
* Fixed code review.
* Fix review comments.
* Merged leader rotation.
* Rebased on dev.
* Rebased on dev.
* Fix usage of private methods.
* Fix usage of private methods.
* Fix usage of private methods.
* Removed deadcode, LockedFBFTPhase.
* Fix review comment.
* Go mod tidy.
* remove default timeouts
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* Fixes.
* Update singleton.go
* evm: don't return extcode for validators
Due to technical debt, validator information is stored in the code field
of the address. The code field can be accessed in Solidity for an
arbitrary address using `extcodesize`, `extcodehash`, and `extcodecopy`
or helper commands (such as `address.code.Length`). The presence of this
field is used by contract developers to (erroneously) deny smart
contract access to other smart contracts (and therefore, validators).
This PR fixes that oversight by returning the same values as other EOAs
for known validator addresses. Obviously, it needs a hard fork that will
be scheduled separately.
* Fix context passing.
* Clean up code.
* Removed engine dependency.
* Fix possible panic.
* Clean up code.
* Network type.
* Fix tests.
* Revert "Removed engine dependency." (#4392)
* Revert "Fix tests."
This reverts commit 597ba2d6f1ed54ff599b9d9b8940c7285ab1277a.
* Revert "Network type."
This reverts commit 5e1878aedca3989dc0f34161dae1833e43ca6a76.
* Revert "Clean up code."
This reverts commit 15885f4c9b9263746827172b4f4f56d0926d18e2.
* Revert "Fix possible panic."
This reverts commit 1a70d5eb66cdbf8a23791806b71a323eed320085.
* Revert "Removed engine dependency."
This reverts commit 8c2ff803f709f944cfc8b1278f35cf5b2cacf859.
* gitignore the cache folder (#4389)
* stable localnet with external validator (#4388)
* stable localnet with external validator
* ignore deploy config file comments
* reduce node launched in localnet
* update makefile
* localnet configuration - add more fn
* fix validator information command typo
* Configurable tx pool. (#4240)
* AccountQueue & GlobalQueue.
* Lifetime duration.
* [pool] make flags configurable
* [pool] use 4096 as default `GlobalSlots`
* [rosetta] update default values of tx pool
* [test] update value to default
* PriceLimit and PriceBump.
* Fix tests.
* Fix price limit & bump.
* Updated, fixed migrate version and tests.
* Rebased.
* Fix go toml version.
---------
Co-authored-by: Konstantin <k.potapov@softpro.com>
Co-authored-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
* Upgrade rawdb and statedb codes to add the latest functionalities of ethdb (#4374)
* added bloom filter
* upgrade rawdb and statedb
* change var name and remove extra comments
* return back fake storage in case if we need it for test later
* add the previous change back
* remove some extra entries from go.mod
* fix WritePreimages to use batch
* mark unused functions which are ported over from eth
---------
Co-authored-by: Casey Gardiner <117784577+ONECasey@users.noreply.github.com>
* update all ethereum rawdb pointers to use harmony rawdb (#4395)
* Fix reduce node dependencies. (#4379)
* Fix.
* Fix.
* Fix pool init.
* Clean up.
* add prefix for contract code (#4397)
* Rotate external validators for non-beacon shards. (#4373)
* Rotate only non beacon shards.
* Rotate all shards, but only hmy validators for beacon.
* Fix type.
* Revert "Fix type."
This reverts commit 0a8b506c763d9f8609abff7395ba32b18e43b149.
* Revert "Rotate all shards, but only hmy validators for beacon."
This reverts commit 70b09e2de81aa2cbffae3ccdfd4e334e7d938759.
* Fixed failed test.
* Revert "Revert "Rotate all shards, but only hmy validators for beacon.""
This reverts commit 66cfaa9817488be60ed5b5cfee1fe833ede237c8.
* Frequency by slots count.
* Fix config.
* First validator produce rest blocks.
* Updated.
* Add lock.
* Add prefix for validator wrapper (#4402)
* add separate prefix for validator wrapper
* update comments
* make read/write backward compatible
* add validator codes to stats
* goimports
* goimports accessor_state
* add snapshot feature to state db (#4406)
* Typed cache & Node cleanup. (#4409)
* Channels usage through methods.
* Fix retry count. Removed proposedBlock.
* keysToAddrs rewritten to lrucache.
* core, internal/configs: HIP28-v2 fee collection (#4410)
* core, internal/configs: HIP28-v2 fee collection
Based on the Snapshot vote that has passed, collect 50% of the fee to a
community maintained account and the remainder to an account used to pay
for infrastructure costs. Note that these accounts need to be decided
and set in the code at this moment, and the feature needs to be
activated by setting the `FeeCollectEpoch` of the `ChainConfig` object.
The implementation for devnet is a bit different than compared to
others because the feature was activated on devnet with 100% collection
to an account. I have handled this case separately in `devnet.go`.
* test: add test for StateTransition.ApplyMessage
The objective of this unit test is to check that the fees of a
transaction are appropriately credited to the fee collectors that are
set. This means, for a transaction of 21,000 gas limit and 100 gwei gas
price, two equal fee collectors get 10,500 * 100 gwei each. In addition,
to be clear that the refund mechanism (in case a transaction with extra
gas comes in) works, the tested transaction has a 50,000 gas limit of
which only 21,000 gas limit is actually consumed.
* sharding/config: clarify local fee collector pk
* sharding/config: set testnet fee collector same as devnet
* test: add test for truncated fee distribution
* sharding/config: set fee collector addresses
* test: hardcode the expected fee collected
* goimports
* params/config: set testnet fee collect epoch
Schedule testnet hard fork epoch to be 1296, which begins around the
time 2023-04-28 07:14:20+00:00
* params/config: schedule devnee fee collection
Signed-off-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
* Minor: removed time.Sleep from tests. (#4412)
* Provide current time as argument.
* Fix test.
* Fix naming.
* Mainnet Release Candidate 2023.1.2 (#4376) (#4414)
* remove default timeouts
* store the evm call timeout in rosetta object
* [cmd] actually apply ToRPCServerConfig
* Removed unused method.
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* Bump github.com/aws/aws-sdk-go from 1.33.0 to 1.34.0
Bumps [github.com/aws/aws-sdk-go](https://github.com/aws/aws-sdk-go) from 1.33.0 to 1.34.0.
- [Release notes](https://github.com/aws/aws-sdk-go/releases)
- [Changelog](https://github.com/aws/aws-sdk-go/blob/v1.34.0/CHANGELOG.md)
- [Commits](https://github.com/aws/aws-sdk-go/compare/v1.33.0...v1.34.0)
---
updated-dependencies:
- dependency-name: github.com/aws/aws-sdk-go
dependency-type: direct:production
...
* Bump github.com/ipld/go-ipld-prime from 0.9.0 to 0.19.0
Bumps [github.com/ipld/go-ipld-prime](https://github.com/ipld/go-ipld-prime) from 0.9.0 to 0.19.0.
- [Release notes](https://github.com/ipld/go-ipld-prime/releases)
- [Changelog](https://github.com/ipld/go-ipld-prime/blob/master/CHANGELOG.md)
- [Commits](https://github.com/ipld/go-ipld-prime/compare/v0.9.0...v0.19.0)
---
updated-dependencies:
- dependency-name: github.com/ipld/go-ipld-prime
dependency-type: indirect
...
* Bump golang.org/x/net from 0.3.0 to 0.7.0
Bumps [golang.org/x/net](https://github.com/golang/net) from 0.3.0 to 0.7.0.
- [Release notes](https://github.com/golang/net/releases)
- [Commits](https://github.com/golang/net/compare/v0.3.0...v0.7.0)
---
updated-dependencies:
- dependency-name: golang.org/x/net
dependency-type: indirect
...
* Small fixes.
* in progress.
* in progress.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* activate epoch
* comment activation
* 295 epoch
* Fix failed tests.
* Fixed code review.
* Fix review "--port flag".
* Fix review comments.
* Returned locks in rotateLeader.
* Rebased onto dev.
* Commented golangci.
* staged stream sync v1.0
* fix protocol tests
* fix spell
* remove unused struct
* fix rosetta test
* add comments and refactor verify sig
* add comments, remove extra function
* add comment
* refactor errors, rename metrics
* refactor p2p host creation
* fix initsync and host creation
* fix short range hash chain
* fix beacon node detection for p2p protocol
* refactor stream peer cooldown and fix protocol beacon node field
* refactor p2p host and routing
* fix p2p discovery test issue
* add MaxAdvertiseWaitTime to handle advertisements interval and address stream connection issue
* terminal print the peer id and proto id
* fix boot complete message when node is shut down
* add new config option ( ForceReachabilityPublic ) to fix local-net consensus issue
* fix self query issue
* fix test NewDNSSyncingPeerProvider
* [testnet] disable leader rotation
* fix discovery issue for legacy sync
* add watermark low/high options for p2p connection manager
* add test for new conn manager flags
* fix dedent
* add comment to inform about p2p connection manager options
* fix max height issue
* add a separate log for get max height error
* fix log
* feat: triesInMemory flag
* fix: panic if TriesInMemory is 1 to 2
* in progress.
* consensus check is forked
* fix
* Cleanup and fix update pub keys.
* fix
fix
fix
fix
fix
* activate epoch
* EpochTBD for leader rotation epoch.
* 295 epoch
* Decider no longer requires public keys as a dependency. (#4289)
* Consensus doesn't require anymore `Node` as a circular dependency.
* Proper blockchain initialization.
* Rwlock consensus.
* Removed channels.
* Removed view change locks.
* Removed timers locks.
* Removed fbft locks.
* Removed multiSigMutex locks.
* Removed leader locks.
* Removed additional locks and isViewChange.
* Added locks detected by race.
* Added locks detected by race.
* Locks for start.
* Removed additional logs.
* Removed additional locks.
* Removed additional locks.
* Make func private.
* Make VerifyBlock private.
* Make IsLeader private.
* Make ParseFBFTMessage private.
* Fix remove locks.
* Added additional locks.
* Added additional locks.
* Added readSignatureBitmapPayload locks.
* Added HandleMessageUpdate locks.
* Added LastMile locks.
* Locks for IsValidatorInCommittee.
* Fixed locks.
* Fixed tests.
* Fixed tests.
* Fixed lock.
* Rebased over leader rotation.
* Fix formatting.
* Rebased onto dev.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* comment activation
* 295 epoch
* Fix failed tests.
* Fixed code review.
* Fix review comments.
* Merged leader rotation.
* Rebased on dev.
* Rebased on dev.
* Fix usage of private methods.
* Fix usage of private methods.
* Fix usage of private methods.
* Removed deadcode, LockedFBFTPhase.
* Fix review comment.
* Fix review comment.
* Go mod tidy.
* Set to EpochTBD.
* Fix tests.
* [core] fix state handling of self destruct
If a contract self destructs to self and then receives funds within the
same transaction, it is possible for its stale state to be saved. This
change removes that possibility by checking for deleted state objects
before returning them.
* Fixed race error.
* rpc: add configurable http and `eth_call` timeout
* remove default timeouts
* store the evm call timeout in rosetta object
* [cmd] actually apply ToRPCServerConfig
* Removed unused method.
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* in progress.
* in progress.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* Fixed code review.
* Fix review comments.
* Returned locks in rotateLeader.
* Rebased onto dev.
* staged stream sync v1.0
* refactor errors, rename metrics
* fix p2p discovery test issue
* add watermark low/high options for p2p connection manager
* fix dedent
* in progress.
* consensus check is forked
* fix
* Cleanup and fix update pub keys.
* fix
fix
fix
fix
fix
* activate epoch
* EpochTBD for leader rotation epoch.
* 295 epoch
* Decider no longer requires public keys as a dependency. (#4289)
* Consensus doesn't require anymore `Node` as a circular dependency.
* Proper blockchain initialization.
* Rwlock consensus.
* Removed channels.
* Removed view change locks.
* Removed multiSigMutex locks.
* Removed leader locks.
* Removed additional locks and isViewChange.
* Added locks detected by race.
* Added locks detected by race.
* Locks for start.
* Removed additional locks.
* Removed additional locks.
* Make func private.
* Make VerifyBlock private.
* Make IsLeader private.
* Make ParseFBFTMessage private.
* Fix remove locks.
* Added additional locks.
* Added additional locks.
* Added readSignatureBitmapPayload locks.
* Added HandleMessageUpdate locks.
* Added LastMile locks.
* Locks for IsValidatorInCommittee.
* Fixed locks.
* Fixed tests.
* Fixed lock.
* Rebased over leader rotation.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* Fix failed tests.
* Fixed code review.
* Fix review comments.
* Merged leader rotation.
* Rebased on dev.
* Rebased on dev.
* Fix usage of private methods.
* Fix usage of private methods.
* Fix usage of private methods.
* Removed deadcode, LockedFBFTPhase.
* Fix review comment.
* Go mod tidy.
* remove default timeouts
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* Fixes.
* Update singleton.go
* evm: don't return extcode for validators
Due to technical debt, validator information is stored in the code field
of the address. The code field can be accessed in Solidity for an
arbitrary address using `extcodesize`, `extcodehash`, and `extcodecopy`
or helper commands (such as `address.code.Length`). The presence of this
field is used by contract developers to (erroneously) deny smart
contract access to other smart contracts (and therefore, validators).
This PR fixes that oversight by returning the same values as other EOAs
for known validator addresses. Obviously, it needs a hard fork that will
be scheduled separately.
* Fix context passing.
* Clean up code.
* Removed engine dependency.
* Fix possible panic.
* Clean up code.
* Network type.
* Fix tests.
* Revert "Removed engine dependency." (#4392)
* Revert "Fix tests."
This reverts commit 597ba2d6f1ed54ff599b9d9b8940c7285ab1277a.
* Revert "Network type."
This reverts commit 5e1878aedca3989dc0f34161dae1833e43ca6a76.
* Revert "Clean up code."
This reverts commit 15885f4c9b9263746827172b4f4f56d0926d18e2.
* Revert "Fix possible panic."
This reverts commit 1a70d5eb66cdbf8a23791806b71a323eed320085.
* Revert "Removed engine dependency."
This reverts commit 8c2ff803f709f944cfc8b1278f35cf5b2cacf859.
* gitignore the cache folder (#4389)
* stable localnet with external validator (#4388)
* stable localnet with external validator
* ignore deploy config file comments
* reduce node launched in localnet
* update makefile
* localnet configuration - add more fn
* fix validator information command typo
---------
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: Casey Gardiner <117784577+ONECasey@users.noreply.github.com>
Co-authored-by: frozen <355847+Frozen@users.noreply.github.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: “GheisMohammadi” <“Gheis.Mohammadi@gmail.com”>
Co-authored-by: “GheisMohammadi” <36589218+GheisMohammadi@users.noreply.github.com>
Co-authored-by: Sun Hyuk Ahn <sunhyukahn@Suns-MacBook-Pro.local>
Co-authored-by: Soph <35721420+sophoah@users.noreply.github.com>
* chore: merge `main` into `dev` (#4415)
* Mainnet Release Candidate 2023.1.2 (#4376)
* remove default timeouts
* store the evm call timeout in rosetta object
* [cmd] actually apply ToRPCServerConfig
* Removed unused method.
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* Bump github.com/aws/aws-sdk-go from 1.33.0 to 1.34.0
Bumps [github.com/aws/aws-sdk-go](https://github.com/aws/aws-sdk-go) from 1.33.0 to 1.34.0.
- [Release notes](https://github.com/aws/aws-sdk-go/releases)
- [Changelog](https://github.com/aws/aws-sdk-go/blob/v1.34.0/CHANGELOG.md)
- [Commits](https://github.com/aws/aws-sdk-go/compare/v1.33.0...v1.34.0)
---
updated-dependencies:
- dependency-name: github.com/aws/aws-sdk-go
dependency-type: direct:production
...
Signed-off-by: dependabot[bot] <support@github.com>
* Bump github.com/ipld/go-ipld-prime from 0.9.0 to 0.19.0
Bumps [github.com/ipld/go-ipld-prime](https://github.com/ipld/go-ipld-prime) from 0.9.0 to 0.19.0.
- [Release notes](https://github.com/ipld/go-ipld-prime/releases)
- [Changelog](https://github.com/ipld/go-ipld-prime/blob/master/CHANGELOG.md)
- [Commits](https://github.com/ipld/go-ipld-prime/compare/v0.9.0...v0.19.0)
---
updated-dependencies:
- dependency-name: github.com/ipld/go-ipld-prime
dependency-type: indirect
...
Signed-off-by: dependabot[bot] <support@github.com>
* Bump golang.org/x/net from 0.3.0 to 0.7.0
Bumps [golang.org/x/net](https://github.com/golang/net) from 0.3.0 to 0.7.0.
- [Release notes](https://github.com/golang/net/releases)
- [Commits](https://github.com/golang/net/compare/v0.3.0...v0.7.0)
---
updated-dependencies:
- dependency-name: golang.org/x/net
dependency-type: indirect
...
Signed-off-by: dependabot[bot] <support@github.com>
* Small fixes.
* in progress.
* in progress.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* activate epoch
* comment activation
* 295 epoch
* Fix failed tests.
* Fixed code review.
* Fix review "--port flag".
* Fix review comments.
* Returned locks in rotateLeader.
* Rebased onto dev.
* Commented golangci.
* staged stream sync v1.0
* fix protocol tests
* fix spell
* remove unused struct
* fix rosetta test
* add comments and refactor verify sig
* add comments, remove extra function
* add comment
* refactor errors, rename metrics
* refactor p2p host creation
* fix initsync and host creation
* fix short range hash chain
* fix beacon node detection for p2p protocol
* refactor stream peer cooldown and fix protocol beacon node field
* refactor p2p host and routing
* fix p2p discovery test issue
* add MaxAdvertiseWaitTime to handle advertisements interval and address stream connection issue
* terminal print the peer id and proto id
* fix boot complete message when node is shut down
* add new config option ( ForceReachabilityPublic ) to fix local-net consensus issue
* fix self query issue
* fix test NewDNSSyncingPeerProvider
* [testnet] disable leader rotation
* fix discovery issue for legacy sync
* add watermark low/high options for p2p connection manager
* add test for new conn manager flags
* fix dedent
* add comment to inform about p2p connection manager options
* fix max height issue
* add a separate log for get max height error
* fix log
* feat: triesInMemory flag
* fix: panic if TriesInMemory is 1 to 2
* in progress.
* consensus check is forked
* fix
* Cleanup and fix update pub keys.
* fix
fix
fix
fix
fix
* activate epoch
* EpochTBD for leader rotation epoch.
* 295 epoch
* Decider no longer requires public keys as a dependency. (#4289)
* Consensus doesn't require anymore `Node` as a circular dependency.
* Proper blockchain initialization.
* Rwlock consensus.
* Removed channels.
* Removed view change locks.
* Removed timers locks.
* Removed fbft locks.
* Removed multiSigMutex locks.
* Removed leader locks.
* Removed additional locks and isViewChange.
* Added locks detected by race.
* Added locks detected by race.
* Locks for start.
* Removed additional logs.
* Removed additional locks.
* Removed additional locks.
* Make func private.
* Make VerifyBlock private.
* Make IsLeader private.
* Make ParseFBFTMessage private.
* Fix remove locks.
* Added additional locks.
* Added additional locks.
* Added readSignatureBitmapPayload locks.
* Added HandleMessageUpdate locks.
* Added LastMile locks.
* Locks for IsValidatorInCommittee.
* Fixed locks.
* Fixed tests.
* Fixed tests.
* Fixed lock.
* Rebased over leader rotation.
* Fix formatting.
* Rebased onto dev.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* comment activation
* 295 epoch
* Fix failed tests.
* Fixed code review.
* Fix review comments.
* Merged leader rotation.
* Rebased on dev.
* Rebased on dev.
* Fix usage of private methods.
* Fix usage of private methods.
* Fix usage of private methods.
* Removed deadcode, LockedFBFTPhase.
* Fix review comment.
* Fix review comment.
* Go mod tidy.
* Set to EpochTBD.
* Fix tests.
* [core] fix state handling of self destruct
If a contract self destructs to self and then receives funds within the
same transaction, it is possible for its stale state to be saved. This
change removes that possibility by checking for deleted state objects
before returning them.
* Fixed race error.
* rpc: add configurable http and `eth_call` timeout
* remove default timeouts
* store the evm call timeout in rosetta object
* [cmd] actually apply ToRPCServerConfig
* Removed unused method.
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* in progress.
* in progress.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* Fixed code review.
* Fix review comments.
* Returned locks in rotateLeader.
* Rebased onto dev.
* staged stream sync v1.0
* refactor errors, rename metrics
* fix p2p discovery test issue
* add watermark low/high options for p2p connection manager
* fix dedent
* in progress.
* consensus check is forked
* fix
* Cleanup and fix update pub keys.
* fix
fix
fix
fix
fix
* activate epoch
* EpochTBD for leader rotation epoch.
* 295 epoch
* Decider no longer requires public keys as a dependency. (#4289)
* Consensus doesn't require anymore `Node` as a circular dependency.
* Proper blockchain initialization.
* Rwlock consensus.
* Removed channels.
* Removed view change locks.
* Removed multiSigMutex locks.
* Removed leader locks.
* Removed additional locks and isViewChange.
* Added locks detected by race.
* Added locks detected by race.
* Locks for start.
* Removed additional locks.
* Removed additional locks.
* Make func private.
* Make VerifyBlock private.
* Make IsLeader private.
* Make ParseFBFTMessage private.
* Fix remove locks.
* Added additional locks.
* Added additional locks.
* Added readSignatureBitmapPayload locks.
* Added HandleMessageUpdate locks.
* Added LastMile locks.
* Locks for IsValidatorInCommittee.
* Fixed locks.
* Fixed tests.
* Fixed lock.
* Rebased over leader rotation.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* Fix failed tests.
* Fixed code review.
* Fix review comments.
* Merged leader rotation.
* Rebased on dev.
* Rebased on dev.
* Fix usage of private methods.
* Fix usage of private methods.
* Fix usage of private methods.
* Removed deadcode, LockedFBFTPhase.
* Fix review comment.
* Go mod tidy.
* remove default timeouts
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* Fixes.
* Update singleton.go
* evm: don't return extcode for validators
Due to technical debt, validator information is stored in the code field
of the address. The code field can be accessed in Solidity for an
arbitrary address using `extcodesize`, `extcodehash`, and `extcodecopy`
or helper commands (such as `address.code.Length`). The presence of this
field is used by contract developers to (erroneously) deny smart
contract access to other smart contracts (and therefore, validators).
This PR fixes that oversight by returning the same values as other EOAs
for known validator addresses. Obviously, it needs a hard fork that will
be scheduled separately.
* Fix context passing.
* Clean up code.
* Removed engine dependency.
* Fix possible panic.
* Clean up code.
* Network type.
* Fix tests.
* Revert "Removed engine dependency." (#4392)
* Revert "Fix tests."
This reverts commit 597ba2d6f1ed54ff599b9d9b8940c7285ab1277a.
* Revert "Network type."
This reverts commit 5e1878aedca3989dc0f34161dae1833e43ca6a76.
* Revert "Clean up code."
This reverts commit 15885f4c9b9263746827172b4f4f56d0926d18e2.
* Revert "Fix possible panic."
This reverts commit 1a70d5eb66cdbf8a23791806b71a323eed320085.
* Revert "Removed engine dependency."
This reverts commit 8c2ff803f709f944cfc8b1278f35cf5b2cacf859.
* gitignore the cache folder (#4389)
* stable localnet with external validator (#4388)
* stable localnet with external validator
* ignore deploy config file comments
* reduce node launched in localnet
* update makefile
* localnet configuration - add more fn
* fix validator information command typo
---------
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
Co-authored-by: frozen <355847+Frozen@users.noreply.github.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: “GheisMohammadi” <“Gheis.Mohammadi@gmail.com”>
Co-authored-by: “GheisMohammadi” <36589218+GheisMohammadi@users.noreply.github.com>
Co-authored-by: Sun Hyuk Ahn <sunhyukahn@Suns-MacBook-Pro.local>
Co-authored-by: Soph <35721420+sophoah@users.noreply.github.com>
* build: update pinned curl version (#4394)
Per the Alpine Linux package repositories, the version for cURL included
with v3.16 has changed to revision 6
* consensus: replace type assert with test (#4398)
If `consensus.finalityCounter` does not have anything stored (for
example in Syncing mode), the `Load()` returns an interface that cannot
be automatically asserted to an `int64`. This results in the node
crashing. This commit fixes that.
* Turn pprof default on with local saved files (#3894)
* Turn pprof default on with local saved files
* [pprof] change interval from 600s to 3600s
* Revert "Turn pprof default on with local saved files (#3894)" (#4400)
This reverts commit 78d26d7910a58ded3bfe689b3de07ea28d95d7d5.
---------
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: Casey Gardiner <117784577+ONECasey@users.noreply.github.com>
Co-authored-by: frozen <355847+Frozen@users.noreply.github.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: “GheisMohammadi” <“Gheis.Mohammadi@gmail.com”>
Co-authored-by: “GheisMohammadi” <36589218+GheisMohammadi@users.noreply.github.com>
Co-authored-by: Sun Hyuk Ahn <sunhyukahn@Suns-MacBook-Pro.local>
Co-authored-by: Soph <35721420+sophoah@users.noreply.github.com>
Co-authored-by: Jacky Wang <jackyw.se@gmail.com>
* internal/params: set validator code fix hard forks (#4413)
* internal/params: schedule hard forks
Signed-off-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
* internal/params: set localnet fee collect epoch 2
Signed-off-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
---------
Signed-off-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
* internal/params: schedule HIP28v2 + val code fix (#4416)
Signed-off-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
* Dev fix conflicts. (#4417)
* Mainnet Release Candidate 2023.1.2 (#4376)
* remove default timeouts
* store the evm call timeout in rosetta object
* [cmd] actually apply ToRPCServerConfig
* Removed unused method.
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* Bump github.com/aws/aws-sdk-go from 1.33.0 to 1.34.0
Bumps [github.com/aws/aws-sdk-go](https://github.com/aws/aws-sdk-go) from 1.33.0 to 1.34.0.
- [Release notes](https://github.com/aws/aws-sdk-go/releases)
- [Changelog](https://github.com/aws/aws-sdk-go/blob/v1.34.0/CHANGELOG.md)
- [Commits](https://github.com/aws/aws-sdk-go/compare/v1.33.0...v1.34.0)
---
updated-dependencies:
- dependency-name: github.com/aws/aws-sdk-go
dependency-type: direct:production
...
Signed-off-by: dependabot[bot] <support@github.com>
* Bump github.com/ipld/go-ipld-prime from 0.9.0 to 0.19.0
Bumps [github.com/ipld/go-ipld-prime](https://github.com/ipld/go-ipld-prime) from 0.9.0 to 0.19.0.
- [Release notes](https://github.com/ipld/go-ipld-prime/releases)
- [Changelog](https://github.com/ipld/go-ipld-prime/blob/master/CHANGELOG.md)
- [Commits](https://github.com/ipld/go-ipld-prime/compare/v0.9.0...v0.19.0)
---
updated-dependencies:
- dependency-name: github.com/ipld/go-ipld-prime
dependency-type: indirect
...
Signed-off-by: dependabot[bot] <support@github.com>
* Bump golang.org/x/net from 0.3.0 to 0.7.0
Bumps [golang.org/x/net](https://github.com/golang/net) from 0.3.0 to 0.7.0.
- [Release notes](https://github.com/golang/net/releases)
- [Commits](https://github.com/golang/net/compare/v0.3.0...v0.7.0)
---
updated-dependencies:
- dependency-name: golang.org/x/net
dependency-type: indirect
...
Signed-off-by: dependabot[bot] <support@github.com>
* Small fixes.
* in progress.
* in progress.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* activate epoch
* comment activation
* 295 epoch
* Fix failed tests.
* Fixed code review.
* Fix review "--port flag".
* Fix review comments.
* Returned locks in rotateLeader.
* Rebased onto dev.
* Commented golangci.
* staged stream sync v1.0
* fix protocol tests
* fix spell
* remove unused struct
* fix rosetta test
* add comments and refactor verify sig
* add comments, remove extra function
* add comment
* refactor errors, rename metrics
* refactor p2p host creation
* fix initsync and host creation
* fix short range hash chain
* fix beacon node detection for p2p protocol
* refactor stream peer cooldown and fix protocol beacon node field
* refactor p2p host and routing
* fix p2p discovery test issue
* add MaxAdvertiseWaitTime to handle advertisements interval and address stream connection issue
* terminal print the peer id and proto id
* fix boot complete message when node is shut down
* add new config option ( ForceReachabilityPublic ) to fix local-net consensus issue
* fix self query issue
* fix test NewDNSSyncingPeerProvider
* [testnet] disable leader rotation
* fix discovery issue for legacy sync
* add watermark low/high options for p2p connection manager
* add test for new conn manager flags
* fix dedent
* add comment to inform about p2p connection manager options
* fix max height issue
* add a separate log for get max height error
* fix log
* feat: triesInMemory flag
* fix: panic if TriesInMemory is 1 to 2
* in progress.
* consensus check is forked
* fix
* Cleanup and fix update pub keys.
* fix
fix
fix
fix
fix
* activate epoch
* EpochTBD for leader rotation epoch.
* 295 epoch
* Decider no longer requires public keys as a dependency. (#4289)
* Consensus doesn't require anymore `Node` as a circular dependency.
* Proper blockchain initialization.
* Rwlock consensus.
* Removed channels.
* Removed view change locks.
* Removed timers locks.
* Removed fbft locks.
* Removed multiSigMutex locks.
* Removed leader locks.
* Removed additional locks and isViewChange.
* Added locks detected by race.
* Added locks detected by race.
* Locks for start.
* Removed additional logs.
* Removed additional locks.
* Removed additional locks.
* Make func private.
* Make VerifyBlock private.
* Make IsLeader private.
* Make ParseFBFTMessage private.
* Fix remove locks.
* Added additional locks.
* Added additional locks.
* Added readSignatureBitmapPayload locks.
* Added HandleMessageUpdate locks.
* Added LastMile locks.
* Locks for IsValidatorInCommittee.
* Fixed locks.
* Fixed tests.
* Fixed tests.
* Fixed lock.
* Rebased over leader rotation.
* Fix formatting.
* Rebased onto dev.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* comment activation
* 295 epoch
* Fix failed tests.
* Fixed code review.
* Fix review comments.
* Merged leader rotation.
* Rebased on dev.
* Rebased on dev.
* Fix usage of private methods.
* Fix usage of private methods.
* Fix usage of private methods.
* Removed deadcode, LockedFBFTPhase.
* Fix review comment.
* Fix review comment.
* Go mod tidy.
* Set to EpochTBD.
* Fix tests.
* [core] fix state handling of self destruct
If a contract self destructs to self and then receives funds within the
same transaction, it is possible for its stale state to be saved. This
change removes that possibility by checking for deleted state objects
before returning them.
* Fixed race error.
* rpc: add configurable http and `eth_call` timeout
* remove default timeouts
* store the evm call timeout in rosetta object
* [cmd] actually apply ToRPCServerConfig
* Removed unused method.
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* in progress.
* in progress.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* Fixed code review.
* Fix review comments.
* Returned locks in rotateLeader.
* Rebased onto dev.
* staged stream sync v1.0
* refactor errors, rename metrics
* fix p2p discovery test issue
* add watermark low/high options for p2p connection manager
* fix dedent
* in progress.
* consensus check is forked
* fix
* Cleanup and fix update pub keys.
* fix
fix
fix
fix
fix
* activate epoch
* EpochTBD for leader rotation epoch.
* 295 epoch
* Decider no longer requires public keys as a dependency. (#4289)
* Consensus doesn't require anymore `Node` as a circular dependency.
* Proper blockchain initialization.
* Rwlock consensus.
* Removed channels.
* Removed view change locks.
* Removed multiSigMutex locks.
* Removed leader locks.
* Removed additional locks and isViewChange.
* Added locks detected by race.
* Added locks detected by race.
* Locks for start.
* Removed additional locks.
* Removed additional locks.
* Make func private.
* Make VerifyBlock private.
* Make IsLeader private.
* Make ParseFBFTMessage private.
* Fix remove locks.
* Added additional locks.
* Added additional locks.
* Added readSignatureBitmapPayload locks.
* Added HandleMessageUpdate locks.
* Added LastMile locks.
* Locks for IsValidatorInCommittee.
* Fixed locks.
* Fixed tests.
* Fixed lock.
* Rebased over leader rotation.
* in progress.
* consensus check is forked
* update master
* fix leader
* check leader for N blocks
* fix
* fix
* Cleanup and fix update pub keys.
* Rotate leader.
* fix
fix
fix
fix
fix
* Cleaned.
* Cache for `GetLeaderPubKeyFromCoinbase`, removed `NthNextHmyExt`.
* Fix failed tests.
* Fixed code review.
* Fix review comments.
* Merged leader rotation.
* Rebased on dev.
* Rebased on dev.
* Fix usage of private methods.
* Fix usage of private methods.
* Fix usage of private methods.
* Removed deadcode, LockedFBFTPhase.
* Fix review comment.
* Go mod tidy.
* remove default timeouts
* Rotate external leaders on non-beacon chains.
* Fix nil panic.
* Fixes.
* Update singleton.go
* evm: don't return extcode for validators
Due to technical debt, validator information is stored in the code field
of the address. The code field can be accessed in Solidity for an
arbitrary address using `extcodesize`, `extcodehash`, and `extcodecopy`
or helper commands (such as `address.code.Length`). The presence of this
field is used by contract developers to (erroneously) deny smart
contract access to other smart contracts (and therefore, validators).
This PR fixes that oversight by returning the same values as other EOAs
for known validator addresses. Obviously, it needs a hard fork that will
be scheduled separately.
* Fix context passing.
* Clean up code.
* Removed engine dependency.
* Fix possible panic.
* Clean up code.
* Network type.
* Fix tests.
* Revert "Removed engine dependency." (#4392)
* Revert "Fix tests."
This reverts commit 597ba2d6f1ed54ff599b9d9b8940c7285ab1277a.
* Revert "Network type."
This reverts commit 5e1878aedca3989dc0f34161dae1833e43ca6a76.
* Revert "Clean up code."
This reverts commit 15885f4c9b9263746827172b4f4f56d0926d18e2.
* Revert "Fix possible panic."
This reverts commit 1a70d5eb66cdbf8a23791806b71a323eed320085.
* Revert "Removed engine dependency."
This reverts commit 8c2ff803f709f944cfc8b1278f35cf5b2cacf859.
* gitignore the cache folder (#4389)
* stable localnet with external validator (#4388)
* stable localnet with external validator
* ignore deploy config file comments
* reduce node launched in localnet
* update makefile
* localnet configuration - add more fn
* fix validator information command typo
---------
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
Co-authored-by: frozen <355847+Frozen@users.noreply.github.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: “GheisMohammadi” <“Gheis.Mohammadi@gmail.com”>
Co-authored-by: “GheisMohammadi” <36589218+GheisMohammadi@users.noreply.github.com>
Co-authored-by: Sun Hyuk Ahn <sunhyukahn@Suns-MacBook-Pro.local>
Co-authored-by: Soph <35721420+sophoah@users.noreply.github.com>
* build: update pinned curl version (#4394)
Per the Alpine Linux package repositories, the version for cURL included
with v3.16 has changed to revision 6
* consensus: replace type assert with test (#4398)
If `consensus.finalityCounter` does not have anything stored (for
example in Syncing mode), the `Load()` returns an interface that cannot
be automatically asserted to an `int64`. This results in the node
crashing. This commit fixes that.
* Turn pprof default on with local saved files (#3894)
* Turn pprof default on with local saved files
* [pprof] change interval from 600s to 3600s
* Revert "Turn pprof default on with local saved files (#3894)" (#4400)
This reverts commit 78d26d7910a58ded3bfe689b3de07ea28d95d7d5.
* go mod tidy.
* Increased wait time.
---------
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: Casey Gardiner <117784577+ONECasey@users.noreply.github.com>
Co-authored-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: “GheisMohammadi” <“Gheis.Mohammadi@gmail.com”>
Co-authored-by: “GheisMohammadi” <36589218+GheisMohammadi@users.noreply.github.com>
Co-authored-by: Sun Hyuk Ahn <sunhyukahn@Suns-MacBook-Pro.local>
Co-authored-by: Soph <35721420+sophoah@users.noreply.github.com>
Co-authored-by: Jacky Wang <jackyw.se@gmail.com>
---------
Signed-off-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
Signed-off-by: dependabot[bot] <support@github.com>
Co-authored-by: frozen <355847+Frozen@users.noreply.github.com>
Co-authored-by: “GheisMohammadi” <“Gheis.Mohammadi@gmail.com”>
Co-authored-by: “GheisMohammadi” <36589218+GheisMohammadi@users.noreply.github.com>
Co-authored-by: MaxMustermann2 <82761650+MaxMustermann2@users.noreply.github.com>
Co-authored-by: Sun Hyuk Ahn <sunhyukahn@Suns-MacBook-Pro.local>
Co-authored-by: Soph <35721420+sophoah@users.noreply.github.com>
Co-authored-by: Konstantin <k.potapov@softpro.com>
Co-authored-by: Gheis Mohammadi <Gheis.Mohammadi@gmail.com>
Co-authored-by: dependabot[bot] <49699333+dependabot[bot]@users.noreply.github.com>
Co-authored-by: Jacky Wang <jackyw.se@gmail.com>
2 years ago
|
|
|
block, err := s.hmy.GetHeader(ctx, blockHash)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetTransactionByHash")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
DoMetricRPCQueryInfo(GetTransactionByHash, FailedNumber)
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
return s.newRPCTransaction(tx, blockHash, blockNumber, block.Time().Uint64(), index)
|
|
|
|
}
|
|
|
|
|
|
|
|
func (s *PublicTransactionService) newRPCTransaction(tx *types.Transaction, blockHash common.Hash,
|
|
|
|
blockNumber uint64, timestamp uint64, index uint64) (StructuredResponse, error) {
|
|
|
|
|
|
|
|
// Format the response according to the version
|
|
|
|
switch s.version {
|
|
|
|
case V1:
|
|
|
|
tx, err := v1.NewTransaction(tx, blockHash, blockNumber, timestamp, index)
|
|
|
|
if err != nil {
|
|
|
|
DoMetricRPCQueryInfo(GetTransactionByHash, FailedNumber)
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
case V2:
|
|
|
|
tx, err := v2.NewTransaction(tx, blockHash, blockNumber, timestamp, index)
|
|
|
|
if err != nil {
|
|
|
|
DoMetricRPCQueryInfo(GetTransactionByHash, FailedNumber)
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
case Eth:
|
|
|
|
tx, err := eth.NewTransaction(tx.ConvertToEth(), blockHash, blockNumber, timestamp, index)
|
|
|
|
if err != nil {
|
|
|
|
DoMetricRPCQueryInfo(GetTransactionByHash, FailedNumber)
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetStakingTransactionByHash returns the staking transaction for the given hash
|
|
|
|
func (s *PublicTransactionService) GetStakingTransactionByHash(
|
|
|
|
ctx context.Context, hash common.Hash,
|
|
|
|
) (StructuredResponse, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetStakingTransactionByHash)
|
|
|
|
defer DoRPCRequestDuration(GetStakingTransactionByHash, timer)
|
|
|
|
|
|
|
|
// Try to return an already finalized transaction
|
|
|
|
stx, blockHash, blockNumber, index := rawdb.ReadStakingTransaction(s.hmy.ChainDb(), hash)
|
|
|
|
if stx == nil {
|
|
|
|
// Try to return a pending transaction
|
|
|
|
if tx := s.hmy.TxPool.Get(hash); tx != nil {
|
|
|
|
if stx, ok := tx.(*staking.StakingTransaction); ok {
|
|
|
|
return s.newRPCStakingTransaction(stx, common.Hash{}, 0, 0, 0)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(errors.Wrapf(ErrTransactionNotFound, "hash %v", hash.String())).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetStakingTransactionByHash")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
DoMetricRPCQueryInfo(GetStakingTransactionByHash, FailedNumber)
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
block, err := s.hmy.GetBlock(ctx, blockHash)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetStakingTransactionByHash")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
DoMetricRPCQueryInfo(GetStakingTransactionByHash, FailedNumber)
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
return s.newRPCStakingTransaction(stx, blockHash, blockNumber, block.Time().Uint64(), index)
|
|
|
|
}
|
|
|
|
|
|
|
|
func (s *PublicTransactionService) newRPCStakingTransaction(stx *staking.StakingTransaction, blockHash common.Hash,
|
|
|
|
blockNumber uint64, timestamp uint64, index uint64) (StructuredResponse, error) {
|
|
|
|
|
|
|
|
switch s.version {
|
|
|
|
case V1:
|
|
|
|
tx, err := v1.NewStakingTransaction(stx, blockHash, blockNumber, timestamp, index)
|
|
|
|
if err != nil {
|
|
|
|
DoMetricRPCQueryInfo(GetStakingTransactionByHash, FailedNumber)
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
case V2:
|
|
|
|
tx, err := v2.NewStakingTransaction(stx, blockHash, blockNumber, timestamp, index, true)
|
|
|
|
if err != nil {
|
|
|
|
DoMetricRPCQueryInfo(GetStakingTransactionByHash, FailedNumber)
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetTransactionsHistory returns the list of transactions hashes that involve a particular address.
|
|
|
|
func (s *PublicTransactionService) GetTransactionsHistory(
|
|
|
|
ctx context.Context, args TxHistoryArgs,
|
|
|
|
) (StructuredResponse, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetTransactionsHistory)
|
|
|
|
defer DoRPCRequestDuration(GetTransactionsHistory, timer)
|
|
|
|
// Fetch transaction history
|
|
|
|
var address string
|
|
|
|
var result []common.Hash
|
|
|
|
var err error
|
|
|
|
if strings.HasPrefix(args.Address, "one1") {
|
|
|
|
address = args.Address
|
|
|
|
} else {
|
|
|
|
addr, err := internal_common.ParseAddr(args.Address)
|
|
|
|
if err != nil {
|
|
|
|
DoMetricRPCQueryInfo(GetTransactionsHistory, FailedNumber)
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
address, err = internal_common.AddressToBech32(addr)
|
|
|
|
if err != nil {
|
|
|
|
DoMetricRPCQueryInfo(GetTransactionsHistory, FailedNumber)
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
}
|
|
|
|
hashes, err := s.hmy.GetTransactionsHistory(address, args.TxType, args.Order)
|
|
|
|
if err != nil {
|
|
|
|
DoMetricRPCQueryInfo(GetTransactionsHistory, FailedNumber)
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
|
|
|
|
result = returnHashesWithPagination(hashes, args.PageIndex, args.PageSize)
|
|
|
|
|
|
|
|
// Just hashes have same response format for all versions
|
|
|
|
if !args.FullTx {
|
|
|
|
return StructuredResponse{"transactions": result}, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Full transactions have different response format
|
|
|
|
txs := []StructuredResponse{}
|
|
|
|
for _, hash := range result {
|
|
|
|
tx, err := s.GetTransactionByHash(ctx, hash)
|
|
|
|
if err == nil {
|
|
|
|
txs = append(txs, tx)
|
|
|
|
} else {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetTransactionsHistory")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return StructuredResponse{"transactions": txs}, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetStakingTransactionsHistory returns the list of transactions hashes that involve a particular address.
|
|
|
|
func (s *PublicTransactionService) GetStakingTransactionsHistory(
|
|
|
|
ctx context.Context, args TxHistoryArgs,
|
|
|
|
) (StructuredResponse, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetStakingTransactionsHistory)
|
|
|
|
defer DoRPCRequestDuration(GetStakingTransactionsHistory, timer)
|
|
|
|
|
|
|
|
// Fetch transaction history
|
|
|
|
var address string
|
|
|
|
var result []common.Hash
|
|
|
|
var err error
|
|
|
|
if strings.HasPrefix(args.Address, "one1") {
|
|
|
|
address = args.Address
|
|
|
|
} else {
|
|
|
|
addr, err := internal_common.ParseAddr(args.Address)
|
|
|
|
if err != nil {
|
|
|
|
DoMetricRPCQueryInfo(GetStakingTransactionsHistory, FailedNumber)
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
address, err = internal_common.AddressToBech32(addr)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetStakingTransactionsHistory")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
DoMetricRPCQueryInfo(GetStakingTransactionsHistory, FailedNumber)
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
}
|
|
|
|
hashes, err := s.hmy.GetStakingTransactionsHistory(address, args.TxType, args.Order)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetStakingTransactionsHistory")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
DoMetricRPCQueryInfo(GetStakingTransactionsHistory, FailedNumber)
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
result = returnHashesWithPagination(hashes, args.PageIndex, args.PageSize)
|
|
|
|
|
|
|
|
// Just hashes have same response format for all versions
|
|
|
|
if !args.FullTx {
|
|
|
|
return StructuredResponse{"staking_transactions": result}, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Full transactions have different response format
|
|
|
|
txs := []StructuredResponse{}
|
|
|
|
for _, hash := range result {
|
|
|
|
tx, err := s.GetStakingTransactionByHash(ctx, hash)
|
|
|
|
if err == nil {
|
|
|
|
txs = append(txs, tx)
|
|
|
|
} else {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetStakingTransactionsHistory")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return StructuredResponse{"staking_transactions": txs}, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetBlockTransactionCountByNumber returns the number of transactions in the block with the given block number.
|
|
|
|
// Note that the return type is an interface to account for the different versions
|
|
|
|
func (s *PublicTransactionService) GetBlockTransactionCountByNumber(
|
|
|
|
ctx context.Context, blockNumber BlockNumber,
|
|
|
|
) (interface{}, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetBlockTransactionCountByNumber)
|
|
|
|
defer DoRPCRequestDuration(GetBlockTransactionCountByNumber, timer)
|
|
|
|
|
|
|
|
// Process arguments based on version
|
|
|
|
blockNum := blockNumber.EthBlockNumber()
|
|
|
|
|
|
|
|
// Fetch block
|
|
|
|
block, err := s.hmy.BlockByNumber(ctx, blockNum)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetBlockTransactionCountByNumber")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Format response according to version
|
|
|
|
switch s.version {
|
|
|
|
case V1, Eth:
|
|
|
|
return hexutil.Uint(len(block.Transactions())), nil
|
|
|
|
case V2:
|
|
|
|
return len(block.Transactions()), nil
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetBlockTransactionCountByHash returns the number of transactions in the block with the given hash.
|
|
|
|
// Note that the return type is an interface to account for the different versions
|
|
|
|
func (s *PublicTransactionService) GetBlockTransactionCountByHash(
|
|
|
|
ctx context.Context, blockHash common.Hash,
|
|
|
|
) (interface{}, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetBlockTransactionCountByHash)
|
|
|
|
defer DoRPCRequestDuration(GetBlockTransactionCountByHash, timer)
|
|
|
|
|
|
|
|
// Fetch block
|
|
|
|
block, err := s.hmy.GetBlock(ctx, blockHash)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetBlockTransactionCountByHash")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Format response according to version
|
|
|
|
switch s.version {
|
|
|
|
case V1, Eth:
|
|
|
|
return hexutil.Uint(len(block.Transactions())), nil
|
|
|
|
case V2:
|
|
|
|
return len(block.Transactions()), nil
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetTransactionByBlockNumberAndIndex returns the transaction for the given block number and index.
|
|
|
|
func (s *PublicTransactionService) GetTransactionByBlockNumberAndIndex(
|
|
|
|
ctx context.Context, blockNumber BlockNumber, index TransactionIndex,
|
|
|
|
) (StructuredResponse, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetTransactionByBlockNumberAndIndex)
|
|
|
|
defer DoRPCRequestDuration(GetTransactionByBlockNumberAndIndex, timer)
|
|
|
|
|
|
|
|
// Process arguments based on version
|
|
|
|
blockNum := blockNumber.EthBlockNumber()
|
|
|
|
|
|
|
|
// Fetch Block
|
|
|
|
block, err := s.hmy.BlockByNumber(ctx, blockNum)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetTransactionByBlockNumberAndIndex")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Format response according to version
|
|
|
|
switch s.version {
|
|
|
|
case V1:
|
|
|
|
tx, err := v1.NewTransactionFromBlockIndex(block, uint64(index))
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
case V2:
|
|
|
|
tx, err := v2.NewTransactionFromBlockIndex(block, uint64(index))
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
case Eth:
|
|
|
|
tx, err := eth.NewTransactionFromBlockIndex(block, uint64(index))
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetTransactionByBlockHashAndIndex returns the transaction for the given block hash and index.
|
|
|
|
func (s *PublicTransactionService) GetTransactionByBlockHashAndIndex(
|
|
|
|
ctx context.Context, blockHash common.Hash, index TransactionIndex,
|
|
|
|
) (StructuredResponse, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetTransactionByBlockHashAndIndex)
|
|
|
|
defer DoRPCRequestDuration(GetTransactionByBlockHashAndIndex, timer)
|
|
|
|
|
|
|
|
// Fetch Block
|
|
|
|
block, err := s.hmy.GetBlock(ctx, blockHash)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetTransactionByBlockHashAndIndex")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Format response according to version
|
|
|
|
switch s.version {
|
|
|
|
case V1:
|
|
|
|
tx, err := v1.NewTransactionFromBlockIndex(block, uint64(index))
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
case V2:
|
|
|
|
tx, err := v2.NewTransactionFromBlockIndex(block, uint64(index))
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
case Eth:
|
|
|
|
tx, err := eth.NewTransactionFromBlockIndex(block, uint64(index))
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetBlockStakingTransactionCountByNumber returns the number of staking transactions in the block with the given block number.
|
|
|
|
// Note that the return type is an interface to account for the different versions
|
|
|
|
func (s *PublicTransactionService) GetBlockStakingTransactionCountByNumber(
|
|
|
|
ctx context.Context, blockNumber BlockNumber,
|
|
|
|
) (interface{}, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetBlockStakingTransactionCountByNumber)
|
|
|
|
defer DoRPCRequestDuration(GetBlockStakingTransactionCountByNumber, timer)
|
|
|
|
|
|
|
|
// Process arguments based on version
|
|
|
|
blockNum := blockNumber.EthBlockNumber()
|
|
|
|
|
|
|
|
// Fetch block
|
|
|
|
block, err := s.hmy.BlockByNumber(ctx, blockNum)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetBlockStakingTransactionCountByNumber")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Format response according to version
|
|
|
|
switch s.version {
|
|
|
|
case V1, Eth:
|
|
|
|
return hexutil.Uint(len(block.StakingTransactions())), nil
|
|
|
|
case V2:
|
|
|
|
return len(block.StakingTransactions()), nil
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetBlockStakingTransactionCountByHash returns the number of staking transactions in the block with the given hash.
|
|
|
|
// Note that the return type is an interface to account for the different versions
|
|
|
|
func (s *PublicTransactionService) GetBlockStakingTransactionCountByHash(
|
|
|
|
ctx context.Context, blockHash common.Hash,
|
|
|
|
) (interface{}, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetBlockStakingTransactionCountByHash)
|
|
|
|
defer DoRPCRequestDuration(GetBlockStakingTransactionCountByHash, timer)
|
|
|
|
|
|
|
|
// Fetch block
|
|
|
|
block, err := s.hmy.GetBlock(ctx, blockHash)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetBlockStakingTransactionCountByHash")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Format response according to version
|
|
|
|
switch s.version {
|
|
|
|
case V1, Eth:
|
|
|
|
return hexutil.Uint(len(block.StakingTransactions())), nil
|
|
|
|
case V2:
|
|
|
|
return len(block.StakingTransactions()), nil
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetStakingTransactionByBlockNumberAndIndex returns the staking transaction for the given block number and index.
|
|
|
|
func (s *PublicTransactionService) GetStakingTransactionByBlockNumberAndIndex(
|
|
|
|
ctx context.Context, blockNumber BlockNumber, index TransactionIndex,
|
|
|
|
) (StructuredResponse, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetStakingTransactionByBlockNumberAndIndex)
|
|
|
|
defer DoRPCRequestDuration(GetStakingTransactionByBlockNumberAndIndex, timer)
|
|
|
|
|
|
|
|
// Process arguments based on version
|
|
|
|
blockNum := blockNumber.EthBlockNumber()
|
|
|
|
|
|
|
|
// Fetch Block
|
|
|
|
block, err := s.hmy.BlockByNumber(ctx, blockNum)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetStakingTransactionByBlockNumberAndIndex")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Format response according to version
|
|
|
|
switch s.version {
|
|
|
|
case V1:
|
|
|
|
tx, err := v1.NewStakingTransactionFromBlockIndex(block, uint64(index))
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
case V2:
|
|
|
|
tx, err := v2.NewStakingTransactionFromBlockIndex(block, uint64(index))
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetStakingTransactionByBlockHashAndIndex returns the transaction for the given block hash and index.
|
|
|
|
func (s *PublicTransactionService) GetStakingTransactionByBlockHashAndIndex(
|
|
|
|
ctx context.Context, blockHash common.Hash, index TransactionIndex,
|
|
|
|
) (StructuredResponse, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetStakingTransactionByBlockHashAndIndex)
|
|
|
|
defer DoRPCRequestDuration(GetStakingTransactionByBlockHashAndIndex, timer)
|
|
|
|
|
|
|
|
// Fetch Block
|
|
|
|
block, err := s.hmy.GetBlock(ctx, blockHash)
|
|
|
|
if err != nil {
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(err).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetStakingTransactionByBlockHashAndIndex")
|
|
|
|
// Legacy behavior is to not return RPC errors
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// Format response according to version
|
|
|
|
switch s.version {
|
|
|
|
case V1, Eth:
|
|
|
|
tx, err := v1.NewStakingTransactionFromBlockIndex(block, uint64(index))
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
case V2:
|
|
|
|
tx, err := v2.NewStakingTransactionFromBlockIndex(block, uint64(index))
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetTransactionReceipt returns the transaction receipt for the given transaction hash.
|
|
|
|
func (s *PublicTransactionService) GetTransactionReceipt(
|
|
|
|
ctx context.Context, hash common.Hash,
|
|
|
|
) (StructuredResponse, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetTransactionReceipt)
|
|
|
|
defer DoRPCRequestDuration(GetTransactionReceipt, timer)
|
|
|
|
|
|
|
|
// Fetch receipt for plain & staking transaction
|
|
|
|
var tx *types.Transaction
|
|
|
|
var stx *staking.StakingTransaction
|
|
|
|
var blockHash common.Hash
|
|
|
|
var blockNumber, index uint64
|
|
|
|
tx, blockHash, blockNumber, index = rawdb.ReadTransaction(s.hmy.ChainDb(), hash)
|
|
|
|
if tx == nil {
|
|
|
|
stx, blockHash, blockNumber, index = rawdb.ReadStakingTransaction(s.hmy.ChainDb(), hash)
|
|
|
|
if stx == nil {
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
// if there both normal and staking transactions, add to index
|
|
|
|
if block, _ := s.hmy.GetBlock(ctx, blockHash); block != nil {
|
|
|
|
index = index + uint64(block.Transactions().Len())
|
|
|
|
}
|
|
|
|
}
|
|
|
|
receipts, err := s.hmy.GetReceipts(ctx, blockHash)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
if len(receipts) <= int(index) {
|
|
|
|
return nil, nil
|
|
|
|
}
|
|
|
|
receipt := receipts[index]
|
|
|
|
|
|
|
|
// Format response according to version
|
|
|
|
var RPCReceipt interface{}
|
|
|
|
switch s.version {
|
|
|
|
case V1:
|
|
|
|
if tx == nil {
|
|
|
|
RPCReceipt, err = v1.NewReceipt(stx, blockHash, blockNumber, index, receipt)
|
|
|
|
} else {
|
|
|
|
RPCReceipt, err = v1.NewReceipt(tx, blockHash, blockNumber, index, receipt)
|
|
|
|
}
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(RPCReceipt)
|
|
|
|
case V2:
|
|
|
|
if tx == nil {
|
|
|
|
RPCReceipt, err = v2.NewReceipt(stx, blockHash, blockNumber, index, receipt)
|
|
|
|
} else {
|
|
|
|
RPCReceipt, err = v2.NewReceipt(tx, blockHash, blockNumber, index, receipt)
|
|
|
|
}
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(RPCReceipt)
|
|
|
|
case Eth:
|
|
|
|
if tx != nil {
|
|
|
|
RPCReceipt, err = eth.NewReceipt(tx.ConvertToEth(), blockHash, blockNumber, index, receipt)
|
|
|
|
}
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(RPCReceipt)
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// GetCXReceiptByHash returns the transaction for the given hash
|
|
|
|
func (s *PublicTransactionService) GetCXReceiptByHash(
|
|
|
|
ctx context.Context, hash common.Hash,
|
|
|
|
) (StructuredResponse, error) {
|
|
|
|
timer := DoMetricRPCRequest(GetCXReceiptByHash)
|
|
|
|
defer DoRPCRequestDuration(GetCXReceiptByHash, timer)
|
|
|
|
|
|
|
|
if cx, blockHash, blockNumber, _ := rawdb.ReadCXReceipt(s.hmy.ChainDb(), hash); cx != nil {
|
|
|
|
// Format response according to version
|
|
|
|
switch s.version {
|
|
|
|
case V1, Eth:
|
|
|
|
tx, err := v1.NewCxReceipt(cx, blockHash, blockNumber)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
case V2:
|
|
|
|
tx, err := v2.NewCxReceipt(cx, blockHash, blockNumber)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
return NewStructuredResponse(tx)
|
|
|
|
default:
|
|
|
|
return nil, ErrUnknownRPCVersion
|
|
|
|
}
|
|
|
|
}
|
|
|
|
utils.Logger().Debug().
|
|
|
|
Err(fmt.Errorf("unable to found CX receipt for tx %v", hash.String())).
|
|
|
|
Msgf("%v error at %v", LogTag, "GetCXReceiptByHash")
|
|
|
|
return nil, nil // Legacy behavior is to not return an error here
|
|
|
|
}
|
|
|
|
|
|
|
|
// ResendCx requests that the egress receipt for the given cross-shard
|
|
|
|
// transaction be sent to the destination shard for credit. This is used for
|
|
|
|
// unblocking a half-complete cross-shard transaction whose fund has been
|
|
|
|
// withdrawn already from the source shard but not credited yet in the
|
|
|
|
// destination account due to transient failures.
|
|
|
|
func (s *PublicTransactionService) ResendCx(ctx context.Context, txID common.Hash) (bool, error) {
|
|
|
|
timer := DoMetricRPCRequest(ResendCx)
|
|
|
|
defer DoRPCRequestDuration(ResendCx, timer)
|
|
|
|
|
|
|
|
_, success := s.hmy.ResendCx(ctx, txID)
|
|
|
|
|
|
|
|
// Response output is the same for all versions
|
|
|
|
return success, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
// returnHashesWithPagination returns result with pagination (offset, page in TxHistoryArgs).
|
|
|
|
func returnHashesWithPagination(hashes []common.Hash, pageIndex uint32, pageSize uint32) []common.Hash {
|
|
|
|
size := defaultPageSize
|
|
|
|
if pageSize > 0 {
|
|
|
|
size = pageSize
|
|
|
|
}
|
|
|
|
if uint64(size)*uint64(pageIndex) >= uint64(len(hashes)) {
|
|
|
|
return make([]common.Hash, 0)
|
|
|
|
}
|
|
|
|
if uint64(size)*uint64(pageIndex)+uint64(size) > uint64(len(hashes)) {
|
|
|
|
return hashes[size*pageIndex:]
|
|
|
|
}
|
|
|
|
return hashes[size*pageIndex : size*pageIndex+size]
|
|
|
|
}
|
|
|
|
|
|
|
|
// EstimateGas - estimate gas cost for a given operation
|
|
|
|
func EstimateGas(ctx context.Context, hmy *hmy.Harmony, args CallArgs, blockNrOrHash rpc.BlockNumberOrHash, gasCap *big.Int) (uint64, error) {
|
|
|
|
// Binary search the gas requirement, as it may be higher than the amount used
|
|
|
|
var (
|
|
|
|
lo uint64 = params.TxGas - 1
|
|
|
|
hi uint64
|
|
|
|
cap uint64
|
|
|
|
)
|
|
|
|
// Use zero address if sender unspecified.
|
|
|
|
if args.From == nil {
|
|
|
|
args.From = new(common.Address)
|
|
|
|
}
|
|
|
|
// Determine the highest gas limit can be used during the estimation.
|
|
|
|
if args.Gas != nil && uint64(*args.Gas) >= params.TxGas {
|
|
|
|
hi = uint64(*args.Gas)
|
|
|
|
} else {
|
|
|
|
|
|
|
|
// Retrieve the block to act as the gas ceiling
|
|
|
|
blk, err := hmy.BlockByNumberOrHash(ctx, blockNrOrHash)
|
|
|
|
if err != nil {
|
|
|
|
return 0, err
|
|
|
|
}
|
|
|
|
hi = blk.GasLimit()
|
|
|
|
}
|
|
|
|
// Recap the highest gas limit with account's available balance.
|
|
|
|
if args.GasPrice != nil && args.GasPrice.ToInt().BitLen() != 0 {
|
|
|
|
state, _, err := hmy.StateAndHeaderByNumberOrHash(ctx, blockNrOrHash)
|
|
|
|
if err != nil {
|
|
|
|
return 0, err
|
|
|
|
}
|
|
|
|
balance := state.GetBalance(*args.From) // from can't be nil
|
|
|
|
available := new(big.Int).Set(balance)
|
|
|
|
if args.Value != nil {
|
|
|
|
if args.Value.ToInt().Cmp(available) >= 0 {
|
|
|
|
return 0, errors.New("insufficient funds for transfer")
|
|
|
|
}
|
|
|
|
available.Sub(available, args.Value.ToInt())
|
|
|
|
}
|
|
|
|
allowance := new(big.Int).Div(available, args.GasPrice.ToInt())
|
|
|
|
|
|
|
|
// If the allowance is larger than maximum uint64, skip checking
|
|
|
|
if allowance.IsUint64() && hi > allowance.Uint64() {
|
|
|
|
transfer := args.Value
|
|
|
|
if transfer == nil {
|
|
|
|
transfer = new(hexutil.Big)
|
|
|
|
}
|
|
|
|
utils.Logger().Warn().Uint64("original", hi).Uint64("balance", balance.Uint64()).Uint64("sent", transfer.ToInt().Uint64()).Uint64("gasprice", args.GasPrice.ToInt().Uint64()).Uint64("fundable", allowance.Uint64()).Msg("Gas estimation capped by limited funds")
|
|
|
|
hi = allowance.Uint64()
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// Recap the highest gas allowance with specified gascap.
|
|
|
|
if gasCap != nil && hi > gasCap.Uint64() {
|
|
|
|
utils.Logger().Warn().Uint64("requested", hi).Uint64("cap", gasCap.Uint64()).Msg("Caller gas above allowance, capping")
|
|
|
|
hi = gasCap.Uint64()
|
|
|
|
}
|
|
|
|
cap = hi
|
|
|
|
|
|
|
|
// Create a helper to check if a gas allowance results in an executable transaction
|
|
|
|
executable := func(gas uint64) (bool, *core.ExecutionResult, error) {
|
|
|
|
args.Gas = (*hexutil.Uint64)(&gas)
|
|
|
|
|
|
|
|
result, err := DoEVMCall(ctx, hmy, args, blockNrOrHash, 0)
|
|
|
|
if err != nil {
|
|
|
|
if errors.Is(err, core.ErrIntrinsicGas) {
|
|
|
|
return true, nil, nil // Special case, raise gas limit
|
|
|
|
}
|
|
|
|
return true, nil, err // Bail out
|
|
|
|
}
|
|
|
|
return result.Failed(), &result, nil
|
|
|
|
}
|
|
|
|
// Execute the binary search and hone in on an executable gas limit
|
|
|
|
for lo+1 < hi {
|
|
|
|
mid := (hi + lo) / 2
|
|
|
|
failed, _, err := executable(mid)
|
|
|
|
|
|
|
|
// If the error is not nil(consensus error), it means the provided message
|
|
|
|
// call or transaction will never be accepted no matter how much gas it is
|
|
|
|
// assigned. Return the error directly, don't struggle any more.
|
|
|
|
if err != nil {
|
|
|
|
return 0, err
|
|
|
|
}
|
|
|
|
if failed {
|
|
|
|
lo = mid
|
|
|
|
} else {
|
|
|
|
hi = mid
|
|
|
|
}
|
|
|
|
}
|
|
|
|
// Reject the transaction as invalid if it still fails at the highest allowance
|
|
|
|
if hi == cap {
|
|
|
|
failed, result, err := executable(hi)
|
|
|
|
if err != nil {
|
|
|
|
return 0, err
|
|
|
|
}
|
|
|
|
if failed {
|
|
|
|
if result != nil && result.VMErr != vm.ErrOutOfGas {
|
|
|
|
if len(result.Revert()) > 0 {
|
|
|
|
return 0, newRevertError(result)
|
|
|
|
}
|
|
|
|
return 0, result.VMErr
|
|
|
|
}
|
|
|
|
// Otherwise, the specified gas cap is too low
|
|
|
|
return 0, fmt.Errorf("gas required exceeds allowance (%d)", cap)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
return hi, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
func newRevertError(result *core.ExecutionResult) *revertError {
|
|
|
|
reason, errUnpack := abi.UnpackRevert(result.Revert())
|
|
|
|
err := errors.New("execution reverted")
|
|
|
|
if errUnpack == nil {
|
|
|
|
err = fmt.Errorf("execution reverted: %v", reason)
|
|
|
|
}
|
|
|
|
return &revertError{
|
|
|
|
error: err,
|
|
|
|
reason: hexutil.Encode(result.Revert()),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
// revertError is an API error that encompassas an EVM revertal with JSON error
|
|
|
|
// code and a binary data blob.
|
|
|
|
type revertError struct {
|
|
|
|
error
|
|
|
|
reason string // revert reason hex encoded
|
|
|
|
}
|
|
|
|
|
|
|
|
// ErrorCode returns the JSON error code for a revertal.
|
|
|
|
// See: https://github.com/ethereum/wiki/wiki/JSON-RPC-Error-Codes-Improvement-Proposal
|
|
|
|
func (e *revertError) ErrorCode() int {
|
|
|
|
return 3
|
|
|
|
}
|
|
|
|
|
|
|
|
// ErrorData returns the hex encoded revert reason.
|
|
|
|
func (e *revertError) ErrorData() interface{} {
|
|
|
|
return e.reason
|
|
|
|
}
|