forked from osmosis-labs/osmosis
-
Notifications
You must be signed in to change notification settings - Fork 0
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
- Loading branch information
1 parent
3cd2e25
commit 6537f4f
Showing
23 changed files
with
3,189 additions
and
0 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
Large diffs are not rendered by default.
Oops, something went wrong.
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,75 @@ | ||
package app | ||
|
||
import ( | ||
"flag" | ||
|
||
"github.com/cosmos/cosmos-sdk/types/simulation" | ||
) | ||
|
||
// List of available flags for the simulator | ||
var ( | ||
FlagGenesisFileValue string | ||
FlagParamsFileValue string | ||
FlagExportParamsPathValue string | ||
FlagExportParamsHeightValue int | ||
FlagExportStatePathValue string | ||
FlagExportStatsPathValue string | ||
FlagSeedValue int64 | ||
FlagInitialBlockHeightValue int | ||
FlagNumBlocksValue int | ||
FlagBlockSizeValue int | ||
FlagLeanValue bool | ||
FlagCommitValue bool | ||
FlagOnOperationValue bool // TODO: Remove in favor of binary search for invariant violation | ||
FlagAllInvariantsValue bool | ||
|
||
FlagEnabledValue bool | ||
FlagVerboseValue bool | ||
FlagPeriodValue uint | ||
FlagGenesisTimeValue int64 | ||
) | ||
|
||
// GetSimulatorFlags gets the values of all the available simulation flags | ||
func GetSimulatorFlags() { | ||
// config fields | ||
flag.StringVar(&FlagGenesisFileValue, "Genesis", "", "custom simulation genesis file; cannot be used with params file") | ||
flag.StringVar(&FlagParamsFileValue, "Params", "", "custom simulation params file which overrides any random params; cannot be used with genesis") | ||
flag.StringVar(&FlagExportParamsPathValue, "ExportParamsPath", "", "custom file path to save the exported params JSON") | ||
flag.IntVar(&FlagExportParamsHeightValue, "ExportParamsHeight", 0, "height to which export the randomly generated params") | ||
flag.StringVar(&FlagExportStatePathValue, "ExportStatePath", "", "custom file path to save the exported app state JSON") | ||
flag.StringVar(&FlagExportStatsPathValue, "ExportStatsPath", "", "custom file path to save the exported simulation statistics JSON") | ||
flag.Int64Var(&FlagSeedValue, "Seed", 42, "simulation random seed") | ||
flag.IntVar(&FlagInitialBlockHeightValue, "InitialBlockHeight", 1, "initial block to start the simulation") | ||
flag.IntVar(&FlagNumBlocksValue, "NumBlocks", 500, "number of new blocks to simulate from the initial block height") | ||
flag.IntVar(&FlagBlockSizeValue, "BlockSize", 200, "operations per block") | ||
flag.BoolVar(&FlagLeanValue, "Lean", false, "lean simulation log output") | ||
flag.BoolVar(&FlagCommitValue, "Commit", false, "have the simulation commit") | ||
flag.BoolVar(&FlagOnOperationValue, "SimulateEveryOperation", false, "run slow invariants every operation") | ||
flag.BoolVar(&FlagAllInvariantsValue, "PrintAllInvariants", false, "print all invariants if a broken invariant is found") | ||
|
||
// simulation flags | ||
flag.BoolVar(&FlagEnabledValue, "Enabled", false, "enable the simulation") | ||
flag.BoolVar(&FlagVerboseValue, "Verbose", false, "verbose log output") | ||
flag.UintVar(&FlagPeriodValue, "Period", 0, "run slow invariants only once every period assertions") | ||
flag.Int64Var(&FlagGenesisTimeValue, "GenesisTime", 0, "override genesis UNIX time instead of using a random UNIX time") | ||
} | ||
|
||
// NewConfigFromFlags creates a simulation from the retrieved values of the flags. | ||
func NewConfigFromFlags() simulation.Config { | ||
return simulation.Config{ | ||
GenesisFile: FlagGenesisFileValue, | ||
ParamsFile: FlagParamsFileValue, | ||
ExportParamsPath: FlagExportParamsPathValue, | ||
ExportParamsHeight: FlagExportParamsHeightValue, | ||
ExportStatePath: FlagExportStatePathValue, | ||
ExportStatsPath: FlagExportStatsPathValue, | ||
Seed: FlagSeedValue, | ||
InitialBlockHeight: FlagInitialBlockHeightValue, | ||
NumBlocks: FlagNumBlocksValue, | ||
BlockSize: FlagBlockSizeValue, | ||
Lean: FlagLeanValue, | ||
Commit: FlagCommitValue, | ||
OnOperation: FlagOnOperationValue, | ||
AllInvariants: FlagAllInvariantsValue, | ||
} | ||
} |
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,16 @@ | ||
package app | ||
|
||
import ( | ||
"github.com/c-osmosis/osmosis/app/params" | ||
"github.com/cosmos/cosmos-sdk/std" | ||
) | ||
|
||
// MakeEncodingConfig creates an EncodingConfig for testing | ||
func MakeEncodingConfig() params.EncodingConfig { | ||
encodingConfig := params.MakeEncodingConfig() | ||
std.RegisterLegacyAminoCodec(encodingConfig.Amino) | ||
std.RegisterInterfaces(encodingConfig.InterfaceRegistry) | ||
ModuleBasics.RegisterLegacyAminoCodec(encodingConfig.Amino) | ||
ModuleBasics.RegisterInterfaces(encodingConfig.InterfaceRegistry) | ||
return encodingConfig | ||
} |
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,181 @@ | ||
package app | ||
|
||
import ( | ||
"encoding/json" | ||
"log" | ||
|
||
tmproto "github.com/tendermint/tendermint/proto/tendermint/types" | ||
|
||
servertypes "github.com/cosmos/cosmos-sdk/server/types" | ||
sdk "github.com/cosmos/cosmos-sdk/types" | ||
slashingtypes "github.com/cosmos/cosmos-sdk/x/slashing/types" | ||
"github.com/cosmos/cosmos-sdk/x/staking" | ||
"github.com/cosmos/cosmos-sdk/x/staking/exported" | ||
stakingtypes "github.com/cosmos/cosmos-sdk/x/staking/types" | ||
) | ||
|
||
// ExportAppStateAndValidators exports the state of the application for a genesis | ||
// file. | ||
func (app *OsmosisApp) ExportAppStateAndValidators( | ||
forZeroHeight bool, jailAllowedAddrs []string, | ||
) (servertypes.ExportedApp, error) { | ||
|
||
// as if they could withdraw from the start of the next block | ||
ctx := app.NewContext(true, tmproto.Header{Height: app.LastBlockHeight()}) | ||
|
||
// We export at last height + 1, because that's the height at which | ||
// Tendermint will start InitChain. | ||
height := app.LastBlockHeight() + 1 | ||
if forZeroHeight { | ||
height = 0 | ||
app.prepForZeroHeightGenesis(ctx, jailAllowedAddrs) | ||
} | ||
|
||
genState := app.mm.ExportGenesis(ctx, app.appCodec) | ||
appState, err := json.MarshalIndent(genState, "", " ") | ||
if err != nil { | ||
return servertypes.ExportedApp{}, err | ||
} | ||
|
||
validators := staking.WriteValidators(ctx, app.StakingKeeper) | ||
return servertypes.ExportedApp{ | ||
AppState: appState, | ||
Validators: validators, | ||
Height: height, | ||
ConsensusParams: app.BaseApp.GetConsensusParams(ctx), | ||
}, nil | ||
} | ||
|
||
// prepare for fresh start at zero height | ||
// NOTE zero height genesis is a temporary feature which will be deprecated | ||
// in favour of export at a block height | ||
func (app *OsmosisApp) prepForZeroHeightGenesis(ctx sdk.Context, jailAllowedAddrs []string) { | ||
applyAllowedAddrs := false | ||
|
||
// check if there is a allowed address list | ||
if len(jailAllowedAddrs) > 0 { | ||
applyAllowedAddrs = true | ||
} | ||
|
||
allowedAddrsMap := make(map[string]bool) | ||
|
||
for _, addr := range jailAllowedAddrs { | ||
_, err := sdk.ValAddressFromBech32(addr) | ||
if err != nil { | ||
log.Fatal(err) | ||
} | ||
allowedAddrsMap[addr] = true | ||
} | ||
|
||
/* Just to be safe, assert the invariants on current state. */ | ||
app.CrisisKeeper.AssertInvariants(ctx) | ||
|
||
/* Handle fee distribution state. */ | ||
|
||
// withdraw all validator commission | ||
app.StakingKeeper.IterateValidators(ctx, func(_ int64, val exported.ValidatorI) (stop bool) { | ||
_, err := app.DistrKeeper.WithdrawValidatorCommission(ctx, val.GetOperator()) | ||
if err != nil { | ||
panic(err) | ||
} | ||
return false | ||
}) | ||
|
||
// withdraw all delegator rewards | ||
dels := app.StakingKeeper.GetAllDelegations(ctx) | ||
for _, delegation := range dels { | ||
_, err := app.DistrKeeper.WithdrawDelegationRewards(ctx, delegation.DelegatorAddress, delegation.ValidatorAddress) | ||
if err != nil { | ||
panic(err) | ||
} | ||
} | ||
|
||
// clear validator slash events | ||
app.DistrKeeper.DeleteAllValidatorSlashEvents(ctx) | ||
|
||
// clear validator historical rewards | ||
app.DistrKeeper.DeleteAllValidatorHistoricalRewards(ctx) | ||
|
||
// set context height to zero | ||
height := ctx.BlockHeight() | ||
ctx = ctx.WithBlockHeight(0) | ||
|
||
// reinitialize all validators | ||
app.StakingKeeper.IterateValidators(ctx, func(_ int64, val exported.ValidatorI) (stop bool) { | ||
// donate any unwithdrawn outstanding reward fraction tokens to the community pool | ||
scraps := app.DistrKeeper.GetValidatorOutstandingRewardsCoins(ctx, val.GetOperator()) | ||
feePool := app.DistrKeeper.GetFeePool(ctx) | ||
feePool.CommunityPool = feePool.CommunityPool.Add(scraps...) | ||
app.DistrKeeper.SetFeePool(ctx, feePool) | ||
|
||
app.DistrKeeper.Hooks().AfterValidatorCreated(ctx, val.GetOperator()) | ||
return false | ||
}) | ||
|
||
// reinitialize all delegations | ||
for _, del := range dels { | ||
app.DistrKeeper.Hooks().BeforeDelegationCreated(ctx, del.DelegatorAddress, del.ValidatorAddress) | ||
app.DistrKeeper.Hooks().AfterDelegationModified(ctx, del.DelegatorAddress, del.ValidatorAddress) | ||
} | ||
|
||
// reset context height | ||
ctx = ctx.WithBlockHeight(height) | ||
|
||
/* Handle staking state. */ | ||
|
||
// iterate through redelegations, reset creation height | ||
app.StakingKeeper.IterateRedelegations(ctx, func(_ int64, red stakingtypes.Redelegation) (stop bool) { | ||
for i := range red.Entries { | ||
red.Entries[i].CreationHeight = 0 | ||
} | ||
app.StakingKeeper.SetRedelegation(ctx, red) | ||
return false | ||
}) | ||
|
||
// iterate through unbonding delegations, reset creation height | ||
app.StakingKeeper.IterateUnbondingDelegations(ctx, func(_ int64, ubd stakingtypes.UnbondingDelegation) (stop bool) { | ||
for i := range ubd.Entries { | ||
ubd.Entries[i].CreationHeight = 0 | ||
} | ||
app.StakingKeeper.SetUnbondingDelegation(ctx, ubd) | ||
return false | ||
}) | ||
|
||
// Iterate through validators by power descending, reset bond heights, and | ||
// update bond intra-tx counters. | ||
store := ctx.KVStore(app.keys[stakingtypes.StoreKey]) | ||
iter := sdk.KVStoreReversePrefixIterator(store, stakingtypes.ValidatorsKey) | ||
counter := int16(0) | ||
|
||
for ; iter.Valid(); iter.Next() { | ||
addr := sdk.ValAddress(iter.Key()[1:]) | ||
validator, found := app.StakingKeeper.GetValidator(ctx, addr) | ||
if !found { | ||
panic("expected validator, not found") | ||
} | ||
|
||
validator.UnbondingHeight = 0 | ||
if applyAllowedAddrs && !allowedAddrsMap[addr.String()] { | ||
validator.Jailed = true | ||
} | ||
|
||
app.StakingKeeper.SetValidator(ctx, validator) | ||
counter++ | ||
} | ||
|
||
iter.Close() | ||
|
||
_ = app.StakingKeeper.ApplyAndReturnValidatorSetUpdates(ctx) | ||
|
||
/* Handle slashing state. */ | ||
|
||
// reset start height on signing infos | ||
app.SlashingKeeper.IterateValidatorSigningInfos( | ||
ctx, | ||
func(addr sdk.ConsAddress, info slashingtypes.ValidatorSigningInfo) (stop bool) { | ||
info.StartHeight = 0 | ||
app.SlashingKeeper.SetValidatorSigningInfo(ctx, addr, info) | ||
return false | ||
}, | ||
) | ||
} |
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,20 @@ | ||
package app | ||
|
||
import ( | ||
"encoding/json" | ||
) | ||
|
||
// The genesis state of the blockchain is represented here as a map of raw json | ||
// messages key'd by a identifier string. | ||
// The identifier is used to determine which module genesis information belongs | ||
// to so it may be appropriately routed during init chain. | ||
// Within this application default genesis information is retrieved from | ||
// the ModuleBasicManager which populates json from each BasicModule | ||
// object provided to it during init. | ||
type GenesisState map[string]json.RawMessage | ||
|
||
// NewDefaultGenesisState generates the default state for the application. | ||
func NewDefaultGenesisState() GenesisState { | ||
encCfg := MakeEncodingConfig() | ||
return ModuleBasics.DefaultGenesis(encCfg.Marshaler) | ||
} |
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,47 @@ | ||
package app | ||
|
||
import ( | ||
"errors" | ||
|
||
sdk "github.com/cosmos/cosmos-sdk/types" | ||
authtypes "github.com/cosmos/cosmos-sdk/x/auth/types" | ||
) | ||
|
||
var _ authtypes.GenesisAccount = (*SimGenesisAccount)(nil) | ||
|
||
// SimGenesisAccount defines a type that implements the GenesisAccount interface | ||
// to be used for simulation accounts in the genesis state. | ||
type SimGenesisAccount struct { | ||
*authtypes.BaseAccount | ||
|
||
// vesting account fields | ||
OriginalVesting sdk.Coins `json:"original_vesting" yaml:"original_vesting"` // total vesting coins upon initialization | ||
DelegatedFree sdk.Coins `json:"delegated_free" yaml:"delegated_free"` // delegated vested coins at time of delegation | ||
DelegatedVesting sdk.Coins `json:"delegated_vesting" yaml:"delegated_vesting"` // delegated vesting coins at time of delegation | ||
StartTime int64 `json:"start_time" yaml:"start_time"` // vesting start time (UNIX Epoch time) | ||
EndTime int64 `json:"end_time" yaml:"end_time"` // vesting end time (UNIX Epoch time) | ||
|
||
// module account fields | ||
ModuleName string `json:"module_name" yaml:"module_name"` // name of the module account | ||
ModulePermissions []string `json:"module_permissions" yaml:"module_permissions"` // permissions of module account | ||
} | ||
|
||
// Validate checks for errors on the vesting and module account parameters | ||
func (sga SimGenesisAccount) Validate() error { | ||
if !sga.OriginalVesting.IsZero() { | ||
if sga.StartTime >= sga.EndTime { | ||
return errors.New("vesting start-time cannot be before end-time") | ||
} | ||
} | ||
|
||
if sga.ModuleName != "" { | ||
ma := authtypes.ModuleAccount{ | ||
BaseAccount: sga.BaseAccount, Name: sga.ModuleName, Permissions: sga.ModulePermissions, | ||
} | ||
if err := ma.Validate(); err != nil { | ||
return err | ||
} | ||
} | ||
|
||
return sga.BaseAccount.Validate() | ||
} |
Oops, something went wrong.