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.
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.
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)errorSendCoinsFromAccountToModule(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.
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
funcNewKeeper(+ 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:
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:
There are several new error situations that you can enumerate with new variables:
Copy
var(...+ ErrBlackCannotPay = sdkerrors.Register(ModuleName,1110,"black cannot pay the wager")+ ErrRedCannotPay = sdkerrors.Register(ModuleName,1111,"red cannot pay the wager")+ ErrNothingToPay = sdkerrors.Register(ModuleName,1112,"there is nothing to pay, should not have been called")+ ErrCannotRefundWager = sdkerrors.Register(ModuleName,1113,"cannot refund wager to: %s")+ ErrCannotPayWinnings = sdkerrors.Register(ModuleName,1114,"cannot pay winnings to winner: %s")+ ErrNotInRefundState = sdkerrors.Register(ModuleName,1115,"game is not in a state to refund, move count: %d")) x checkers types errors.go View source
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 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:
The Must prefix in the function expresses the fact that the transaction either takes place or a panic is issued. Indeed, 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:
Collecting wagers happens on a player's first move. Therefore, differentiate between players:
Copy
if storedGame.MoveCount ==0{// Black plays first}elseif storedGame.MoveCount ==1{// Red plays second}returnnil x checkers keeper wager_handler.go View source
When there are no moves, get the address for the black player:
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:
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.
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}elseif 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:
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?
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 next section on integration tests 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.
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:
Copy
$ go install github.com/golang/mock/mockgen@v1.6.0
Copy
...
ENV NODE_VERSION=18.x
ENV MOCKGEN_VERSION=1.6.0
...
RUN apt-get install -y nodejs
# Install Mockgen
RUN go install github.com/golang/mock/mockgen@v${MOCKGEN_VERSION}
...
Dockerfile-ubuntu View source
Rebuild your Docker image.
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
Copy
$ docker run --rm -it \
-v $(pwd):/checkers \
-w /checkers \
checkers_i \
make mock-expected-keepers
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 setting the verbose expectations in every test, it is in your interest to create helper functions that will make setting up the expectations more succinct and therefore readable, which is always a benefit when unit testing. Create a new bank_escrow_helpers.go file with:
A function to unset expectations (ie where anything can go). This is useful when your test does not check things around the escrow:
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
funcCheckersKeeper(t testing.TB)(*keeper.Keeper, sdk.Context){+returnCheckersKeeperWithMocks(t,nil)+}+funcCheckersKeeperWithMocks(t testing.TB, bank *testutil.MockBankEscrowKeeper)(*keeper.Keeper, sdk.Context){... k := keeper.NewKeeper(+ bank,...)...} testutil keeper checkers.go View source
The CheckersKeeperWithMocks function takes the mock in its arguments for more versatility. The CheckersKeeper remains for the tests that never call the escrow.
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 and forfeit.
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 forfeit if their unit tests do not use the above setupMsgServerWithOneGameForPlayMove.
With these changes, you need to adjust many unit tests for play and forfeit. Often you may only want to make the tests pass again without checking any meaningful bank call expectations. There are different situations:
The mocked bank is not called. Therefore, you do not add any expectation and still call the controller:
When you expect the mocked bank not to be called, it is important that you do not put any expectations on it. This means the test will fail if it is called by mistake.
The mocked bank is called, but you do not care about how it is called:
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:
Add a setup helper function that does not create any message server:
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:
With the tests done, see what happens at the command-line and see if the bank keeper behaves as you expected.
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?
Copy
$ checkersd query bank balances $alice
$ checkersd query bank balances $bob
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.
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 lets it expire.
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 is done in the next section.
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 interact with the CLI to check account balances to test that wagers are being withheld and paid.