|
| 1 | +--- |
| 2 | +sidebar_position: 1 |
| 3 | +title: Secure Randomness with Commit-Reveal in Cadence |
| 4 | +description: Guide on implementing secure randomness in Cadence using Flow’s commit-reveal scheme |
| 5 | +keywords: [blockchain, randomness, Cadence, Flow blockchain, commit-reveal, secure randomness, Random Beacon, smart contracts, Coin Toss, decentralization, fairness, cryptography] |
| 6 | +--- |
| 7 | + |
| 8 | +# Secure Randomness with Commit-Reveal in Cadence |
| 9 | + |
| 10 | +Randomness is a critical component in blockchain applications, enabling fair and unpredictable outcomes for use cases like gaming, lotteries, and cryptographic protocols. The most basic approach to generating a random number on EVM chains is to utilize block hashes, which combines the block hash with a user-provided seed and hashes them together. The resulting hash can be used as a pseudo-random number. However, this approach has limitations: |
| 11 | + |
| 12 | +1. Predictability: Miners can potentially manipulate the block hash to influence the generated random number. |
| 13 | +2. Replay attacks: In case of block reorganizations, the revealed answers will not be re-used again. |
| 14 | + |
| 15 | +[Chainlink VRF][chainlink-vrf] is a popular tool that improves on this by providing another approach for generating provably random values on Ethereum and other blockchains by relying on a decentralized oracle network to deliver cryptographically secure randomness from off-chain sources. However, this dependence on external oracles introduces several weaknesses, such as cost, latency, and scalability concerns. |
| 16 | + |
| 17 | +In contrast, Flow offers a simpler and more integrated approach with its Random Beacon contract, which provides native on-chain randomness at the protocol level, eliminating reliance on external oracles and sidestepping their associated risks. Via a commit-and-reveal scheme, Flow's protocol-native secure randomness can be used within both Cadence and Solidity smart contracts. |
| 18 | + |
| 19 | +## Objectives |
| 20 | + |
| 21 | +By the end of this guide, you will be able to: |
| 22 | + |
| 23 | +- Deploy a Cadence smart contract on the Flow blockchain |
| 24 | +- Implement commit-reveal randomness to ensure fairness |
| 25 | +- Interact with Flow’s on-chain randomness features |
| 26 | +- Build and test the Coin Toss game using Flow’s Testnet |
| 27 | + |
| 28 | +## Prerequisites |
| 29 | + |
| 30 | +You’ll need the following: |
| 31 | + |
| 32 | +- Flow Testnet Account: An account on the Flow Testnet with test FLOW tokens for deploying contracts and executing transactions (e.g., via [Flow Faucet][flow-faucet]). |
| 33 | +- Flow CLI or Playground: The Flow CLI or Flow Playground for deploying and testing contracts (install via [Flow Docs][flow-docs]). |
| 34 | + |
| 35 | +## Overview |
| 36 | + |
| 37 | +In this guide, we will explore how to use a commit-reveal scheme in conjunction with Flow’s Random Beacon to achieve secure, non-revertible randomness. This mechanism mitigates post-selection attacks, where participants attempt to manipulate or reject unfavorable random outcomes after they are revealed. |
| 38 | + |
| 39 | +To illustrate this concept, we will build a Coin Toss game on Flow, demonstrating how smart contracts can leverage commit-reveal randomness for fair, tamper-resistant results. |
| 40 | + |
| 41 | +### What is the Coin Toss Game? |
| 42 | +The Coin Toss Game is a decentralized betting game that showcases Flow’s commit-reveal randomness. Players place bets without knowing the random outcome, ensuring fairness and resistance to manipulation. |
| 43 | + |
| 44 | +The game consists of two distinct phases: |
| 45 | + |
| 46 | +1. Commit Phase – The player places a bet by sending Flow tokens to the contract. The contract records the commitment and requests a random value from Flow’s Random Beacon. The player receives a Receipt, which they will use to reveal the result later. |
| 47 | + |
| 48 | +2. Reveal Phase – Once the random value becomes available in `RandomBeaconHistory`, the player submits their Receipt to determine the outcome: |
| 49 | + - If the result is 0, the player wins and receives double their bet. |
| 50 | + - If the result is 1, the player loses, and their bet remains in the contract. |
| 51 | + |
| 52 | +### Why Use Commit-Reveal Randomness? |
| 53 | +- Prevents manipulation – Players cannot selectively reveal results after seeing the randomness. |
| 54 | +- Ensures fairness – Flow’s Random Beacon provides cryptographically secure, verifiable randomness. |
| 55 | +- Reduces reliance on external oracles – The randomness is generated natively on-chain, avoiding additional complexity, third party risk and cost. |
| 56 | + |
| 57 | +## Building the Coin Toss Contract |
| 58 | + |
| 59 | +In this section, we’ll walk through constructing the `CoinToss.cdc` contract, which contains the core logic for the Coin Toss game. To function properly, the contract relies on supporting contracts and a proper deployment setup. |
| 60 | + |
| 61 | +This tutorial will focus specifically on writing and understanding the `CoinToss.cdc` contract, while additional setup details can be found in the [original GitHub repo][github-repo]. |
| 62 | + |
| 63 | + |
| 64 | +### Step 1: Defining the `CoinToss.cdc` Contract |
| 65 | + |
| 66 | +Let's define our `CoinToss.cdc` and bring the other supporting contracts. |
| 67 | + |
| 68 | +```cadence |
| 69 | +import "Burner" |
| 70 | +import "FungibleToken" |
| 71 | +import "FlowToken" |
| 72 | +
|
| 73 | +import "RandomConsumer" |
| 74 | +
|
| 75 | +access(all) contract CoinToss { |
| 76 | + /// The multiplier used to calculate the winnings of a successful coin toss |
| 77 | + access(all) let multiplier: UFix64 |
| 78 | + /// The Vault used by the contract to store funds. |
| 79 | + access(self) let reserve: @FlowToken.Vault |
| 80 | + /// The RandomConsumer.Consumer resource used to request & fulfill randomness |
| 81 | + access(self) let consumer: @RandomConsumer.Consumer |
| 82 | +
|
| 83 | + /* --- Events --- */ |
| 84 | + access(all) event CoinFlipped(betAmount: UFix64, commitBlock: UInt64, receiptID: UInt64) |
| 85 | + access(all) event CoinRevealed(betAmount: UFix64, winningAmount: UFix64, commitBlock: UInt64, receiptID: UInt64) |
| 86 | +} |
| 87 | +``` |
| 88 | + |
| 89 | +### Step 2: Implementing the Commit Phase With `flipCoin` |
| 90 | + |
| 91 | +Let's define the first step in our scheme; the commit phase. We do this through a `flipCoin` public function. In this method, the caller commits a bet. The contract takes note of the block height and bet amount, returning a `Receipt` resource which is used by the former to reveal the coin toss result and determine their winnings. |
| 92 | + |
| 93 | +```cadence |
| 94 | +access(all) fun flipCoin(bet: @{FungibleToken.Vault}): @Receipt { |
| 95 | + let request <- self.consumer.requestRandomness() |
| 96 | + let receipt <- create Receipt( |
| 97 | + betAmount: bet.balance, |
| 98 | + request: <-request |
| 99 | + ) |
| 100 | + self.reserve.deposit(from: <-bet) |
| 101 | +
|
| 102 | + emit CoinFlipped(betAmount: receipt.betAmount, commitBlock: receipt.getRequestBlock()!, receiptID: receipt.uuid) |
| 103 | +
|
| 104 | + return <- receipt |
| 105 | + } |
| 106 | +``` |
| 107 | + |
| 108 | +### Step 3: Implementing the Reveal Phase With `revealCoin` |
| 109 | + |
| 110 | +Now we implement the reveal phase with the `revealCoin` function. Here the caller provides the Receipt given to them at commitment. The contract then "flips a coin" with `_randomCoin()` providing the Receipt's contained Request. If result is 1, user loses, but if it's 0 the user doubles their bet. Note that the caller could condition the revealing transaction, but they've already provided their bet amount so there's no loss for the contract if they do. |
| 111 | + |
| 112 | +```cadence |
| 113 | +access(all) fun revealCoin(receipt: @Receipt): @{FungibleToken.Vault} { |
| 114 | + let betAmount = receipt.betAmount |
| 115 | + let commitBlock = receipt.getRequestBlock()! |
| 116 | + let receiptID = receipt.uuid |
| 117 | +
|
| 118 | + let coin = self._randomCoin(request: <-receipt.popRequest()) |
| 119 | +
|
| 120 | + Burner.burn(<-receipt) |
| 121 | +
|
| 122 | + // Deposit the reward into a reward vault if the coin toss was won |
| 123 | + let reward <- FlowToken.createEmptyVault(vaultType: Type<@FlowToken.Vault>()) |
| 124 | + if coin == 0 { |
| 125 | + let winningsAmount = betAmount * self.multiplier |
| 126 | + let winnings <- self.reserve.withdraw(amount: winningsAmount) |
| 127 | + reward.deposit( |
| 128 | + from: <-winnings |
| 129 | + ) |
| 130 | + } |
| 131 | +
|
| 132 | + emit CoinRevealed(betAmount: betAmount, winningAmount: reward.balance, commitBlock: commitBlock, receiptID: receiptID) |
| 133 | +
|
| 134 | + return <- reward |
| 135 | + } |
| 136 | +``` |
| 137 | + |
| 138 | +The final version of `CoinToss.cdc` should look like [this contract code][coin-toss-contract-code]. |
| 139 | + |
| 140 | +## Testing CoinToss on Flow Testnet |
| 141 | + |
| 142 | +To make things easy, we’ve already deployed the `CoinToss.cdx` contract for you at this address: [0xb6c99d7ff216a684][coin-toss-contract]. We’ll walk through placing a bet and revealing the result using [run.dnz][run-dnz], a Flow-friendly tool similar to Ethereum’s Remix. |
| 143 | + |
| 144 | +### Placing a Bet with flipCoin |
| 145 | + |
| 146 | +First, you’ll submit a bet to the CoinToss contract by withdrawing Flow tokens and storing a receipt. Here’s how to get started: |
| 147 | + |
| 148 | +1. Open Your Dev Environment: Head to [run.dnz][run-dnz]. |
| 149 | +2. Enter the Transaction Code: Paste the following Cadence code into the editor: |
| 150 | + |
| 151 | +```cadence |
| 152 | +import FungibleToken from 0x9a0766d93b6608b7 |
| 153 | +import FlowToken from 0x7e60df042a9c0868 |
| 154 | +import CoinToss from 0xb6c99d7ff216a684 |
| 155 | +
|
| 156 | +/// Commits the defined amount of Flow as a bet to the CoinToss contract, saving the returned Receipt to storage |
| 157 | +/// |
| 158 | +transaction(betAmount: UFix64) { |
| 159 | +
|
| 160 | + prepare(signer: auth(BorrowValue, SaveValue) &Account) { |
| 161 | + // Withdraw my bet amount from my FlowToken vault |
| 162 | + let flowVault = signer.storage.borrow<auth(FungibleToken.Withdraw) &FlowToken.Vault>(from: /storage/flowTokenVault)! |
| 163 | + let bet <- flowVault.withdraw(amount: betAmount) |
| 164 | + |
| 165 | + // Commit my bet and get a receipt |
| 166 | + let receipt <- CoinToss.flipCoin(bet: <-bet) |
| 167 | + |
| 168 | + // Check that I don't already have a receipt stored |
| 169 | + if signer.storage.type(at: CoinToss.ReceiptStoragePath) != nil { |
| 170 | + panic("Storage collision at path=".concat(CoinToss.ReceiptStoragePath.toString()).concat(" a Receipt is already stored!")) |
| 171 | + } |
| 172 | +
|
| 173 | + // Save that receipt to my storage |
| 174 | + // Note: production systems would consider handling path collisions |
| 175 | + signer.storage.save(<-receipt, to: CoinToss.ReceiptStoragePath) |
| 176 | + } |
| 177 | +} |
| 178 | +``` |
| 179 | +3. Set Your Bet: A modal will pop up asking for the betAmount. Enter a value (e.g., 1.0 for 1 Flow token) and submit |
| 180 | +4. Execute the Transaction: Click "Run," and a WalletConnect window will appear. Choose Blocto, sign in with your email, and hit "Approve" to send the transaction to Testnet. |
| 181 | + |
| 182 | + |
| 183 | + |
| 184 | +5. Track it: You can take the transaction id to [FlowDiver][flow-diver][.io](https://testnet.flowdiver.io/tx/9c4f5436535d36a82d4ae35467b37fea8971fa0ab2409dd0d5f861f61e463d98) to have a full view of everything that's going on with this `FlipCoin` transaction. |
| 185 | + |
| 186 | + |
| 187 | + |
| 188 | +### Revealing the Coin Toss Result |
| 189 | + |
| 190 | +Let's reveal the outcome of your coin toss to see if you’ve won. This step uses the receipt from your bet, so ensure you’re using the same account that placed the bet. Here’s how to do it: |
| 191 | + |
| 192 | +1. Return to your Dev Environment: Open [run.dnz][run-dnz] again. |
| 193 | +2. Enter the Reveal Code: Paste the following Cadence transaction into the editor: |
| 194 | + |
| 195 | +```cadence |
| 196 | +import FlowToken from 0x7e60df042a9c0868 |
| 197 | +import CoinToss from 0xb6c99d7ff216a684 |
| 198 | +
|
| 199 | +/// Retrieves the saved Receipt and redeems it to reveal the coin toss result, depositing winnings with any luck |
| 200 | +/// |
| 201 | +transaction { |
| 202 | +
|
| 203 | + prepare(signer: auth(BorrowValue, LoadValue) &Account) { |
| 204 | + // Load my receipt from storage |
| 205 | + let receipt <- signer.storage.load<@CoinToss.Receipt>(from: CoinToss.ReceiptStoragePath) |
| 206 | + ?? panic("No Receipt found in storage at path=".concat(CoinToss.ReceiptStoragePath.toString())) |
| 207 | +
|
| 208 | + // Reveal by redeeming my receipt - fingers crossed! |
| 209 | + let winnings <- CoinToss.revealCoin(receipt: <-receipt) |
| 210 | +
|
| 211 | + if winnings.balance > 0.0 { |
| 212 | + // Deposit winnings into my FlowToken Vault |
| 213 | + let flowVault = signer.storage.borrow<&FlowToken.Vault>(from: /storage/flowTokenVault)! |
| 214 | + flowVault.deposit(from: <-winnings) |
| 215 | + } else { |
| 216 | + destroy winnings |
| 217 | + } |
| 218 | + } |
| 219 | +} |
| 220 | +``` |
| 221 | +After running this transaction, we reveal the result of the coin flip and it's 1! Meaning we have won nothing this time, but keep trying! |
| 222 | + |
| 223 | +You can find the full transaction used for this example, with its result and events, at [FlowDiver.io/tx/][flow-diver-tx]. |
| 224 | + |
| 225 | + |
| 226 | +## Conclusion |
| 227 | + |
| 228 | +The commit-reveal scheme, implemented within the context of Flow's Random Beacon, provides a robust solution for generating secure and non-revertible randomness in decentralized applications. By leveraging this mechanism, developers can ensure that their applications are: |
| 229 | + |
| 230 | +- Fair: Outcomes remain unbiased and unpredictable. |
| 231 | +- Resistant to manipulation: Protects against post-selection attacks. |
| 232 | +- Immune to replay attacks: A common pitfall in traditional random number generation on other blockchains. |
| 233 | + |
| 234 | +The CoinToss game serves as a practical example of these principles in action. By walking through its implementation, you’ve seen firsthand how straightforward yet effective this approach can be—balancing simplicity for developers with robust security for users. As blockchain technology advances, embracing such best practices is essential to creating a decentralized ecosystem that upholds fairness and integrity, empowering developers to innovate with confidence. |
| 235 | + |
| 236 | +This tutorial has equipped you with hands-on experience and key skills: |
| 237 | + |
| 238 | +- You deployed a Cadence smart contract on the Flow blockchain. |
| 239 | +- You implemented commit-reveal randomness to ensure fairness. |
| 240 | +- You interacted with Flow’s on-chain randomness features. |
| 241 | +- You built and tested the Coin Toss game using Flow’s Testnet. |
| 242 | + |
| 243 | +By harnessing Flow’s built-in capabilities, you can now focus on crafting engaging, user-centric experiences without grappling with the complexities or limitations of external systems. This knowledge empowers you to create secure, scalable, and fair decentralized applications. |
| 244 | + |
| 245 | +[chainlink-vrf]: https://docs.chain.link/vrf |
| 246 | +[flow-faucet]: https://testnet-faucet.onflow.org/ |
| 247 | +[flow-docs]: https://docs.onflow.org/flow-cli/install/ |
| 248 | +[flow-diver]: https://testnet.flowdiver.io/ |
| 249 | +[github-repo]: https://github.com/onflow/random-coin-toss |
| 250 | +[run-dnz]: https://run.dnz.dev/ |
| 251 | +[coin-toss-contract]: https://contractbrowser.com/A.b6c99d7ff216a684.CoinToss |
| 252 | +[coin-toss-contract-code]: https://github.com/onflow/random-coin-toss/blob/main/contracts/CoinToss.cdc |
| 253 | +[flow-diver-tx]: https://testnet.flowdiver.io/tx/a79fb2f947e7803eefe54e48398f6983db4e0d4d5e217d2ba94f8ebdec132957 |
0 commit comments