mirror of
https://gitlab.com/pulsechaincom/prysm-pulse.git
synced 2025-01-09 11:11:20 +00:00
8455656597
* return interface from testing/util * remove usages of v1 * return interface from InitializeFromProto * return interface from InitializeFromProto * fix test * fix interface visibility * more fixes * use InitializeFromProtoUnsafe in testing/util * return early error from mock * v2 * fix tests * remove unnecessary assertion * use struct in nil state test * Revert "Auxiliary commit to revert individual files from 6bb528c2c5df2446ad18450009f63f44318d41a9" This reverts commit 7d70238a301209f6dbfc8ff1d81b16e33b0bd67d. * use struct in sync committee test * v3 * use InitializeFromProtoUnsafe in mock * use version information * Revert "Auxiliary commit to revert individual files from 6bb528c2c5df2446ad18450009f63f44318d41a9" This reverts commit 5d5e6f2884d21caec7530c16ad2a0d0d27c44aa1. * revert changes to ClearPreGenesisData * fix build error * remove error from PreGenesisState * bzl
62 lines
1.6 KiB
Go
62 lines
1.6 KiB
Go
package cache
|
|
|
|
import (
|
|
"sync"
|
|
|
|
lru "github.com/hashicorp/golang-lru"
|
|
types "github.com/prysmaticlabs/eth2-types"
|
|
"github.com/prysmaticlabs/prysm/beacon-chain/state"
|
|
lruwrpr "github.com/prysmaticlabs/prysm/cache/lru"
|
|
"github.com/prysmaticlabs/prysm/runtime/version"
|
|
)
|
|
|
|
// SyncCommitteeHeadStateCache for the latest head state requested by a sync committee participant.
|
|
type SyncCommitteeHeadStateCache struct {
|
|
cache *lru.Cache
|
|
lock sync.RWMutex
|
|
}
|
|
|
|
// NewSyncCommitteeHeadState initializes a LRU cache for `SyncCommitteeHeadState` with size of 1.
|
|
func NewSyncCommitteeHeadState() *SyncCommitteeHeadStateCache {
|
|
c := lruwrpr.New(1) // only need size of 1 to avoid redundant state copies, hashing, and slot processing.
|
|
return &SyncCommitteeHeadStateCache{cache: c}
|
|
}
|
|
|
|
// Put `slot` as key and `state` as value onto the cache.
|
|
func (c *SyncCommitteeHeadStateCache) Put(slot types.Slot, st state.BeaconState) error {
|
|
c.lock.Lock()
|
|
defer c.lock.Unlock()
|
|
// Make sure that the provided state is non nil
|
|
// and is of the correct type.
|
|
if st == nil || st.IsNil() {
|
|
return ErrNilValueProvided
|
|
}
|
|
|
|
if st.Version() == version.Phase0 {
|
|
return ErrIncorrectType
|
|
}
|
|
|
|
c.cache.Add(slot, st)
|
|
return nil
|
|
}
|
|
|
|
// Get `state` using `slot` as key. Return nil if nothing is found.
|
|
func (c *SyncCommitteeHeadStateCache) Get(slot types.Slot) (state.BeaconState, error) {
|
|
c.lock.RLock()
|
|
defer c.lock.RUnlock()
|
|
val, exists := c.cache.Get(slot)
|
|
if !exists {
|
|
return nil, ErrNotFound
|
|
}
|
|
st, ok := val.(state.BeaconState)
|
|
if !ok {
|
|
return nil, ErrIncorrectType
|
|
}
|
|
switch st.Version() {
|
|
case version.Altair, version.Bellatrix:
|
|
default:
|
|
return nil, ErrIncorrectType
|
|
}
|
|
return st, nil
|
|
}
|