-
Notifications
You must be signed in to change notification settings - Fork 828
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Add command to loadtest against RPC endpoints #2072
Open
codchen
wants to merge
1
commit into
main
Choose a base branch
from
tony/rpc-loadtest
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,15 @@ | ||
{ | ||
"endpoint": "http://127.0.0.1:8545", | ||
"duration": 60000000000, | ||
"load_list": [ | ||
{ | ||
"concurrency": 5, | ||
"method": "eth_getBalance", | ||
"params": [ | ||
"0x0000000000000000000000000000000000001001", | ||
"latest" | ||
], | ||
"expected_result": "\"0x0\"" | ||
} | ||
] | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,236 @@ | ||
package cmd | ||
|
||
import ( | ||
"context" | ||
"encoding/json" | ||
"fmt" | ||
"io" | ||
"os" | ||
"strconv" | ||
"strings" | ||
"sync" | ||
"sync/atomic" | ||
"time" | ||
|
||
"github.com/sei-protocol/sei-chain/utils" | ||
"github.com/spf13/cobra" | ||
|
||
"github.com/cosmos/cosmos-sdk/server" | ||
sdk "github.com/cosmos/cosmos-sdk/types" | ||
"github.com/ethereum/go-ethereum/common" | ||
"github.com/ethereum/go-ethereum/common/hexutil" | ||
ethrpc "github.com/ethereum/go-ethereum/rpc" | ||
|
||
"net/http" | ||
) | ||
|
||
const flagEvmRPCLoadConfig = "config" | ||
|
||
//nolint:gosec | ||
func EvmRPCLoadTestCmd() *cobra.Command { | ||
cmd := &cobra.Command{ | ||
Use: "evm-rpc-load", | ||
Short: "loadtest EVM RPC endpoints", | ||
Long: "loadtest EVM RPC endpoints", | ||
Args: cobra.ExactArgs(0), | ||
RunE: func(cmd *cobra.Command, _ []string) error { | ||
serverCtx := server.GetServerContextFromCmd(cmd) | ||
if err := serverCtx.Viper.BindPFlags(cmd.Flags()); err != nil { | ||
return err | ||
} | ||
|
||
config := LoadConfig(serverCtx.Viper.GetString(flagEvmRPCLoadConfig)) | ||
config.SetMaxIdleConnsPerHost() | ||
rpcclient, err := ethrpc.Dial(config.Endpoint) | ||
if err != nil { | ||
return err | ||
} | ||
defer rpcclient.Close() | ||
ctx, cancel := context.WithTimeout(context.Background(), config.Duration) | ||
defer cancel() | ||
callCounts := make([]atomic.Int64, len(config.LoadList)) | ||
latencies := make([]atomic.Int64, len(config.LoadList)) | ||
wg := sync.WaitGroup{} | ||
for i, load := range config.LoadList { | ||
i := i | ||
load := load | ||
typedParams := load.GetTypedParams() | ||
for j := 0; j < load.Concurrency; j++ { | ||
wg.Add(1) | ||
go func() { | ||
defer wg.Done() | ||
for { | ||
select { | ||
case <-ctx.Done(): | ||
return | ||
default: | ||
var res interface{} | ||
now := time.Now() | ||
if err := rpcclient.CallContext(ctx, &res, load.Method, typedParams...); err != nil { | ||
if !strings.Contains(err.Error(), "context deadline exceeded") { | ||
fmt.Printf("calling %s encountered error %s\n", load.Method, err) | ||
} | ||
return | ||
} | ||
callCounts[i].Add(1) | ||
latencies[i].Add(time.Since(now).Microseconds()) | ||
if !load.CheckRes(res) { | ||
return | ||
} | ||
} | ||
} | ||
}() | ||
} | ||
} | ||
wg.Wait() | ||
for i := range config.LoadList { | ||
callCount := callCounts[i].Load() | ||
fmt.Printf("made %d requests for load %d with an average latency of %d micro seconds\n", callCount, i, latencies[i].Load()/callCount) | ||
} | ||
return nil | ||
}, | ||
} | ||
|
||
cmd.Flags().String(flagEvmRPCLoadConfig, "config/rpc_load.json", "Path to config file") | ||
|
||
return cmd | ||
} | ||
|
||
type EvmRPCLoadConfig struct { | ||
Endpoint string `json:"endpoint"` | ||
Duration time.Duration `json:"duration"` | ||
LoadList []EvmRPCLoad `json:"load_list"` | ||
} | ||
|
||
func LoadConfig(path string) EvmRPCLoadConfig { | ||
configFile, err := os.Open(path) | ||
if err != nil { | ||
panic(err) | ||
} | ||
configBz, err := io.ReadAll(configFile) | ||
if err != nil { | ||
panic(err) | ||
} | ||
var config EvmRPCLoadConfig | ||
if err := json.Unmarshal(configBz, &config); err != nil { | ||
panic(err) | ||
} | ||
return config | ||
} | ||
|
||
func (config EvmRPCLoadConfig) SetMaxIdleConnsPerHost() { | ||
totalConns := 0 | ||
for _, load := range config.LoadList { | ||
totalConns += load.Concurrency | ||
} | ||
http.DefaultTransport.(*http.Transport).MaxIdleConnsPerHost = totalConns | ||
} | ||
|
||
type EvmRPCLoad struct { | ||
Concurrency int `json:"concurrency"` | ||
Method string `json:"method"` | ||
Params []string `json:"params"` | ||
ExpectedResult string `json:"expected_result"` | ||
} | ||
|
||
func (load EvmRPCLoad) GetTypedParams() []interface{} { | ||
switch load.Method { | ||
case "eth_getBalance": | ||
return []interface{}{ | ||
common.HexToAddress(load.Params[0]), | ||
load.Params[1], | ||
} | ||
case "eth_getBlockByHash": | ||
return []interface{}{ | ||
common.HexToHash(load.Params[0]), | ||
true, | ||
} | ||
case "eth_getBlockReceipts": | ||
return []interface{}{load.Params[0]} | ||
case "eth_getBlockByNumber": | ||
return []interface{}{ | ||
sdk.MustNewDecFromStr(load.Params[0]).TruncateInt().BigInt(), | ||
true, | ||
} | ||
case "eth_getTransactionByHash", "eth_getTransactionReceipt": | ||
return []interface{}{common.HexToHash(load.Params[0])} | ||
case "eth_estimateGas": | ||
return []interface{}{DecodeCallArgsStr(load.Params[0])} | ||
case "eth_call": | ||
return []interface{}{ | ||
DecodeCallArgsStr(load.Params[0]), | ||
load.Params[1], | ||
} | ||
case "eth_getLogs": | ||
return []interface{}{ | ||
DecodeFilterArgsStr(load.Params[0]), | ||
} | ||
} | ||
panic(fmt.Sprintf("unknown load method %s", load.Method)) | ||
} | ||
|
||
func (load EvmRPCLoad) CheckRes(res interface{}) bool { | ||
serializedRes, _ := json.Marshal(res) | ||
if load.ExpectedResult != "" && string(serializedRes) != load.ExpectedResult { | ||
fmt.Printf("calling %s expected %s but got %s\n", load.Method, load.ExpectedResult, string(serializedRes)) | ||
return false | ||
} | ||
return true | ||
} | ||
|
||
func DecodeCallArgsStr(str string) map[string]interface{} { | ||
splitted := strings.Split(str, ",") | ||
res := map[string]interface{}{} | ||
res["from"] = common.HexToAddress(splitted[0]) | ||
res["to"] = HexToAddressPtr(splitted[1]) | ||
if splitted[2] != "" { | ||
res["input"] = hexutil.Bytes(common.Hex2Bytes(splitted[2])) | ||
} | ||
if splitted[3] != "" { | ||
res["value"] = (*hexutil.Big)(sdk.MustNewDecFromStr(splitted[3]).TruncateInt().BigInt()) | ||
} | ||
if splitted[4] != "" { | ||
gas, _ := strconv.ParseUint(splitted[4], 10, 64) | ||
res["gas"] = hexutil.Uint64(gas) | ||
} | ||
if splitted[5] != "" { | ||
res["gasPrice"] = (*hexutil.Big)(sdk.MustNewDecFromStr(splitted[5]).TruncateInt().BigInt()) | ||
} | ||
if splitted[6] != "" { | ||
res["maxFeePerGas"] = (*hexutil.Big)(sdk.MustNewDecFromStr(splitted[6]).TruncateInt().BigInt()) | ||
} | ||
if splitted[7] != "" { | ||
res["maxPriorityFeePerGas"] = (*hexutil.Big)(sdk.MustNewDecFromStr(splitted[7]).TruncateInt().BigInt()) | ||
} | ||
return res | ||
} | ||
|
||
func DecodeFilterArgsStr(str string) map[string]interface{} { | ||
splitted := strings.Split(str, ",") | ||
res := map[string]interface{}{} | ||
addresses := strings.Split(splitted[0], "-") | ||
res["address"] = utils.Map(addresses, common.HexToAddress) | ||
topicsList := [][]common.Hash{} | ||
for _, topics := range strings.Split(splitted[1], "-") { | ||
topicsList = append(topicsList, utils.Map( | ||
strings.Split(topics, "|"), | ||
common.HexToHash, | ||
)) | ||
} | ||
res["topics"] = topicsList | ||
if splitted[2] != "" { | ||
res["blockHash"] = common.HexToHash(splitted[2]) | ||
return res | ||
} | ||
res["fromBlock"] = splitted[3] | ||
res["toBlock"] = splitted[4] | ||
return res | ||
} | ||
|
||
func HexToAddressPtr(str string) *common.Address { | ||
if str == "" { | ||
return nil | ||
} | ||
a := common.HexToAddress(str) | ||
return &a | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,104 @@ | ||
package cmd_test | ||
|
||
import ( | ||
"math/big" | ||
"net/http" | ||
"testing" | ||
|
||
"github.com/ethereum/go-ethereum/common" | ||
"github.com/ethereum/go-ethereum/common/hexutil" | ||
"github.com/sei-protocol/sei-chain/cmd/seid/cmd" | ||
"github.com/stretchr/testify/require" | ||
) | ||
|
||
func TestDecodeCallArgsStr(t *testing.T) { | ||
str := "0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13,0xa822AfcdDff7c3236D2dC2643646C7B36BDefb3c,01,2,21000,10,20,30" | ||
expected := map[string]interface{}{ | ||
"from": common.HexToAddress("0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13"), | ||
"to": cmd.HexToAddressPtr("0xa822AfcdDff7c3236D2dC2643646C7B36BDefb3c"), | ||
"input": hexutil.Bytes([]byte{1}), | ||
"value": (*hexutil.Big)(big.NewInt(2)), | ||
"gas": hexutil.Uint64(21000), | ||
"gasPrice": (*hexutil.Big)(big.NewInt(10)), | ||
"maxFeePerGas": (*hexutil.Big)(big.NewInt(20)), | ||
"maxPriorityFeePerGas": (*hexutil.Big)(big.NewInt(30)), | ||
} | ||
require.Equal(t, expected, cmd.DecodeCallArgsStr(str)) | ||
// empty case | ||
str = "0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13,,,,,,," | ||
expected = map[string]interface{}{ | ||
"from": common.HexToAddress("0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13"), | ||
"to": (*common.Address)(nil), | ||
} | ||
require.Equal(t, expected, cmd.DecodeCallArgsStr(str)) | ||
} | ||
|
||
func TestDecodeFilterArgsStr(t *testing.T) { | ||
// blockhash case | ||
str := "0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13-0xa822AfcdDff7c3236D2dC2643646C7B36BDefb3c,0x1|0x2-0x3,0x4" | ||
expected := map[string]interface{}{ | ||
"address": []common.Address{ | ||
common.HexToAddress("0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13"), | ||
common.HexToAddress("0xa822AfcdDff7c3236D2dC2643646C7B36BDefb3c"), | ||
}, | ||
"topics": [][]common.Hash{ | ||
{common.HexToHash("0x1"), common.HexToHash("0x2")}, | ||
{common.HexToHash("0x3")}, | ||
}, | ||
"blockHash": common.HexToHash("0x4"), | ||
} | ||
require.Equal(t, expected, cmd.DecodeFilterArgsStr(str)) | ||
// from-to case | ||
str = "0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13,0x1,,earliest,latest" | ||
expected = map[string]interface{}{ | ||
"address": []common.Address{ | ||
common.HexToAddress("0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13"), | ||
}, | ||
"topics": [][]common.Hash{{common.HexToHash("0x1")}}, | ||
"fromBlock": "earliest", | ||
"toBlock": "latest", | ||
} | ||
require.Equal(t, expected, cmd.DecodeFilterArgsStr(str)) | ||
} | ||
|
||
func TestGetTypedParams(t *testing.T) { | ||
addr1, hash1 := common.HexToAddress("0x1"), common.HexToHash("0x1") | ||
for _, testCase := range []struct { | ||
method string | ||
params []string | ||
expected []interface{} | ||
}{ | ||
{"eth_getBalance", []string{"0x1", "latest"}, []interface{}{addr1, "latest"}}, | ||
{"eth_getBlockByHash", []string{"0x1"}, []interface{}{hash1, true}}, | ||
{"eth_getBlockReceipts", []string{"latest"}, []interface{}{"latest"}}, | ||
{"eth_getBlockByNumber", []string{"1"}, []interface{}{big.NewInt(1), true}}, | ||
{"eth_getTransactionReceipt", []string{"0x1"}, []interface{}{hash1}}, | ||
{"eth_estimateGas", []string{"0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13,,,,,,,"}, []interface{}{map[string]interface{}{ | ||
"from": common.HexToAddress("0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13"), | ||
"to": (*common.Address)(nil), | ||
}}}, | ||
{"eth_call", []string{"0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13,,,,,,,", "latest"}, []interface{}{map[string]interface{}{ | ||
"from": common.HexToAddress("0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13"), | ||
"to": (*common.Address)(nil), | ||
}, "latest"}}, | ||
{"eth_getLogs", []string{"0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13,0x1,,earliest,latest"}, []interface{}{map[string]interface{}{ | ||
"address": []common.Address{ | ||
common.HexToAddress("0x0F7F6B308B5111EB4a86D44Dc90394b53A3aCe13"), | ||
}, | ||
"topics": [][]common.Hash{{common.HexToHash("0x1")}}, | ||
"fromBlock": "earliest", | ||
"toBlock": "latest", | ||
}}}, | ||
} { | ||
require.Equal(t, testCase.expected, cmd.EvmRPCLoad{ | ||
Method: testCase.method, | ||
Params: testCase.params, | ||
}.GetTypedParams()) | ||
} | ||
} | ||
|
||
func TestConfig(t *testing.T) { | ||
config := cmd.LoadConfig("config/rpc_load.json") | ||
config.SetMaxIdleConnsPerHost() | ||
require.Equal(t, 5, http.DefaultTransport.(*http.Transport).MaxIdleConnsPerHost) | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Check warning
Code scanning / CodeQL
Calling the system time Warning