Filters

# Handle Wager Payments

Make sure you have everything you need before proceeding:

In this section, you will:

  • Work with the bank module.
  • Handle money.
  • Use mocks.
  • Add integration tests.

In the previous section, you introduced a wager. On its own, having a Wager field is just a piece of information, it does not transfer tokens just by existing.

Transferring tokens is what this section is about.

# Some initial thoughts

When thinking about implementing a wager on games, ask:

  • Is there any desirable atomicity of actions?
  • At what junctures do you need to handle payments, refunds, and wins?
  • Are there errors to report back?
  • What event should you emit?

In the case of this example, you can consider that:

  • Although a game creator can decide on a wager, it should only be the holder of the tokens that can decide when they are being taken from their balance.
  • You might think of adding a new message type, one that indicates that a player puts its wager in escrow. On the other hand, you can leverage the existing messages and consider that when a player makes their first move, this expresses a willingness to participate, and therefore the tokens can be transferred at this juncture.
  • For wins and losses, it is easy to imagine that the code handles the payout at the time a game is resolved.

# Code needs

When it comes to your code:

  • What Ignite CLI commands, if any, will assist you?
  • How do you adjust what Ignite CLI created for you?
  • Where do you make your changes?
  • How would you unit-test these new elements?
  • Are unit tests sufficient here?
  • How would you use Ignite CLI to locally run a one-node blockchain and interact with it via the CLI to see what you get?

Here are some elements of response:

  • Your module needs to call the bank to tell it to move tokens.
  • Your module needs to be allowed by the bank to keep tokens in escrow.
  • How would you test your module when it has such dependencies on the bank?

# What is to be done

A lot is to be done. In order you will:

  • Make it possible for your checkers module to call certain functions of the bank to transfer tokens.
  • Tell the bank to allow your checkers module to hold tokens in escrow.
  • Create helper functions that encapsulate some knowledge about when and how to transfer tokens.
  • Use these helper functions at the right places in your code.
  • Update your unit tests and make use of mocks for that. You will create the mocks, create helper functions and use all that.
  • Prepare your code to accept integration tests.
  • Create helper functions that will make your integration tests more succinct.
  • Add integration tests that create a full app and test proper token bank balances.

# Declaring expectations

On its own the Wager field does not make players pay the wager or receive rewards. You need to add handling actions that ask the bank module to perform the required token transfers. For that, your keeper needs to ask for a bank instance during setup.

The only way to have access to a capability with the object-capability model of the Cosmos SDK is to be given the reference to an instance which already has this capability.

Payment handling is implemented by having your keeper hold wagers in escrow while the game is being played. The bank module has functions to transfer tokens from any account to your module and vice-versa.

Alternatively, your keeper could burn tokens instead of keeping them in escrow and mint them again when paying out. However, this makes your blockchain's total supply falsely fluctuate. Additionally, this burning and minting may prove questionable when you later introduce IBC tokens.

Declare an interface that narrowly declares the functions from other modules that you expect for your module. The conventional file for these declarations is x/checkers/types/expected_keepers.go.

The bank module has many capabilities, but all you need here are two functions. Your module already expects one function of the bank keeper: SpendableCoins (opens new window). Instead of expanding this interface, you add a new one and redeclare the extra functions you need like so:

Copy type BankEscrowKeeper interface { SendCoinsFromModuleToAccount(ctx sdk.Context, senderModule string, recipientAddr sdk.AccAddress, amt sdk.Coins) error SendCoinsFromAccountToModule(ctx sdk.Context, senderAddr sdk.AccAddress, recipientModule string, amt sdk.Coins) error } x checkers types expected_keepers.go View source

These two functions must exactly match the functions declared in the bank's keeper.go file (opens new window). Copy the declarations directly from the bank's file. In Go, any object with these two functions is a BankEscrowKeeper.

# Obtaining the capability

With your requirements declared, it is time to make sure your keeper receives a reference to a bank keeper. First add a BankEscrowKeeper to your keeper in x/checkers/keeper/keeper.go:

Copy type ( Keeper struct { + bank types.BankEscrowKeeper ... } ) x checkers keeper keeper.go View source

This BankEscrowKeeper is your newly declared narrow interface. Do not forget to adjust the constructor accordingly:

Copy func NewKeeper( + bank types.BankEscrowKeeper, ... ) *Keeper { return &Keeper{ + bank: bank, ... } } x checkers keeper keeper.go View source

Next, update where the constructor is called and pass a proper instance of BankKeeper. This happens in app/app.go:

Copy app.CheckersKeeper = *checkersmodulekeeper.NewKeeper( + app.BankKeeper, ... ) app app.go View source

This app.BankKeeper is a full bank keeper that also conforms to your BankEscrowKeeper interface.

Finally, inform the app that your checkers module is going to hold balances in escrow by adding it to the whitelist of permitted modules:

Copy maccPerms = map[string][]string{ ... + checkersmoduletypes.ModuleName: nil, } app app.go View source

If you compare it to the other maccperms lines, the new line does not mention any authtypes.Minter or authtypes.Burner. Indeed nil is what you need to keep in escrow. For your information, the bank creates an address for your module's escrow account. When you have the full app, you can access it with:

Copy import( "github.com/alice/checkers/x/checkers/types" ) checkersModuleAddress := app.AccountKeeper.GetModuleAddress(types.ModuleName)

# Preparing expected errors

There are several new error situations that you can enumerate with new variables:

Copy var ( ... + ErrBlackCannotPay = sdkerrors.Register(ModuleName, 1112, "black cannot pay the wager") + ErrRedCannotPay = sdkerrors.Register(ModuleName, 1113, "red cannot pay the wager") + ErrNothingToPay = sdkerrors.Register(ModuleName, 1114, "there is nothing to pay, should not have been called") + ErrCannotRefundWager = sdkerrors.Register(ModuleName, 1115, "cannot refund wager to: %s") + ErrCannotPayWinnings = sdkerrors.Register(ModuleName, 1116, "cannot pay winnings to winner: %s") + ErrNotInRefundState = sdkerrors.Register(ModuleName, 1117, "game is not in a state to refund, move count: %d") ) x checkers types errors.go View source

# Money handling steps

With the bank now in your keeper, it is time to have your keeper handle the money. Keep this concern in its own file, as the functions are reused on play, reject, and forfeit.

Create the new file x/checkers/keeper/wager_handler.go and add three functions to collect a wager, refund a wager, and pay winnings:

Copy func (k *Keeper) CollectWager(ctx sdk.Context, storedGame *types.StoredGame) error func (k *Keeper) MustPayWinnings(ctx sdk.Context, storedGame *types.StoredGame) func (k *Keeper) MustRefundWager(ctx sdk.Context, storedGame *types.StoredGame) x checkers keeper wager_handler.go View source

The Must prefix in the function means that the transaction either takes place or a panic is issued. If a player cannot pay the wager, it is a user-side error and the user must be informed of a failed transaction. If the module cannot pay, it means the escrow account has failed. This latter error is much more serious: an invariant may have been violated and the whole application must be terminated.

Now set up collecting a wager, paying winnings, and refunding a wager:

  1. Collecting wagers happens on a player's first move. Therefore, differentiate between players:

    Copy if storedGame.MoveCount == 0 { // Black plays first } else if storedGame.MoveCount == 1 { // Red plays second } return nil x checkers keeper wager_handler.go View source

    When there are no moves, get the address for the black player:

    Copy black, err := storedGame.GetBlackAddress() if err != nil { panic(err.Error()) } x checkers keeper wager_handler.go View source

    Try to transfer into the escrow:

    Copy err = k.bank.SendCoinsFromAccountToModule(ctx, black, types.ModuleName, sdk.NewCoins(storedGame.GetWagerCoin())) if err != nil { return sdkerrors.Wrapf(err, types.ErrBlackCannotPay.Error()) } x checkers keeper wager_handler.go View source

    Then do the same for the red player (opens new window) when there is a single move.

  2. Paying winnings takes place when the game has a declared winner. First get the winner. "No winner" is not an acceptable situation in this MustPayWinnings. The caller of the function must ensure there is a winner:

    Copy winnerAddress, found, err := storedGame.GetWinnerAddress() if err != nil { panic(err.Error()) } if !found { panic(fmt.Sprintf(types.ErrCannotFindWinnerByColor.Error(), storedGame.Winner)) } x checkers keeper wager_handler.go View source

    Then calculate the winnings to pay:

    Copy winnings := storedGame.GetWagerCoin() if storedGame.MoveCount == 0 { panic(types.ErrNothingToPay.Error()) } else if 1 < storedGame.MoveCount { winnings = winnings.Add(winnings) } x checkers keeper wager_handler.go View source

    You double the wager only if the red player has also played and therefore both players have paid their wagers.

    If you did this wrongly, you could end up in a situation where a game with a single move pays out as if both players had played. This would be a serious bug that an attacker could exploit to drain your module's escrow fund.

    Then pay the winner:

    Copy err = k.bank.SendCoinsFromModuleToAccount(ctx, types.ModuleName, winnerAddress, sdk.NewCoins(winnings)) if err != nil { panic(fmt.Sprintf(types.ErrCannotPayWinnings.Error(), err.Error())) } x checkers keeper wager_handler.go View source
  3. Finally, refunding wagers takes place when the game has partially started, i.e. only one party has paid, or when the game ends in a draw. In this narrow case of MustRefundWager:

    Copy if storedGame.MoveCount == 1 { // Refund } else if storedGame.MoveCount == 0 { // Do nothing } else { // TODO Implement a draw mechanism. panic(fmt.Sprintf(types.ErrNotInRefundState.Error(), storedGame.MoveCount)) } x checkers keeper wager_handler.go View source

    Refund the black player when there has been a single move:

    Copy black, err := storedGame.GetBlackAddress() if err != nil { panic(err.Error()) } err = k.bank.SendCoinsFromModuleToAccount(ctx, types.ModuleName, black, sdk.NewCoins(storedGame.GetWagerCoin())) if err != nil { panic(fmt.Sprintf(types.ErrCannotRefundWager.Error(), err.Error())) } x checkers keeper wager_handler.go View source

    If the module cannot pay, then there is a panic as the escrow has failed.

You will notice that no special case is made when the wager is zero. This is a design choice here, and which way you choose to go is up to you. Not contacting the bank unnecessarily is cheaper in gas. On the other hand, why not outsource the zero check to the bank?

# Insert wager handling

With the desired steps defined in the wager handling functions, it is time to invoke them at the right places in the message handlers.

  1. When a player plays for the first time:

    Copy err = k.Keeper.CollectWager(ctx, &storedGame) if err != nil { return nil, err } x checkers keeper msg_server_play_move.go View source
  2. When a player wins as a result of a move:

    Copy if storedGame.Winner == rules.PieceStrings[rules.NO_PLAYER] { ... } else { ... k.Keeper.MustPayWinnings(ctx, &storedGame) } x checkers keeper msg_server_play_move.go View source
  3. When a player rejects a game:

    Copy k.Keeper.MustRefundWager(ctx, &storedGame) x checkers keeper msg_server_reject_game.go View source
  4. When a game expires and there is a forfeit, make sure to only refund or pay full winnings when applicable. The logic needs to be adjusted:

    Copy if deadline.Before(ctx.BlockTime()) { ... if storedGame.MoveCount <= 1 { ... if storedGame.MoveCount == 1 { k.MustRefundWager(ctx, &storedGame) } } else { ... k.MustPayWinnings(ctx, &storedGame) ... } } x checkers keeper end_block_server_game.go View source

# Unit tests

If you try running your existing tests you get a compilation error on the test keeper builder (opens new window). Passing nil would not get you far with the tests and creating a full-fledged bank keeper would be a lot of work and not a unit test. See the integration tests below for that.

Instead, you create mocks and use them in unit tests, not only to get the existing tests to pass but also to verify that the bank is called as expected.

# Prepare mocks

It is better to create some mocks (opens new window). The Cosmos SDK does not offer mocks of its objects so you have to create your own. For that, the gomock (opens new window) library is a good resource. Install it:

With the library installed, you still need to do a one time creation of the mocks. Run:

If your expected keepers change, you will have to run this command again. It can be a good idea to save the command for future reference. You may use a Makefile for that. Ensure you install the make tool for your computer. If you use Docker, add it to the packages and rebuild the image:

Copy ENV PACKAGES curl gcc jq make Dockerfile-ubuntu View source

Create the Makefile:

Copy mock-expected-keepers: mockgen -source=x/checkers/types/expected_keepers.go \ -package testutil \ -destination=x/checkers/testutil/expected_keepers_mocks.go Makefile View source

At any time, you can rebuild the mocks with:

You are going to set the expectations on this BankEscrowKeeper mock many times, including when you do not care about the result. So instead of mindlessly setting the expectations in every test, it is in your interest to create helper functions that will make setting up the expectations more efficient. Create a new bank_escrow_helpers.go file with:

Copy func (escrow *MockBankEscrowKeeper) ExpectAny(context context.Context) { escrow.EXPECT().SendCoinsFromAccountToModule(sdk.UnwrapSDKContext(context), gomock.Any(), gomock.Any(), gomock.Any()).AnyTimes() escrow.EXPECT().SendCoinsFromModuleToAccount(sdk.UnwrapSDKContext(context), gomock.Any(), gomock.Any(), gomock.Any()).AnyTimes() } func coinsOf(amount uint64) sdk.Coins { return sdk.Coins{ sdk.Coin{ Denom: sdk.DefaultBondDenom, Amount: sdk.NewInt(int64(amount)), }, } } func (escrow *MockBankEscrowKeeper) ExpectPay(context context.Context, who string, amount uint64) *gomock.Call { whoAddr, err := sdk.AccAddressFromBech32(who) if err != nil { panic(err) } return escrow.EXPECT().SendCoinsFromAccountToModule(sdk.UnwrapSDKContext(context), whoAddr, types.ModuleName, coinsOf(amount)) } func (escrow *MockBankEscrowKeeper) ExpectRefund(context context.Context, who string, amount uint64) *gomock.Call { whoAddr, err := sdk.AccAddressFromBech32(who) if err != nil { panic(err) } return escrow.EXPECT().SendCoinsFromModuleToAccount(sdk.UnwrapSDKContext(context), types.ModuleName, whoAddr, coinsOf(amount)) } x checkers testutil bank_escrow_helpers.go View source

# Make use of mocks

With the helpers in place, you can add a new function similar to CheckersKeeper(t testing.TB) but which uses mocks. Keep the original function, which passes a nil for bank.

Copy func CheckersKeeper(t testing.TB) (*keeper.Keeper, sdk.Context) { return CheckersKeeperWithMocks(t, nil) } func CheckersKeeperWithMocks(t testing.TB, bank *testutil.MockBankEscrowKeeper) (*keeper.Keeper, sdk.Context) { storeKey := sdk.NewKVStoreKey(types.StoreKey) memStoreKey := storetypes.NewMemoryStoreKey(types.MemStoreKey) db := tmdb.NewMemDB() stateStore := store.NewCommitMultiStore(db) stateStore.MountStoreWithDB(storeKey, sdk.StoreTypeIAVL, db) stateStore.MountStoreWithDB(memStoreKey, sdk.StoreTypeMemory, nil) require.NoError(t, stateStore.LoadLatestVersion()) registry := codectypes.NewInterfaceRegistry() cdc := codec.NewProtoCodec(registry) paramsSubspace := typesparams.NewSubspace(cdc, types.Amino, storeKey, memStoreKey, "CheckersParams", ) k := keeper.NewKeeper( bank, cdc, storeKey, memStoreKey, paramsSubspace, ) ctx := sdk.NewContext(stateStore, tmproto.Header{}, false, log.NewNopLogger()) // Initialize params k.SetParams(ctx, types.DefaultParams()) return k, ctx } testutil keeper checkers.go View source

The CheckersKeeperWithMocks function takes the mock in its arguments for more versatility.

Now adjust the small functions that set up the keeper before each test. You do not need to change them for the create tests because they never call the bank. You have to do it for play, reject, and forfeit.

For play:

Copy func setupMsgServerWithOneGameForPlayMove(t testing.TB) (types.MsgServer, keeper.Keeper, context.Context, *gomock.Controller, *testutil.MockBankEscrowKeeper) { ctrl := gomock.NewController(t) bankMock := testutil.NewMockBankEscrowKeeper(ctrl) k, ctx := keepertest.CheckersKeeperWithMocks(t, bankMock) checkers.InitGenesis(ctx, *k, *types.DefaultGenesis()) server := keeper.NewMsgServerImpl(*k) context := sdk.WrapSDKContext(ctx) server.CreateGame(context, &types.MsgCreateGame{ Creator: alice, Black: bob, Red: carol, Wager: 45, }) return server, *k, context, ctrl, bankMock } x checkers keeper msg_server_play_move_test.go View source

This function creates the mock and returns two new objects:

  • The mock controller, so that the .Finish() method can be called within the test itself. This is the function that will verify the call expectations placed on the mocks.
  • The mocked bank escrow. This is the instance on which you place the call expectations.

Both objects will be used from the tests proper.

Do the same for reject (opens new window). If your forfeit unit tests do not use setupMsgServerWithOneGameForPlayMove, then you should also create one such function the forfeit tests.

# Adjust the unit tests

With these changes, you need to adjust many unit tests for play, reject, and forfeit. For many, you may only want to make the tests pass again without checking any meaningful bank call expectations. There are different situations:

  1. The mocked bank is not called. So you do not add any expectation, and still call the controller:

    Copy msgServer, _, context, ctrl, _ := setupMsgServerWithOneGameForRejectGame(t) defer ctrl.Finish() x checkers keeper msg_server_reject_game_test.go View source
  2. The mocked bank is called, but you do not care about how it was called:

    Copy msgServer, _, context, ctrl, escrow := setupMsgServerWithOneGameForRejectGame(t) defer ctrl.Finish() escrow.ExpectAny(context) x checkers keeper msg_server_reject_game_test.go View source
  3. The mocked bank is called, and you want to add call expectations:

    Copy msgServer, keeper, context, ctrl, escrow := setupMsgServerWithOneGameForPlayMove(t) defer ctrl.Finish() pay := escrow.ExpectPay(context, bob, 45).Times(1) escrow.ExpectRefund(context, bob, 45).Times(1).After(pay) x checkers keeper end_block_server_game_test.go View source

Go ahead and make the many necessary changes as you see fit.

# Wager handler unit tests

After these adjustments, it is a good idea to add unit tests directly on the wager handling functions of the keeper. Create a new wager_handler_test.go file. In it:

  1. Add a setup helper function that does not create any message server:

    Copy func setupKeeperForWagerHandler(t testing.TB) (keeper.Keeper, context.Context, *gomock.Controller, *testutil.MockBankEscrowKeeper) { ctrl := gomock.NewController(t) bankMock := testutil.NewMockBankEscrowKeeper(ctrl) k, ctx := keepertest.CheckersKeeperWithMocks(t, bankMock) checkers.InitGenesis(ctx, *k, *types.DefaultGenesis()) context := sdk.WrapSDKContext(ctx) return *k, context, ctrl, bankMock } x checkers keeper wager_handler_test.go View source
  2. Add tests on the CollectWager function. For instance, when the game is malformed:

    Copy func TestWagerHandlerCollectWrongNoBlack(t *testing.T) { keeper, context, ctrl, _ := setupKeeperForWagerHandler(t) ctx := sdk.UnwrapSDKContext(context) defer ctrl.Finish() defer func() { r := recover() require.NotNil(t, r, "The code did not panic") require.Equal(t, "black address is invalid: : empty address string is not allowed", r) }() keeper.CollectWager(ctx, &types.StoredGame{ MoveCount: 0, }) } x checkers keeper wager_handler_test.go View source

    Or when the black player failed to escrow the wager:

    Copy func TestWagerHandlerCollectFailedNoMove(t *testing.T) { keeper, context, ctrl, escrow := setupKeeperForWagerHandler(t) ctx := sdk.UnwrapSDKContext(context) defer ctrl.Finish() black, _ := sdk.AccAddressFromBech32(alice) escrow.EXPECT(). SendCoinsFromAccountToModule(ctx, black, types.ModuleName, gomock.Any()). Return(errors.New("Oops")) err := keeper.CollectWager(ctx, &types.StoredGame{ Black: alice, MoveCount: 0, Wager: 45, }) require.NotNil(t, err) require.EqualError(t, err, "black cannot pay the wager: Oops") } x checkers keeper wager_handler_test.go View source

    Or when the collection of a wager works:

    Copy func TestWagerHandlerCollectNoMove(t *testing.T) { keeper, context, ctrl, escrow := setupKeeperForWagerHandler(t) ctx := sdk.UnwrapSDKContext(context) defer ctrl.Finish() escrow.ExpectPay(context, alice, 45) err := keeper.CollectWager(ctx, &types.StoredGame{ Black: alice, MoveCount: 0, Wager: 45, }) require.Nil(t, err) } x checkers keeper wager_handler_test.go View source
  3. Add similar tests to the payment of winnings from the escrow. When it fails:

    Copy func TestWagerHandlerPayWrongEscrowFailed(t *testing.T) { keeper, context, ctrl, escrow := setupKeeperForWagerHandler(t) ctx := sdk.UnwrapSDKContext(context) defer ctrl.Finish() black, _ := sdk.AccAddressFromBech32(alice) escrow.EXPECT(). SendCoinsFromModuleToAccount(ctx, types.ModuleName, black, gomock.Any()). Times(1). Return(errors.New("Oops")) defer func() { r := recover() require.NotNil(t, r, "The code did not panic") require.Equal(t, r, "cannot pay winnings to winner: Oops") }() keeper.MustPayWinnings(ctx, &types.StoredGame{ Black: alice, Red: bob, Winner: "b", MoveCount: 1, Wager: 45, }) } x checkers keeper wager_handler_test.go View source

    Or when it works:

    Copy func TestWagerHandlerPayEscrowCalledTwoMoves(t *testing.T) { keeper, context, ctrl, escrow := setupKeeperForWagerHandler(t) ctx := sdk.UnwrapSDKContext(context) defer ctrl.Finish() escrow.ExpectRefund(context, alice, 90) keeper.MustPayWinnings(ctx, &types.StoredGame{ Black: alice, Red: bob, Winner: "b", MoveCount: 2, Wager: 45, }) } x checkers keeper wager_handler_test.go View source
  4. You will also need a test for refund (opens new window) situations.

# Add bank escrow unit tests

Now that the wager handling has been convincingly tested, you want to confirm that its functions are called at the right junctures. Add dedicated tests with message servers that confirm how the bank is called. Add them in existing files, for instance:

Copy func TestPlayMoveUpToWinnerCalledBank(t *testing.T) { msgServer, _, context, ctrl, escrow := setupMsgServerWithOneGameForPlayMove(t) defer ctrl.Finish() payBob := escrow.ExpectPay(context, bob, 45).Times(1) payCarol := escrow.ExpectPay(context, carol, 45).Times(1).After(payBob) escrow.ExpectRefund(context, bob, 90).Times(1).After(payCarol) playAllMoves(t, msgServer, context, "1", testutil.Game1Moves) } x checkers keeper msg_server_play_move_winner_test.go View source

After doing all that, confirm that your tests run.

# Integration tests

Your unit tests pass, and they confirm that the bank is called as per your expectations. It would be nice to add further tests that use a real bank. This is possible with the help of integration tests.

As a reminder:

  • At version 0.45.4 of the Cosmos SDK, an integration test creates a full app.
  • At version 0.47 of the SDK, an integration test creates a minimal app, and a test that creates a full app is called an end-to-end test (E2E).

Fortunately, you do not have to do this from scratch: taking inspiration from tests on the bank module (opens new window), prepare your code so as to accommodate and create a full app that will contain a bank keeper, and add new tests.

For unit tests, each function takes a t *testing.T (opens new window) object. For integration tests, each function will be a method on a test suite that inherits from testify's suite (opens new window). This has the advantage that your test suite can have as many fields as is necessary or useful. The objects that you have used and would welcome in the suite are:

Copy keeper keeper.Keeper msgServer types.MsgServer ctx sdk.Context

You can spread the suite's methods to different files, so as to keep consistent naming for your test files.

When testing, go test will find the suite because you add a regular test (opens new window) that initializes the suite and runs it. The test suite is then automatically initialized with its SetupTest (opens new window) function via its parent suite class. After that, all the methods of the test suite are run.

# Accommodate your code

Copy and adjust from the Cosmos SDK.

1

Ignite CLI created a default constructor for your App with a cosmoscmd.App (opens new window) return type, but this is not convenient. Instead of risking breaking other dependencies, add a new constructor with your App (opens new window) as the return type.

2

Use encoding.go (opens new window) taken from here (opens new window), where you:

  • Import "github.com/ignite-hq/cli/ignite/pkg/cosmoscmd".
  • Replace simappparams.EncodingConfig with cosmoscmd.EncodingConfig.
  • Replace simappparams.MakeTestEncodingConfig with appparams.MakeTestEncodingConfig.
3

Use proto.go (opens new window) taken from here (opens new window), where you:

  • Import "github.com/ignite-hq/cli/ignite/pkg/cosmoscmd".
  • Replace EncodingConfig with cosmoscmd.EncodingConfig.
4

Use test_helpers.go (opens new window) taken from here (opens new window), in which you:

  • Adjust from SimApp to App

  • Adjust from New() to NewApp()

  • Initialize your checkers genesis:

    Copy checkersGenesis := types.DefaultGenesis() genesisState[types.ModuleName] = app.AppCodec().MustMarshalJSON(checkersGenesis) app test_helpers.go View source
5

Define your test suite in a new keeper_integration_suite_test.go file in a dedicated folder tests/integration/checkers/keeper:

Copy type IntegrationTestSuite struct { suite.Suite app *checkersapp.App msgServer types.MsgServer ctx sdk.Context queryClient types.QueryClient } tests integration ... keeper keeper_integration_suite_test.go View source
6

Direct go test to it:

Copy func TestCheckersKeeperTestSuite(t *testing.T) { suite.Run(t, new(IntegrationTestSuite)) } tests integration ... keeper keeper_integration_suite_test.go View source
7

Create the suite.SetupTest function, taking inspiration from the bank tests (opens new window):

Copy func (suite *IntegrationTestSuite) SetupTest() { app := checkersapp.Setup(false) ctx := app.BaseApp.NewContext(false, tmproto.Header{Time: time.Now()}) app.AccountKeeper.SetParams(ctx, authtypes.DefaultParams()) app.BankKeeper.SetParams(ctx, banktypes.DefaultParams()) checkersModuleAddress = app.AccountKeeper.GetModuleAddress(types.ModuleName).String() queryHelper := baseapp.NewQueryServerTestHelper(ctx, app.InterfaceRegistry()) types.RegisterQueryServer(queryHelper, app.CheckersKeeper) queryClient := types.NewQueryClient(queryHelper) suite.app = app suite.msgServer = keeper.NewMsgServerImpl(app.CheckersKeeper) suite.ctx = ctx suite.queryClient = queryClient } tests integration ... keeper keeper_integration_suite_test.go View source

This SetupTest function (opens new window) is like a beforeEach as found in other test libraries. With it, you always get a new app in each test, without interference between them. Do not omit it (opens new window) unless you have specific reasons to do so.

It collects your checkersModuleAddress for later use in tests that check events and balances:

Copy var ( checkersModuleAddress string ) tests integration ... keeper keeper_integration_suite_test.go View source

# Test the test suite

You can now confirm you did all this correctly by running these new keeper integration tests, although the suite has no tests. Note how the path to call has changed:

# Helpers for money checking

Your upcoming integration tests will include checks on wagers being paid, lost, and won, so your tests need to initialize some bank balances for your players. This is made easier with a few helpers, including a helper to confirm a bank balance.

  1. Make a bank genesis Balance (opens new window) type from primitives:

    Copy func makeBalance(address string, balance int64) banktypes.Balance { return banktypes.Balance{ Address: address, Coins: sdk.Coins{ sdk.Coin{ Denom: sdk.DefaultBondDenom, Amount: sdk.NewInt(balance), }, }, } } tests integration ... keeper keeper_integration_suite_test.go View source
  2. Declare default accounts and balances that will be useful for you:

    Copy import ( "github.com/alice/checkers/x/checkers/testutil" ) const ( alice = testutil.Alice bob = testutil.Bob carol = testutil.Carol ) const ( balAlice = 50000000 balBob = 20000000 balCarol = 10000000 ) tests integration ... keeper keeper_integration_suite_test.go View source
  3. Make your preferred bank genesis state:

    Copy func getBankGenesis() *banktypes.GenesisState { coins := []banktypes.Balance{ makeBalance(alice, balAlice), makeBalance(bob, balBob), makeBalance(carol, balCarol), } supply := banktypes.Supply{ Total: coins[0].Coins.Add(coins[1].Coins...).Add(coins[2].Coins...) } state := banktypes.NewGenesisState( banktypes.DefaultParams(), coins, supply.GetTotal(), []banktypes.Metadata{}) return state } tests integration ... keeper keeper_integration_suite_test.go View source
  4. Add a simple function to prepare your suite with your desired balances:

    Copy func (suite *IntegrationTestSuite) setupSuiteWithBalances() { suite.app.BankKeeper.InitGenesis(suite.ctx, getBankGenesis()) } tests integration ... keeper keeper_integration_suite_test.go View source
  5. Add a function to check balances from primitives:

    Copy func (suite *IntegrationTestSuite) RequireBankBalance(expected int, atAddress string) { sdkAdd, err := sdk.AccAddressFromBech32(atAddress) suite.Require().Nil(err, "Failed to parse address: %s", atAddress) suite.Require().Equal( int64(expected), suite.app.BankKeeper.GetBalance(suite.ctx, sdkAdd, sdk.DefaultBondDenom).Amount.Int64()) } tests integration ... keeper keeper_integration_suite_test.go View source

With the preparation done, what does an integration test method look like?

# Anatomy of an integration suite test

Now you must add integration tests for your keeper in new files. What does an integration test look like? Take the example of a simple unit test (opens new window) ported to the integration test suite:

  1. The method has a declaration:

    Copy func (suite *IntegrationTestSuite) TestCreate1GameHasSaved() tests integration ... keeper msg_server_create_game_test.go View source

    It is declared as a member of your test suite, and is prefixed with Test (opens new window).

  2. The setup can be done as you like, but just like for unit tests you ought to create a helper and use it. Here one exists already:

    Copy suite.setupSuiteWithBalances() goCtx := sdk.WrapSDKContext(suite.ctx) tests integration ... keeper msg_server_create_game_test.go View source
  3. The action is no different from a unit test's action, other than that you get the keeper or msgServer from the suite's fields:

    Copy suite.msgServer.CreateGame(goCtx, &types.MsgCreateGame{ Creator: alice, Red: bob, Black: carol, Wager: 45, }) keeper := suite.app.CheckersKeeper tests integration ... keeper msg_server_create_game_test.go View source
  4. The verification is done with suite.Require().X, but otherwise looks similar to the shorter require.X of unit tests:

    Copy systemInfo, found := keeper.GetSystemInfo(suite.ctx) suite.Require().True(found) suite.Require().EqualValues(types.SystemInfo{ NextId: 2, FifoHeadIndex: "1", FifoTailIndex: "1", }, systemInfo) tests integration ... keeper msg_server_create_game_test.go View source

    In fact, it is exactly the same require (opens new window) object.

You have added an integration test that copies an existing unit test. It demonstrates the concept but is of limited additional utility.

# Extra tests

It is time to add extra tests that check money handling by the bank. Before jumping in, as you did in play unit tests you can add a method that prepares your suite's keeper with a game ready to be played on:

Copy func (suite *IntegrationTestSuite) setupSuiteWithOneGameForPlayMove() { suite.setupSuiteWithBalances() goCtx := sdk.WrapSDKContext(suite.ctx) suite.msgServer.CreateGame(goCtx, &types.MsgCreateGame{ Creator: alice, Red: bob, Black: carol, Wager: 45, }) } tests integration ... keeper msg_server_play_move_test.go View source

You will call this game from the relevant tests. You can do the same for reject (opens new window).

For the tests proper, before an action that you expect to transfer money (or not) you can verify the initial position:

Copy suite.RequireBankBalance(balAlice, alice) suite.RequireBankBalance(balBob, bob) suite.RequireBankBalance(balCarol, carol) suite.RequireBankBalance(0, checkersModuleAddress) tests integration ... keeper msg_server_play_move_test.go View source

After the action you can test the new balances, for instance:

Copy suite.RequireBankBalance(balAlice, alice) suite.RequireBankBalance(balBob-45, bob) suite.RequireBankBalance(balCarol, carol) suite.RequireBankBalance(45, checkersModuleAddress) tests integration ... keeper msg_server_play_move_test.go View source

How you subdivide your tests and where you insert these balance checks is up to you. You can find examples here for:

# What happened to the events?

With the new tests, you may think that the events are compromised. For instance, the event type "transfer" normally comes with three attributes, but when the bank has made two transfers the "transfer" event ends up with 6 attributes. This is just the way events are organized: per type, with the attributes piled in.

When checking emitted events, you need to skip over the attributes you are not checking. You can easily achieve that with Go slices.

For instance, here transferEvent.Attributes[6:] discards the first six attributes:

Copy transferEvent := events[6] suite.Require().Equal(transferEvent.Type, "transfer") suite.Require().EqualValues([]sdk.Attribute{ {Key: "recipient", Value: carol}, {Key: "sender", Value: checkersModuleAddress}, {Key: "amount", Value: "90stake"}, }, transferEvent.Attributes[6:]) tests integration ... keeper end_block_server_game_test.go View source

# Debug your suite

You learned in a previous section how to launch a test in debug mode. It is still possible to do so when using a suite. Depending on the versions of your Go installation and your Visual Studio Code, you can launch it in two ways:

  1. Right-click on the arrow to the left of the suite's runner func TestCheckersKeeperTestSuite:

    In this case, you can only launch debug for all of the suite's test methods and not just a single one (as is possible with a simple test).

  2. Right-click on the arrow to the left of the separate test of the suite:

    This option may not be available. If being able to debug only a few tests at a time is important to you, a solution is to create more granular suites, for example using one or more test suites per file and falling back on the first option.

# Interact via the CLI

With the tests done, see what happens at the command-line.

Keep the game expiry at 5 minutes to be able to test a forfeit, as done in a previous section. Now, you need to check balances after relevant steps to test that wagers are being withheld and paid.

How much do Alice and Bob have to start with?

This prints:

Copy balances: - amount: "100000000" denom: stake - amount: "20000" denom: token pagination: next_key: null total: "0" balances: - amount: "100000000" denom: stake - amount: "10000" denom: token pagination: next_key: null total: "0"

# A game that expires

Create a game on which the wager will be refunded because the player playing red did not join:

Confirm that the balances of both Alice and Bob are unchanged - as they have not played yet.

In this example, Alice paid no gas fees, other than the transaction costs, to create a game. The gas price is likely 0 here anyway. This is fixed in the next section.

Have Alice play:

Confirm that Alice has paid her wager:

This prints:

Copy balances: - amount: "99000000" # <- 1,000,000 fewer denom: stake - amount: "20000" denom: token pagination: next_key: null total: "0"

Wait 5 minutes for the game to expire and check again:

This prints:

Copy balances: - amount: "100000000" # <- 1,000,000 are back denom: stake - amount: "20000" denom: token pagination: next_key: null total: "0"

# A game played twice

Now create a game in which both players only play once each, i.e. where the player playing black forfeits:

Confirm that both Alice and Bob paid their wagers. Wait 5 minutes for the game to expire and check again:

This shows:

Copy balances: - amount: "99000000" # <- her 1,000,000 are gone for good denom: stake ... balances: - amount: "101000000" # <- 1,000,000 more than at the beginning denom: stake ...

This is correct: Bob was the winner by forfeit.

Similarly, you can test that Alice gets her wager back when Alice creates a game, Alice plays, and then Bob rejects it.

It would be difficult to test by CLI when there is a winner after a full game. That would be better tested with a GUI, or by using integration tests as you did above.

synopsis

To summarize, this section has explored:

  • How to work with the Bank module and handle players making wagers on games, now that the application supports live games playing to completion (with the winner claiming both wagers) or expiring through inactivity (with the inactive player forfeiting their wager as if losing), and no possibility of withheld value being stranded in inactive games.
  • How to add handling actions that ask the bank module to perform the token transfers required by the wager, and where to invoke them in the message handlers.
  • How to create a new wager-handling file with functions to collect a wager, refund a wager, and pay winnings, in which must prefixes indicate either a user-side error (leading to a failed transaction) or a failure of the application's escrow account (requiring the whole application be terminated).
  • How to run integration tests, which requires you to first build a proper bank keeper, create new helpers, refactor your existing keeper tests, account for the new events being emitted from the bank, and add extra checks of money handling.
  • How to interact with the CLI to check account balances to test that wagers are being withheld and paid.