-
Notifications
You must be signed in to change notification settings - Fork 20.1k
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
cmd/blsync, beacon/light: beacon chain light client (#28822)
Here we add a beacon chain light client for use by geth. Geth can now be configured to run against a beacon chain API endpoint, without pointing a CL to it. To set this up, use the `--beacon.api` flag. Information provided by the beacon chain is verified, i.e. geth does not blindly trust the beacon API endpoint in this mode. The root of trust are the beacon chain 'sync committees'. The configured beacon API endpoint must provide light client data. At this time, only Lodestar and Nimbus provide the necessary APIs. There is also a standalone tool, cmd/blsync, which uses the beacon chain light client to drive any EL implementation via its engine API. --------- Co-authored-by: Felix Lange <fjl@twurst.com>
- Loading branch information
1 parent
d8e0807
commit aadcb88
Showing
31 changed files
with
4,049 additions
and
19 deletions.
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,203 @@ | ||
// Copyright 2023 The go-ethereum Authors | ||
// This file is part of the go-ethereum library. | ||
// | ||
// The go-ethereum library is free software: you can redistribute it and/or modify | ||
// it under the terms of the GNU Lesser General Public License as published by | ||
// the Free Software Foundation, either version 3 of the License, or | ||
// (at your option) any later version. | ||
// | ||
// The go-ethereum library is distributed in the hope that it will be useful, | ||
// but WITHOUT ANY WARRANTY; without even the implied warranty of | ||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | ||
// GNU Lesser General Public License for more details. | ||
// | ||
// You should have received a copy of the GNU Lesser General Public License | ||
// along with the go-ethereum library. If not, see <http://www.gnu.org/licenses/>. | ||
|
||
package blsync | ||
|
||
import ( | ||
"fmt" | ||
"math/big" | ||
|
||
"github.com/ethereum/go-ethereum/beacon/engine" | ||
"github.com/ethereum/go-ethereum/beacon/light/request" | ||
"github.com/ethereum/go-ethereum/beacon/light/sync" | ||
"github.com/ethereum/go-ethereum/beacon/types" | ||
"github.com/ethereum/go-ethereum/common" | ||
"github.com/ethereum/go-ethereum/common/lru" | ||
ctypes "github.com/ethereum/go-ethereum/core/types" | ||
"github.com/ethereum/go-ethereum/event" | ||
"github.com/ethereum/go-ethereum/log" | ||
"github.com/ethereum/go-ethereum/trie" | ||
"github.com/holiman/uint256" | ||
"github.com/protolambda/zrnt/eth2/beacon/capella" | ||
"github.com/protolambda/zrnt/eth2/configs" | ||
"github.com/protolambda/ztyp/tree" | ||
) | ||
|
||
// beaconBlockSync implements request.Module; it fetches the beacon blocks belonging | ||
// to the validated and prefetch heads. | ||
type beaconBlockSync struct { | ||
recentBlocks *lru.Cache[common.Hash, *capella.BeaconBlock] | ||
locked map[common.Hash]request.ServerAndID | ||
serverHeads map[request.Server]common.Hash | ||
headTracker headTracker | ||
|
||
lastHeadInfo types.HeadInfo | ||
chainHeadFeed *event.Feed | ||
} | ||
|
||
type headTracker interface { | ||
PrefetchHead() types.HeadInfo | ||
ValidatedHead() (types.SignedHeader, bool) | ||
ValidatedFinality() (types.FinalityUpdate, bool) | ||
} | ||
|
||
// newBeaconBlockSync returns a new beaconBlockSync. | ||
func newBeaconBlockSync(headTracker headTracker, chainHeadFeed *event.Feed) *beaconBlockSync { | ||
return &beaconBlockSync{ | ||
headTracker: headTracker, | ||
chainHeadFeed: chainHeadFeed, | ||
recentBlocks: lru.NewCache[common.Hash, *capella.BeaconBlock](10), | ||
locked: make(map[common.Hash]request.ServerAndID), | ||
serverHeads: make(map[request.Server]common.Hash), | ||
} | ||
} | ||
|
||
// Process implements request.Module. | ||
func (s *beaconBlockSync) Process(requester request.Requester, events []request.Event) { | ||
for _, event := range events { | ||
switch event.Type { | ||
case request.EvResponse, request.EvFail, request.EvTimeout: | ||
sid, req, resp := event.RequestInfo() | ||
blockRoot := common.Hash(req.(sync.ReqBeaconBlock)) | ||
if resp != nil { | ||
s.recentBlocks.Add(blockRoot, resp.(*capella.BeaconBlock)) | ||
} | ||
if s.locked[blockRoot] == sid { | ||
delete(s.locked, blockRoot) | ||
} | ||
case sync.EvNewHead: | ||
s.serverHeads[event.Server] = event.Data.(types.HeadInfo).BlockRoot | ||
case request.EvUnregistered: | ||
delete(s.serverHeads, event.Server) | ||
} | ||
} | ||
s.updateEventFeed() | ||
// request validated head block if unavailable and not yet requested | ||
if vh, ok := s.headTracker.ValidatedHead(); ok { | ||
s.tryRequestBlock(requester, vh.Header.Hash(), false) | ||
} | ||
// request prefetch head if the given server has announced it | ||
if prefetchHead := s.headTracker.PrefetchHead().BlockRoot; prefetchHead != (common.Hash{}) { | ||
s.tryRequestBlock(requester, prefetchHead, true) | ||
} | ||
} | ||
|
||
func (s *beaconBlockSync) tryRequestBlock(requester request.Requester, blockRoot common.Hash, needSameHead bool) { | ||
if _, ok := s.recentBlocks.Get(blockRoot); ok { | ||
return | ||
} | ||
if _, ok := s.locked[blockRoot]; ok { | ||
return | ||
} | ||
for _, server := range requester.CanSendTo() { | ||
if needSameHead && (s.serverHeads[server] != blockRoot) { | ||
continue | ||
} | ||
id := requester.Send(server, sync.ReqBeaconBlock(blockRoot)) | ||
s.locked[blockRoot] = request.ServerAndID{Server: server, ID: id} | ||
return | ||
} | ||
} | ||
|
||
func blockHeadInfo(block *capella.BeaconBlock) types.HeadInfo { | ||
if block == nil { | ||
return types.HeadInfo{} | ||
} | ||
return types.HeadInfo{Slot: uint64(block.Slot), BlockRoot: beaconBlockHash(block)} | ||
} | ||
|
||
// beaconBlockHash calculates the hash of a beacon block. | ||
func beaconBlockHash(beaconBlock *capella.BeaconBlock) common.Hash { | ||
return common.Hash(beaconBlock.HashTreeRoot(configs.Mainnet, tree.GetHashFn())) | ||
} | ||
|
||
// getExecBlock extracts the execution block from the beacon block's payload. | ||
func getExecBlock(beaconBlock *capella.BeaconBlock) (*ctypes.Block, error) { | ||
payload := &beaconBlock.Body.ExecutionPayload | ||
txs := make([]*ctypes.Transaction, len(payload.Transactions)) | ||
for i, opaqueTx := range payload.Transactions { | ||
var tx ctypes.Transaction | ||
if err := tx.UnmarshalBinary(opaqueTx); err != nil { | ||
return nil, fmt.Errorf("failed to parse tx %d: %v", i, err) | ||
} | ||
txs[i] = &tx | ||
} | ||
withdrawals := make([]*ctypes.Withdrawal, len(payload.Withdrawals)) | ||
for i, w := range payload.Withdrawals { | ||
withdrawals[i] = &ctypes.Withdrawal{ | ||
Index: uint64(w.Index), | ||
Validator: uint64(w.ValidatorIndex), | ||
Address: common.Address(w.Address), | ||
Amount: uint64(w.Amount), | ||
} | ||
} | ||
wroot := ctypes.DeriveSha(ctypes.Withdrawals(withdrawals), trie.NewStackTrie(nil)) | ||
execHeader := &ctypes.Header{ | ||
ParentHash: common.Hash(payload.ParentHash), | ||
UncleHash: ctypes.EmptyUncleHash, | ||
Coinbase: common.Address(payload.FeeRecipient), | ||
Root: common.Hash(payload.StateRoot), | ||
TxHash: ctypes.DeriveSha(ctypes.Transactions(txs), trie.NewStackTrie(nil)), | ||
ReceiptHash: common.Hash(payload.ReceiptsRoot), | ||
Bloom: ctypes.Bloom(payload.LogsBloom), | ||
Difficulty: common.Big0, | ||
Number: new(big.Int).SetUint64(uint64(payload.BlockNumber)), | ||
GasLimit: uint64(payload.GasLimit), | ||
GasUsed: uint64(payload.GasUsed), | ||
Time: uint64(payload.Timestamp), | ||
Extra: []byte(payload.ExtraData), | ||
MixDigest: common.Hash(payload.PrevRandao), // reused in merge | ||
Nonce: ctypes.BlockNonce{}, // zero | ||
BaseFee: (*uint256.Int)(&payload.BaseFeePerGas).ToBig(), | ||
WithdrawalsHash: &wroot, | ||
} | ||
execBlock := ctypes.NewBlockWithHeader(execHeader).WithBody(txs, nil).WithWithdrawals(withdrawals) | ||
if execBlockHash := execBlock.Hash(); execBlockHash != common.Hash(payload.BlockHash) { | ||
return execBlock, fmt.Errorf("Sanity check failed, payload hash does not match (expected %x, got %x)", common.Hash(payload.BlockHash), execBlockHash) | ||
} | ||
return execBlock, nil | ||
} | ||
|
||
func (s *beaconBlockSync) updateEventFeed() { | ||
head, ok := s.headTracker.ValidatedHead() | ||
if !ok { | ||
return | ||
} | ||
finality, ok := s.headTracker.ValidatedFinality() //TODO fetch directly if subscription does not deliver | ||
if !ok || head.Header.Epoch() != finality.Attested.Header.Epoch() { | ||
return | ||
} | ||
validatedHead := head.Header.Hash() | ||
headBlock, ok := s.recentBlocks.Get(validatedHead) | ||
if !ok { | ||
return | ||
} | ||
headInfo := blockHeadInfo(headBlock) | ||
if headInfo == s.lastHeadInfo { | ||
return | ||
} | ||
s.lastHeadInfo = headInfo | ||
// new head block and finality info available; extract executable data and send event to feed | ||
execBlock, err := getExecBlock(headBlock) | ||
if err != nil { | ||
log.Error("Error extracting execution block from validated beacon block", "error", err) | ||
return | ||
} | ||
s.chainHeadFeed.Send(types.ChainHeadEvent{ | ||
HeadBlock: engine.BlockToExecutableData(execBlock, nil, nil).ExecutionPayload, | ||
Finalized: common.Hash(finality.Finalized.PayloadHeader.BlockHash), | ||
}) | ||
} |
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,160 @@ | ||
// Copyright 2023 The go-ethereum Authors | ||
// This file is part of the go-ethereum library. | ||
// | ||
// The go-ethereum library is free software: you can redistribute it and/or modify | ||
// it under the terms of the GNU Lesser General Public License as published by | ||
// the Free Software Foundation, either version 3 of the License, or | ||
// (at your option) any later version. | ||
// | ||
// The go-ethereum library is distributed in the hope that it will be useful, | ||
// but WITHOUT ANY WARRANTY; without even the implied warranty of | ||
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the | ||
// GNU Lesser General Public License for more details. | ||
// | ||
// You should have received a copy of the GNU Lesser General Public License | ||
// along with the go-ethereum library. If not, see <http://www.gnu.org/licenses/>. | ||
|
||
package blsync | ||
|
||
import ( | ||
"testing" | ||
|
||
"github.com/ethereum/go-ethereum/beacon/light/request" | ||
"github.com/ethereum/go-ethereum/beacon/light/sync" | ||
"github.com/ethereum/go-ethereum/beacon/types" | ||
"github.com/ethereum/go-ethereum/common" | ||
"github.com/ethereum/go-ethereum/event" | ||
"github.com/protolambda/zrnt/eth2/beacon/capella" | ||
"github.com/protolambda/zrnt/eth2/configs" | ||
"github.com/protolambda/ztyp/tree" | ||
) | ||
|
||
var ( | ||
testServer1 = "testServer1" | ||
testServer2 = "testServer2" | ||
|
||
testBlock1 = &capella.BeaconBlock{ | ||
Slot: 123, | ||
Body: capella.BeaconBlockBody{ | ||
ExecutionPayload: capella.ExecutionPayload{BlockNumber: 456}, | ||
}, | ||
} | ||
testBlock2 = &capella.BeaconBlock{ | ||
Slot: 124, | ||
Body: capella.BeaconBlockBody{ | ||
ExecutionPayload: capella.ExecutionPayload{BlockNumber: 457}, | ||
}, | ||
} | ||
) | ||
|
||
func init() { | ||
eb1, _ := getExecBlock(testBlock1) | ||
testBlock1.Body.ExecutionPayload.BlockHash = tree.Root(eb1.Hash()) | ||
eb2, _ := getExecBlock(testBlock2) | ||
testBlock2.Body.ExecutionPayload.BlockHash = tree.Root(eb2.Hash()) | ||
} | ||
|
||
func TestBlockSync(t *testing.T) { | ||
ht := &testHeadTracker{} | ||
eventFeed := new(event.Feed) | ||
blockSync := newBeaconBlockSync(ht, eventFeed) | ||
headCh := make(chan types.ChainHeadEvent, 16) | ||
eventFeed.Subscribe(headCh) | ||
ts := sync.NewTestScheduler(t, blockSync) | ||
ts.AddServer(testServer1, 1) | ||
ts.AddServer(testServer2, 1) | ||
|
||
expHeadBlock := func(tci int, expHead *capella.BeaconBlock) { | ||
var expNumber, headNumber uint64 | ||
if expHead != nil { | ||
expNumber = uint64(expHead.Body.ExecutionPayload.BlockNumber) | ||
} | ||
select { | ||
case event := <-headCh: | ||
headNumber = event.HeadBlock.Number | ||
default: | ||
} | ||
if headNumber != expNumber { | ||
t.Errorf("Wrong head block in test case #%d (expected block number %d, got %d)", tci, expNumber, headNumber) | ||
} | ||
} | ||
|
||
// no block requests expected until head tracker knows about a head | ||
ts.Run(1) | ||
expHeadBlock(1, nil) | ||
|
||
// set block 1 as prefetch head, announced by server 2 | ||
head1 := blockHeadInfo(testBlock1) | ||
ht.prefetch = head1 | ||
ts.ServerEvent(sync.EvNewHead, testServer2, head1) | ||
// expect request to server 2 which has announced the head | ||
ts.Run(2, testServer2, sync.ReqBeaconBlock(head1.BlockRoot)) | ||
|
||
// valid response | ||
ts.RequestEvent(request.EvResponse, ts.Request(2, 1), testBlock1) | ||
ts.AddAllowance(testServer2, 1) | ||
ts.Run(3) | ||
// head block still not expected as the fetched block is not the validated head yet | ||
expHeadBlock(3, nil) | ||
|
||
// set as validated head, expect no further requests but block 1 set as head block | ||
ht.validated.Header = blockHeader(testBlock1) | ||
ts.Run(4) | ||
expHeadBlock(4, testBlock1) | ||
|
||
// set block 2 as prefetch head, announced by server 1 | ||
head2 := blockHeadInfo(testBlock2) | ||
ht.prefetch = head2 | ||
ts.ServerEvent(sync.EvNewHead, testServer1, head2) | ||
// expect request to server 1 | ||
ts.Run(5, testServer1, sync.ReqBeaconBlock(head2.BlockRoot)) | ||
|
||
// req2 fails, no further requests expected because server 2 has not announced it | ||
ts.RequestEvent(request.EvFail, ts.Request(5, 1), nil) | ||
ts.Run(6) | ||
|
||
// set as validated head before retrieving block; now it's assumed to be available from server 2 too | ||
ht.validated.Header = blockHeader(testBlock2) | ||
// expect req2 retry to server 2 | ||
ts.Run(7, testServer2, sync.ReqBeaconBlock(head2.BlockRoot)) | ||
// now head block should be unavailable again | ||
expHeadBlock(4, nil) | ||
|
||
// valid response, now head block should be block 2 immediately as it is already validated | ||
ts.RequestEvent(request.EvResponse, ts.Request(7, 1), testBlock2) | ||
ts.Run(8) | ||
expHeadBlock(5, testBlock2) | ||
} | ||
|
||
func blockHeader(block *capella.BeaconBlock) types.Header { | ||
return types.Header{ | ||
Slot: uint64(block.Slot), | ||
ProposerIndex: uint64(block.ProposerIndex), | ||
ParentRoot: common.Hash(block.ParentRoot), | ||
StateRoot: common.Hash(block.StateRoot), | ||
BodyRoot: common.Hash(block.Body.HashTreeRoot(configs.Mainnet, tree.GetHashFn())), | ||
} | ||
} | ||
|
||
type testHeadTracker struct { | ||
prefetch types.HeadInfo | ||
validated types.SignedHeader | ||
} | ||
|
||
func (h *testHeadTracker) PrefetchHead() types.HeadInfo { | ||
return h.prefetch | ||
} | ||
|
||
func (h *testHeadTracker) ValidatedHead() (types.SignedHeader, bool) { | ||
return h.validated, h.validated.Header != (types.Header{}) | ||
} | ||
|
||
// TODO add test case for finality | ||
func (h *testHeadTracker) ValidatedFinality() (types.FinalityUpdate, bool) { | ||
return types.FinalityUpdate{ | ||
Attested: types.HeaderWithExecProof{Header: h.validated.Header}, | ||
Finalized: types.HeaderWithExecProof{PayloadHeader: &capella.ExecutionPayloadHeader{}}, | ||
Signature: h.validated.Signature, | ||
SignatureSlot: h.validated.SignatureSlot, | ||
}, h.validated.Header != (types.Header{}) | ||
} |
Oops, something went wrong.