Store ConsensusParams to main store

This commit is contained in:
Jae Kwon 2018-11-20 16:44:49 -08:00
parent d911565d0b
commit 10bdf8fa03
10 changed files with 98 additions and 69 deletions

View File

@ -6,6 +6,7 @@ import (
"runtime/debug" "runtime/debug"
"strings" "strings"
"github.com/gogo/protobuf/proto"
"github.com/pkg/errors" "github.com/pkg/errors"
abci "github.com/tendermint/tendermint/abci/types" abci "github.com/tendermint/tendermint/abci/types"
@ -19,11 +20,8 @@ import (
"github.com/cosmos/cosmos-sdk/version" "github.com/cosmos/cosmos-sdk/version"
) )
// Key to store the header in the DB itself. // Key to store the consensus params in the main store.
// Use the db directly instead of a store to avoid var mainConsensusParamsKey = []byte("consensus_params")
// conflicts with handlers writing to the store
// and to avoid affecting the Merkle root.
var dbHeaderKey = []byte("header")
// Enum mode for app.runTx // Enum mode for app.runTx
type runTxMode uint8 type runTxMode uint8
@ -48,9 +46,11 @@ type BaseApp struct {
queryRouter QueryRouter // router for redirecting query calls queryRouter QueryRouter // router for redirecting query calls
txDecoder sdk.TxDecoder // unmarshal []byte into sdk.Tx txDecoder sdk.TxDecoder // unmarshal []byte into sdk.Tx
anteHandler sdk.AnteHandler // ante handler for fee and auth // set upon LoadVersion or LoadLatestVersion.
mainKey *sdk.KVStoreKey // Main KVStore in cms
// may be nil // may be nil
anteHandler sdk.AnteHandler // ante handler for fee and auth
initChainer sdk.InitChainer // initialize state with validators and state blob initChainer sdk.InitChainer // initialize state with validators and state blob
beginBlocker sdk.BeginBlocker // logic to run before any txs beginBlocker sdk.BeginBlocker // logic to run before any txs
endBlocker sdk.EndBlocker // logic to run after all txs, and to determine valset changes endBlocker sdk.EndBlocker // logic to run after all txs, and to determine valset changes
@ -66,9 +66,12 @@ type BaseApp struct {
deliverState *state // for DeliverTx deliverState *state // for DeliverTx
voteInfos []abci.VoteInfo // absent validators from begin block voteInfos []abci.VoteInfo // absent validators from begin block
// consensus params
// TODO move this in the future to baseapp param store on main store.
consensusParams *abci.ConsensusParams
// spam prevention // spam prevention
minimumFees sdk.Coins minimumFees sdk.Coins
maximumBlockGas uint64
// flag for sealing // flag for sealing
sealed bool sealed bool
@ -78,10 +81,6 @@ var _ abci.Application = (*BaseApp)(nil)
// NewBaseApp returns a reference to an initialized BaseApp. // NewBaseApp returns a reference to an initialized BaseApp.
// //
// TODO: Determine how to use a flexible and robust configuration paradigm that
// allows for sensible defaults while being highly configurable
// (e.g. functional options).
//
// NOTE: The db is used to store the version number for now. // NOTE: The db is used to store the version number for now.
// Accepts a user-defined txDecoder // Accepts a user-defined txDecoder
// Accepts variable number of option functions, which act on the BaseApp to set configuration choices // Accepts variable number of option functions, which act on the BaseApp to set configuration choices
@ -95,7 +94,6 @@ func NewBaseApp(name string, logger log.Logger, db dbm.DB, txDecoder sdk.TxDecod
queryRouter: NewQueryRouter(), queryRouter: NewQueryRouter(),
txDecoder: txDecoder, txDecoder: txDecoder,
} }
for _, option := range options { for _, option := range options {
option(app) option(app)
} }
@ -138,21 +136,21 @@ func (app *BaseApp) MountStore(key sdk.StoreKey, typ sdk.StoreType) {
} }
// load latest application version // load latest application version
func (app *BaseApp) LoadLatestVersion(mainKey sdk.StoreKey) error { func (app *BaseApp) LoadLatestVersion(mainKey *sdk.KVStoreKey) error {
err := app.cms.LoadLatestVersion() err := app.cms.LoadLatestVersion()
if err != nil { if err != nil {
return err return err
} }
return app.initFromStore(mainKey) return app.initFromMainStore(mainKey)
} }
// load application version // load application version
func (app *BaseApp) LoadVersion(version int64, mainKey sdk.StoreKey) error { func (app *BaseApp) LoadVersion(version int64, mainKey *sdk.KVStoreKey) error {
err := app.cms.LoadVersion(version) err := app.cms.LoadVersion(version)
if err != nil { if err != nil {
return err return err
} }
return app.initFromStore(mainKey) return app.initFromMainStore(mainKey)
} }
// the last CommitID of the multistore // the last CommitID of the multistore
@ -166,13 +164,34 @@ func (app *BaseApp) LastBlockHeight() int64 {
} }
// initializes the remaining logic from app.cms // initializes the remaining logic from app.cms
func (app *BaseApp) initFromStore(mainKey sdk.StoreKey) error { func (app *BaseApp) initFromMainStore(mainKey *sdk.KVStoreKey) error {
// main store should exist. // main store should exist.
// TODO: we don't actually need the main store here mainStore := app.cms.GetKVStore(mainKey)
main := app.cms.GetKVStore(mainKey) if mainStore == nil {
if main == nil {
return errors.New("baseapp expects MultiStore with 'main' KVStore") return errors.New("baseapp expects MultiStore with 'main' KVStore")
} }
// memoize mainKey.
if app.mainKey != nil {
panic("app.mainKey expected to be nil; duplicate init?")
}
app.mainKey = mainKey
// load consensus param from the main store
consensusParamsBz := mainStore.Get(mainConsensusParamsKey)
if consensusParamsBz != nil {
var consensusParams = &abci.ConsensusParams{}
err := proto.Unmarshal(consensusParamsBz, consensusParams)
if err != nil {
panic(err)
}
app.setConsensusParams(consensusParams)
} else {
// It will get saved later during InitChain.
// TODO assert that InitChain hasn't yet been called.
}
// Needed for `gaiad export`, which inits from store but never calls initchain // Needed for `gaiad export`, which inits from store but never calls initchain
app.setCheckState(abci.Header{}) app.setCheckState(abci.Header{})
@ -184,9 +203,6 @@ func (app *BaseApp) initFromStore(mainKey sdk.StoreKey) error {
// SetMinimumFees sets the minimum fees. // SetMinimumFees sets the minimum fees.
func (app *BaseApp) SetMinimumFees(fees sdk.Coins) { app.minimumFees = fees } func (app *BaseApp) SetMinimumFees(fees sdk.Coins) { app.minimumFees = fees }
// SetMaximumBlockGas sets the maximum gas allowable per block.
func (app *BaseApp) SetMaximumBlockGas(gas uint64) { app.maximumBlockGas = gas }
// NewContext returns a new Context with the correct store, the given header, and nil txBytes. // NewContext returns a new Context with the correct store, the given header, and nil txBytes.
func (app *BaseApp) NewContext(isCheckTx bool, header abci.Header) sdk.Context { func (app *BaseApp) NewContext(isCheckTx bool, header abci.Header) sdk.Context {
if isCheckTx { if isCheckTx {
@ -220,6 +236,30 @@ func (app *BaseApp) setDeliverState(header abci.Header) {
} }
} }
// setConsensusParams memoizes the consensus params.
func (app *BaseApp) setConsensusParams(consensusParams *abci.ConsensusParams) {
app.consensusParams = consensusParams
}
// setConsensusParams stores the consensus params to the main store.
func (app *BaseApp) storeConsensusParams(consensusParams *abci.ConsensusParams) {
consensusParamsBz, err := proto.Marshal(consensusParams)
if err != nil {
panic(err)
}
mainStore := app.cms.GetKVStore(app.mainKey)
mainStore.Set(mainConsensusParamsKey, consensusParamsBz)
}
// getMaximumBlockGas gets the maximum gas from the consensus params.
func (app *BaseApp) getMaximumBlockGas() (maxGas uint64) {
if app.consensusParams == nil || app.consensusParams.BlockSize == nil {
return 0
} else {
return uint64(app.consensusParams.BlockSize.MaxGas)
}
}
//______________________________________________________________________________ //______________________________________________________________________________
// ABCI // ABCI
@ -244,6 +284,13 @@ func (app *BaseApp) SetOption(req abci.RequestSetOption) (res abci.ResponseSetOp
// Implements ABCI // Implements ABCI
// InitChain runs the initialization logic directly on the CommitMultiStore. // InitChain runs the initialization logic directly on the CommitMultiStore.
func (app *BaseApp) InitChain(req abci.RequestInitChain) (res abci.ResponseInitChain) { func (app *BaseApp) InitChain(req abci.RequestInitChain) (res abci.ResponseInitChain) {
// Stash the consensus params in the cms main store and memoize.
if req.ConsensusParams != nil {
app.setConsensusParams(req.ConsensusParams)
app.storeConsensusParams(req.ConsensusParams)
}
// Initialize the deliver state and check state with ChainID and run initChain // Initialize the deliver state and check state with ChainID and run initChain
app.setDeliverState(abci.Header{ChainID: req.ChainId}) app.setDeliverState(abci.Header{ChainID: req.ChainId})
app.setCheckState(abci.Header{ChainID: req.ChainId}) app.setCheckState(abci.Header{ChainID: req.ChainId})
@ -435,8 +482,8 @@ func (app *BaseApp) BeginBlock(req abci.RequestBeginBlock) (res abci.ResponseBeg
// add block gas meter // add block gas meter
var gasMeter sdk.GasMeter var gasMeter sdk.GasMeter
if app.maximumBlockGas > 0 { if maxGas := app.getMaximumBlockGas(); maxGas > 0 {
gasMeter = sdk.NewGasMeter(app.maximumBlockGas) gasMeter = sdk.NewGasMeter(maxGas)
} else { } else {
gasMeter = sdk.NewInfiniteGasMeter() gasMeter = sdk.NewInfiniteGasMeter()
} }
@ -733,14 +780,6 @@ func (app *BaseApp) EndBlock(req abci.RequestEndBlock) (res abci.ResponseEndBloc
// Implements ABCI // Implements ABCI
func (app *BaseApp) Commit() (res abci.ResponseCommit) { func (app *BaseApp) Commit() (res abci.ResponseCommit) {
header := app.deliverState.ctx.BlockHeader() header := app.deliverState.ctx.BlockHeader()
/*
// Write the latest Header to the store
headerBytes, err := proto.Marshal(&header)
if err != nil {
panic(err)
}
app.db.SetSync(dbHeaderKey, headerBytes)
*/
// Write the Deliver state and commit the MultiStore // Write the Deliver state and commit the MultiStore
app.deliverState.ms.Write() app.deliverState.ms.Write()

View File

@ -56,7 +56,9 @@ func setupBaseApp(t *testing.T, options ...func(*BaseApp)) *BaseApp {
require.Equal(t, t.Name(), app.Name()) require.Equal(t, t.Name(), app.Name())
// no stores are mounted // no stores are mounted
require.Panics(t, func() { app.LoadLatestVersion(capKey1) }) require.Panics(t, func() {
app.LoadLatestVersion(capKey1)
})
app.MountStoresIAVL(capKey1, capKey2) app.MountStoresIAVL(capKey1, capKey2)
@ -898,7 +900,13 @@ func TestMaxBlockGasLimits(t *testing.T) {
} }
app := setupBaseApp(t, anteOpt, routerOpt) app := setupBaseApp(t, anteOpt, routerOpt)
app.SetMaximumBlockGas(100) app.InitChain(abci.RequestInitChain{
ConsensusParams: &abci.ConsensusParams{
BlockSize: &abci.BlockSizeParams{
MaxGas: 100,
},
},
})
testCases := []struct { testCases := []struct {
tx *txTest tx *txTest

View File

@ -39,11 +39,6 @@ func SetMinimumFees(minFees string) func(*BaseApp) {
return func(bap *BaseApp) { bap.SetMinimumFees(fees) } return func(bap *BaseApp) { bap.SetMinimumFees(fees) }
} }
// SetMinimumFees returns an option that sets the minimum fees on the app.
func SetMaximumBlockGas(gas uint64) func(*BaseApp) {
return func(bap *BaseApp) { bap.SetMaximumBlockGas(gas) }
}
func (app *BaseApp) SetName(name string) { func (app *BaseApp) SetName(name string) {
if app.sealed { if app.sealed {
panic("SetName() on sealed BaseApp") panic("SetName() on sealed BaseApp")

View File

@ -13,7 +13,6 @@ import (
"github.com/tendermint/tendermint/libs/cli" "github.com/tendermint/tendermint/libs/cli"
dbm "github.com/tendermint/tendermint/libs/db" dbm "github.com/tendermint/tendermint/libs/db"
"github.com/tendermint/tendermint/libs/log" "github.com/tendermint/tendermint/libs/log"
"github.com/tendermint/tendermint/node"
tmtypes "github.com/tendermint/tendermint/types" tmtypes "github.com/tendermint/tendermint/types"
"github.com/cosmos/cosmos-sdk/cmd/gaia/app" "github.com/cosmos/cosmos-sdk/cmd/gaia/app"
@ -55,20 +54,10 @@ func main() {
} }
} }
func newApp(logger log.Logger, db dbm.DB, func newApp(logger log.Logger, db dbm.DB, traceStore io.Writer) abci.Application {
traceStore io.Writer, genDocProvider node.GenesisDocProvider) abci.Application {
// get the maximum gas from tendermint genesis parameters
genDoc, err := genDocProvider()
if err != nil {
panic(err)
}
maxBlockGas := uint64(genDoc.ConsensusParams.BlockSize.MaxGas)
return app.NewGaiaApp(logger, db, traceStore, return app.NewGaiaApp(logger, db, traceStore,
baseapp.SetPruning(viper.GetString("pruning")), baseapp.SetPruning(viper.GetString("pruning")),
baseapp.SetMinimumFees(viper.GetString("minimum_fees")), baseapp.SetMinimumFees(viper.GetString("minimum_fees")),
baseapp.SetMaximumBlockGas(maxBlockGas),
) )
} }

View File

@ -6,7 +6,6 @@ import (
"io" "io"
"os" "os"
"github.com/tendermint/tendermint/node"
"github.com/tendermint/tendermint/p2p" "github.com/tendermint/tendermint/p2p"
"github.com/cosmos/cosmos-sdk/baseapp" "github.com/cosmos/cosmos-sdk/baseapp"
@ -121,7 +120,7 @@ func InitCmd(ctx *server.Context, cdc *codec.Codec) *cobra.Command {
return cmd return cmd
} }
func newApp(logger log.Logger, db dbm.DB, storeTracer io.Writer, _ node.GenesisDocProvider) abci.Application { func newApp(logger log.Logger, db dbm.DB, storeTracer io.Writer) abci.Application {
return app.NewBasecoinApp(logger, db, baseapp.SetPruning(viper.GetString("pruning"))) return app.NewBasecoinApp(logger, db, baseapp.SetPruning(viper.GetString("pruning")))
} }

View File

@ -9,7 +9,6 @@ import (
"github.com/cosmos/cosmos-sdk/client" "github.com/cosmos/cosmos-sdk/client"
"github.com/spf13/viper" "github.com/spf13/viper"
"github.com/tendermint/tendermint/libs/common" "github.com/tendermint/tendermint/libs/common"
"github.com/tendermint/tendermint/node"
"github.com/tendermint/tendermint/p2p" "github.com/tendermint/tendermint/p2p"
"github.com/spf13/cobra" "github.com/spf13/cobra"
@ -125,9 +124,7 @@ func InitCmd(ctx *server.Context, cdc *codec.Codec) *cobra.Command {
return cmd return cmd
} }
func newApp(logger log.Logger, db dbm.DB, _ io.Writer, func newApp(logger log.Logger, db dbm.DB, _ io.Writer) abci.Application {
_ node.GenesisDocProvider) abci.Application {
return app.NewDemocoinApp(logger, db) return app.NewDemocoinApp(logger, db)
} }

View File

@ -9,15 +9,13 @@ import (
abci "github.com/tendermint/tendermint/abci/types" abci "github.com/tendermint/tendermint/abci/types"
dbm "github.com/tendermint/tendermint/libs/db" dbm "github.com/tendermint/tendermint/libs/db"
"github.com/tendermint/tendermint/libs/log" "github.com/tendermint/tendermint/libs/log"
"github.com/tendermint/tendermint/node"
tmtypes "github.com/tendermint/tendermint/types" tmtypes "github.com/tendermint/tendermint/types"
) )
type ( type (
// AppCreator is a function that allows us to lazily initialize an // AppCreator is a function that allows us to lazily initialize an
// application using various configurations. // application using various configurations.
AppCreator func(log.Logger, dbm.DB, AppCreator func(log.Logger, dbm.DB, io.Writer) abci.Application
io.Writer, node.GenesisDocProvider) abci.Application
// AppExporter is a function that dumps all app state to // AppExporter is a function that dumps all app state to
// JSON-serializable structure and returns the current validator set. // JSON-serializable structure and returns the current validator set.

View File

@ -68,9 +68,7 @@ func startStandAlone(ctx *Context, appCreator AppCreator) error {
return err return err
} }
cfg := ctx.Config app := appCreator(ctx.Logger, db, traceWriter)
genDocProvider := node.DefaultGenesisDocProviderFunc(cfg)
app := appCreator(ctx.Logger, db, traceWriter, genDocProvider)
svr, err := server.NewServer(addr, "socket", app) svr, err := server.NewServer(addr, "socket", app)
if err != nil { if err != nil {
@ -109,8 +107,7 @@ func startInProcess(ctx *Context, appCreator AppCreator) (*node.Node, error) {
return nil, err return nil, err
} }
genDocProvider := node.DefaultGenesisDocProviderFunc(cfg) app := appCreator(ctx.Logger, db, traceWriter)
app := appCreator(ctx.Logger, db, traceWriter, genDocProvider)
nodeKey, err := p2p.LoadOrGenNodeKey(cfg.NodeKeyFile()) nodeKey, err := p2p.LoadOrGenNodeKey(cfg.NodeKeyFile())
if err != nil { if err != nil {
@ -123,7 +120,7 @@ func startInProcess(ctx *Context, appCreator AppCreator) (*node.Node, error) {
pvm.LoadOrGenFilePV(cfg.PrivValidatorFile()), pvm.LoadOrGenFilePV(cfg.PrivValidatorFile()),
nodeKey, nodeKey,
proxy.NewLocalClientCreator(app), proxy.NewLocalClientCreator(app),
genDocProvider, node.DefaultGenesisDocProviderFunc(cfg),
node.DefaultDBProvider, node.DefaultDBProvider,
node.DefaultMetricsProvider(cfg.Instrumentation), node.DefaultMetricsProvider(cfg.Instrumentation),
ctx.Logger.With("module", "node"), ctx.Logger.With("module", "node"),

View File

@ -230,13 +230,19 @@ func (rs *rootMultiStore) CacheMultiStore() CacheMultiStore {
} }
// Implements MultiStore. // Implements MultiStore.
// If the store does not exist, panics.
func (rs *rootMultiStore) GetStore(key StoreKey) Store { func (rs *rootMultiStore) GetStore(key StoreKey) Store {
return rs.stores[key] store := rs.stores[key]
if store == nil {
panic("Could not load store " + key.String())
}
return store
} }
// GetKVStore implements the MultiStore interface. If tracing is enabled on the // GetKVStore implements the MultiStore interface. If tracing is enabled on the
// rootMultiStore, a wrapped TraceKVStore will be returned with the given // rootMultiStore, a wrapped TraceKVStore will be returned with the given
// tracer, otherwise, the original KVStore will be returned. // tracer, otherwise, the original KVStore will be returned.
// If the store does not exist, panics.
func (rs *rootMultiStore) GetKVStore(key StoreKey) KVStore { func (rs *rootMultiStore) GetKVStore(key StoreKey) KVStore {
store := rs.stores[key].(KVStore) store := rs.stores[key].(KVStore)

View File

@ -64,6 +64,7 @@ type MultiStore interface { //nolint
CacheMultiStore() CacheMultiStore CacheMultiStore() CacheMultiStore
// Convenience for fetching substores. // Convenience for fetching substores.
// If the store does not exist, panics.
GetStore(StoreKey) Store GetStore(StoreKey) Store
GetKVStore(StoreKey) KVStore GetKVStore(StoreKey) KVStore