This guide is designed for beginners who want to get started with a CometBFT application from scratch. It does not assume that you have any prior experience with CometBFT.
CometBFT is a service that provides a Byzantine Fault Tolerant consensus engine for state-machine replication. The replicated state-machine, or “application”, can be written in any language that can send and receive protocol buffer messages in a client-server model. Applications written in Go can also use CometBFT as a library and run the service in the same process as the application.
By following along this tutorial you will create a CometBFT application called kvstore, a (very) simple distributed BFT key-value store. The application will be written in Go and some understanding of the Go programming language is expected. If you have never written Go, you may want to go through Learn X in Y minutes Where X=Go first, to familiarize yourself with the syntax.
Note: Please use the latest released version of this guide and of CometBFT. We strongly advise against using unreleased commits for your development.
On the one hand, to get maximum performance you can run your application in the same process as the CometBFT, as long as your application is written in Go. Cosmos SDK is written this way. If that is the way you wish to proceed, use the Creating a built-in application in Go guide instead of this one.
On the other hand, having a separate application might give you better security guarantees as two processes would be communicating via established binary protocol. CometBFT will not have access to application’s state. This is the approach followed in this tutorial.
Verify that you have the latest version of Go installed (refer to the official guide for installing Go):
$ go version
go version go1.22.7 darwin/amd64
We’ll start by creating a new Go project.
mkdir kvstore
Inside the example directory, create a main.go
file with the following content:
package main
import (
"fmt"
)
func main() {
fmt.Println("Hello, CometBFT")
}
When run, this should print “Hello, CometBFT” to the standard output.
cd kvstore
$ go run main.go
Hello, CometBFT
We are going to use Go modules for dependency management, so let’s start by including a dependency on this version of CometBFT.
go mod init kvstore
go get github.com/cometbft/cometbft@v0.34.27
After running the above commands you will see two generated files, go.mod
and go.sum
.
The go.mod file should look similar to:
module github.com/me/example
go 1.22
require (
github.com/cometbft/cometbft v0.34.27
)
As you write the kvstore application, you can rebuild the binary by pulling any new dependencies and recompiling it.
go get
go build
CometBFT communicates with the application through the Application BlockChain Interface (ABCI). The messages exchanged through the interface are defined in the ABCI protobuf file.
We begin by creating the basic scaffolding for an ABCI application by
creating a new type, KVStoreApplication
, which implements the
methods defined by the abcitypes.Application
interface.
Create a file called app.go
with the following contents:
package main
import (
abcitypes "github.com/cometbft/cometbft/abci/types"
)
type KVStoreApplication struct{}
var _ abcitypes.Application = (*KVStoreApplication)(nil)
func NewKVStoreApplication() *KVStoreApplication {
return &KVStoreApplication{}
}
func (app *KVStoreApplication) Info(info abcitypes.RequestInfo) abcitypes.ResponseInfo {
return abcitypes.ResponseInfo{}
}
func (app *KVStoreApplication) Query(query abcitypes.RequestQuery) abcitypes.ResponseQuery {
return abcitypes.ResponseQuery{}
}
func (app *KVStoreApplication) CheckTx(tx abcitypes.RequestCheckTx) abcitypes.ResponseCheckTx {
return abcitypes.ResponseCheckTx{}
}
func (app *KVStoreApplication) InitChain(chain abcitypes.RequestInitChain) abcitypes.ResponseInitChain {
return abcitypes.ResponseInitChain{}
}
func (app *KVStoreApplication) BeginBlock(block abcitypes.RequestBeginBlock) abcitypes.ResponseBeginBlock {
return abcitypes.ResponseBeginBlock{}
}
func (app *KVStoreApplication) DeliverTx(tx abcitypes.RequestDeliverTx) abcitypes.ResponseDeliverTx {
return abcitypes.ResponseDeliverTx{}
}
func (app *KVStoreApplication) EndBlock(block abcitypes.RequestEndBlock) abcitypes.ResponseEndBlock {
return abcitypes.ResponseEndBlock{}
}
func (app *KVStoreApplication) Commit() abcitypes.ResponseCommit {
return abcitypes.ResponseCommit{}
}
func (app *KVStoreApplication) ListSnapshots(snapshots abcitypes.RequestListSnapshots) abcitypes.ResponseListSnapshots {
return abcitypes.ResponseListSnapshots{}
}
func (app *KVStoreApplication) OfferSnapshot(snapshot abcitypes.RequestOfferSnapshot) abcitypes.ResponseOfferSnapshot {
return abcitypes.ResponseOfferSnapshot{}
}
func (app *KVStoreApplication) LoadSnapshotChunk(chunk abcitypes.RequestLoadSnapshotChunk) abcitypes.ResponseLoadSnapshotChunk {
return abcitypes.ResponseLoadSnapshotChunk{}
}
func (app *KVStoreApplication) ApplySnapshotChunk(chunk abcitypes.RequestApplySnapshotChunk) abcitypes.ResponseApplySnapshotChunk {
return abcitypes.ResponseApplySnapshotChunk{}
}
The types used here are defined in the CometBFT library and were added as a dependency
to the project when you ran go get
. If your IDE is not recognizing the types, go ahead and run the command again.
go get github.com/cometbft/cometbft@v0.34.27
Now go back to the main.go
and modify the main
function so it matches the following,
where an instance of the KVStoreApplication
type is created.
func main() {
fmt.Println("Hello, CometBFT")
_ = NewKVStoreApplication()
}
You can recompile and run the application now by running go get
and go build
, but it does
not do anything.
So let’s revisit the code adding the logic needed to implement our minimal key/value store
and to start it along with the CometBFT Service.
Our application will need to write its state out to persistent storage so that it can stop and start without losing all of its data.
For this tutorial, we will use BadgerDB, a a fast embedded key-value store.
First, add Badger as a dependency of your go module using the go get
command:
go get github.com/dgraph-io/badger/v3
Next, let’s update the application and its constructor to receive a handle to the database, as follows:
type KVStoreApplication struct {
db *badger.DB
onGoingBlock *badger.Txn
}
var _ abcitypes.Application = (*KVStoreApplication)(nil)
func NewKVStoreApplication(db *badger.DB) *KVStoreApplication {
return &KVStoreApplication{db: db}
}
The onGoingBlock
keeps track of the Badger transaction that will update the application’s state when a block
is completed. Don’t worry about it for now, we’ll get to that later.
Next, update the import
stanza at the top to include the Badger library:
import(
"github.com/dgraph-io/badger/v3"
abcitypes "github.com/cometbft/cometbft/abci/types"
)
Finally, update the main.go
file to invoke the updated constructor:
_ = NewKVStoreApplication(nil)
When CometBFT receives a new transaction from a client, or from another full node,
CometBFT asks the application if the transaction is acceptable, using the CheckTx
method.
Invalid transactions will not be shared with other nodes and will not become part of any blocks and, therefore, will not be executed by the application.
In our application, a transaction is a string with the form key=value
, indicating a key and value to write to the store.
The most basic validation check we can perform is to check if the transaction conforms to the key=value
pattern.
For that, let’s add the following helper method to app.go:
func (app *KVStoreApplication) isValid(tx []byte) uint32 {
// check format
parts := bytes.Split(tx, []byte("="))
if len(parts) != 2 {
return 1
}
return 0
}
Now you can rewrite the CheckTx
method to use the helper function:
func (app *KVStoreApplication) CheckTx(req abcitypes.RequestCheckTx) abcitypes.ResponseCheckTx {
code := app.isValid(req.Tx)
return abcitypes.ResponseCheckTx{Code: code}
}
While this CheckTx
is simple and only validates that the transaction is well-formed,
it is very common for CheckTx
to make more complex use of the state of an application.
For example, you may refuse to overwrite an existing value, or you can associate
versions to the key/value pairs and allow the caller to specify a version to
perform a conditional update.
Depending on the checks and on the conditions violated, the function may return
different values, but any response with a non-zero code will be considered invalid
by CometBFT. Our CheckTx
logic returns 0 to CometBFT when a transaction passes
its validation checks. The specific value of the code is meaningless to CometBFT.
Non-zero codes are logged by CometBFT so applications can provide more specific
information on why the transaction was rejected.
Note that CheckTx
does not execute the transaction, it only verifies that that the transaction could be executed. We do not know yet if the rest of the network has agreed to accept this transaction into a block.
Finally, make sure to add the bytes package to the import
stanza at the top of app.go
:
import(
"bytes"
"github.com/dgraph-io/badger/v3"
abcitypes "github.com/cometbft/cometbft/abci/types"
)
When the CometBFT consensus engine has decided on the block, the block is transferred to the
application over three ABCI method calls: BeginBlock
, DeliverTx
, and EndBlock
.
BeginBlock
is called once to indicate to the application that it is about to
receive a block.DeliverTx
is called repeatedly, once for each application transaction that was included in the block.EndBlock
is called once to indicate to the application that no more transactions
will be delivered to the application in within this block.Note that, to implement these calls in our application we’re going to make use of Badger’s transaction mechanism. We will always refer to these as Badger transactions, not to confuse them with the transactions included in the blocks delivered by CometBFT, the application transactions.
First, let’s create a new Badger transaction during BeginBlock
. All application transactions in the
current block will be executed within this Badger transaction.
Then, return informing CometBFT that the application is ready to receive application transactions:
func (app *KVStoreApplication) BeginBlock(req abcitypes.RequestBeginBlock) abcitypes.ResponseBeginBlock {
app.onGoingBlock = app.db.NewTransaction(true)
return abcitypes.ResponseBeginBlock{}
}
Next, let’s modify DeliverTx
to add the key
and value
to the database transaction every time our application
receives a new application transaction through RequestDeliverTx
.
func (app *KVStoreApplication) DeliverTx(req abcitypes.RequestDeliverTx) abcitypes.ResponseDeliverTx {
if code := app.isValid(req.Tx); code != 0 {
return abcitypes.ResponseDeliverTx{Code: code}
}
parts := bytes.SplitN(req.Tx, []byte("="), 2)
key, value := parts[0], parts[1]
if err := app.onGoingBlock.Set(key, value); err != nil {
log.Panicf("Error writing to database, unable to execute tx: %v", err)
}
return abcitypes.ResponseDeliverTx{Code: 0}
}
Note that we check the validity of the transaction again during DeliverTx
.
Transactions are not guaranteed to be valid when they are delivered to an
application, even if they were valid when they were proposed.
This can happen if the application state is used to determine transaction
validity. Application state may have changed between the initial execution of CheckTx
and the transaction delivery in DeliverTx
in a way that rendered the transaction
no longer valid.
EndBlock
is called to inform the application that the full block has been delivered
and give the application a chance to perform any other computation needed, before the
effects of the transactions become permanent.
Note that EndBlock
cannot yet commit the Badger transaction we were building
in during DeliverTx
.
Since other methods, such as Query
, rely on a consistent view of the application’s
state, the application should only update its state by committing the Badger transactions
when the full block has been delivered and the Commit
method is invoked.
The Commit
method tells the application to make permanent the effects of
the application transactions.
Let’s update the method to terminate the pending Badger transaction and
persist the resulting state:
func (app *KVStoreApplication) Commit() abcitypes.ResponseCommit {
if err := app.onGoingBlock.Commit(); err != nil {
log.Panicf("Error writing to database, unable to commit block: %v", err)
}
return abcitypes.ResponseCommit{Data: []byte{}}
}
Finally, make sure to add the log library to the import
stanza as well:
import (
"bytes"
"log"
"github.com/dgraph-io/badger/v3"
abcitypes "github.com/cometbft/cometbft/abci/types"
)
You may have noticed that the application we are writing will crash if it receives
an unexpected error from the Badger database during the DeliverTx
or Commit
methods.
This is not an accident. If the application received an error from the database, there
is no deterministic way for it to make progress so the only safe option is to terminate.
When a client tries to read some information from the kvstore
, the request will be
handled in the Query
method. To do this, let’s rewrite the Query
method in app.go
:
func (app *KVStoreApplication) Query(req abcitypes.RequestQuery) abcitypes.ResponseQuery {
resp := abcitypes.ResponseQuery{Key: req.Data}
dbErr := app.db.View(func(txn *badger.Txn) error {
item, err := txn.Get(req.Data)
if err != nil {
if err != badger.ErrKeyNotFound {
return err
}
resp.Log = "key does not exist"
return nil
}
return item.Value(func(val []byte) error {
resp.Log = "exists"
resp.Value = val
return nil
})
})
if dbErr != nil {
log.Panicf("Error reading database, unable to execute query: %v", dbErr)
}
return resp
}
Since it reads only committed data from the store, transactions that are part of a block that is being processed are not reflected in the query result.
Now that we have the basic functionality of our application in place, let’s put it all together inside of our main.go
file.
Change the contents of your main.go
file to the following.
package main
import (
"flag"
"fmt"
abciserver "github.com/cometbft/cometbft/abci/server"
"log"
"os"
"os/signal"
"path/filepath"
"syscall"
"github.com/dgraph-io/badger/v3"
cmtlog "github.com/cometbft/cometbft/libs/log"
)
var homeDir string
var socketAddr string
func init() {
flag.StringVar(&homeDir, "kv-home", "", "Path to the kvstore directory (if empty, uses $HOME/.kvstore)")
flag.StringVar(&socketAddr, "socket-addr", "unix://example.sock", "Unix domain socket address (if empty, uses \"unix://example.sock\"")
}
func main() {
flag.Parse()
if homeDir == "" {
homeDir = os.ExpandEnv("$HOME/.kvstore")
}
dbPath := filepath.Join(homeDir, "badger")
db, err := badger.Open(badger.DefaultOptions(dbPath))
if err != nil {
log.Fatalf("Opening database: %v", err)
}
defer func() {
if err := db.Close(); err != nil {
log.Fatalf("Closing database: %v", err)
}
}()
app := NewKVStoreApplication(db)
logger := cmtlog.NewTMLogger(cmtlog.NewSyncWriter(os.Stdout))
server := abciserver.NewSocketServer(socketAddr, app)
server.SetLogger(logger)
if err := server.Start(); err != nil {
fmt.Fprintf(os.Stderr, "error starting socket server: %v", err)
os.Exit(1)
}
defer server.Stop()
c := make(chan os.Signal, 1)
signal.Notify(c, os.Interrupt, syscall.SIGTERM)
<-c
}
This is a huge blob of code, so let’s break it down into pieces.
First, we initialize the Badger database and create an app instance:
dbPath := filepath.Join(homeDir, "badger")
db, err := badger.Open(badger.DefaultOptions(dbPath))
if err != nil {
log.Fatalf("Opening database: %v", err)
}
defer func() {
if err := db.Close(); err != nil {
log.Fatalf("Closing database: %v", err)
}
}()
app := NewKVStoreApplication(db)
For Windows users, restarting this app will make badger throw an error as it requires value log to be truncated. For more information on this, visit here. This can be avoided by setting the truncate option to true, like this:
db, err := badger.Open(badger.DefaultOptions("/tmp/badger").WithTruncate(true))
Then we start the ABCI server and add some signal handling to gracefully stop it upon receiving SIGTERM or Ctrl-C. CometBFT will act as a client, which connects to our server and send us transactions and other messages.
server := abciserver.NewSocketServer(socketAddr, app)
server.SetLogger(logger)
if err := server.Start(); err != nil {
fmt.Fprintf(os.Stderr, "error starting socket server: %v", err)
os.Exit(1)
}
defer server.Stop()
c := make(chan os.Signal, 1)
signal.Notify(c, os.Interrupt, syscall.SIGTERM)
<-c
Our application is almost ready to run, but first we’ll need to populate the CometBFT configuration files.
The following command will create a cometbft-home
directory in your project and add a basic set of configuration files in cometbft-home/config/
.
For more information on what these files contain see the configuration documentation.
From the root of your project, run:
go run github.com/cometbft/cometbft/cmd/cometbft@v0.34.27 init --home /tmp/cometbft-home
You should see an output similar to the following:
I[2022-11-09|09:06:34.444] Generated private validator module=main keyFile=/tmp/cometbft-home/config/priv_validator_key.json stateFile=/tmp/cometbft-home/data/priv_validator_state.json
I[2022-11-09|09:06:34.444] Generated node key module=main path=/tmp/cometbft-home/config/node_key.json
I[2022-11-09|09:06:34.444] Generated genesis file module=main path=/tmp/cometbft-home/config/genesis.json
Now rebuild the app:
go build -mod=mod # use -mod=mod to automatically refresh the dependencies
Everything is now in place to run your application. Run:
./kvstore -kv-home /tmp/badger-home
The application will start and you should see an output similar to the following:
badger 2022/11/09 17:01:28 INFO: All 0 tables opened in 0s
badger 2022/11/09 17:01:28 INFO: Discard stats nextEmptySlot: 0
badger 2022/11/09 17:01:28 INFO: Set nextTxnTs to 0
I[2022-11-09|17:01:28.726] service start msg="Starting ABCIServer service" impl=ABCIServer
I[2022-11-09|17:01:28.726] Waiting for new connection...
Then we need to start CometBFT service and point it to our application. Open a new terminal window and cd to the same folder where the app is running. Then execute the following command:
go run github.com/cometbft/cometbft/cmd/cometbft@v0.34.27 node --home /tmp/cometbft-home --proxy_app=unix://example.sock
This should start the full node and connect to our ABCI application, which will be reflected in the application output.
I[2022-11-09|17:07:08.124] service start msg="Starting ABCIServer service" impl=ABCIServer
I[2022-11-09|17:07:08.124] Waiting for new connection...
I[2022-11-09|17:08:12.702] Accepted a new connection
I[2022-11-09|17:08:12.703] Waiting for new connection...
I[2022-11-09|17:08:12.703] Accepted a new connection
I[2022-11-09|17:08:12.703] Waiting for new connection...
Also, the application using CometBFT Core is producing blocks 🎉🎉 and you can see this reflected in the log output of the service in lines like this:
I[2022-11-09|09:08:52.147] received proposal module=consensus proposal="Proposal{2/0 (F518444C0E348270436A73FD0F0B9DFEA758286BEB29482F1E3BEA75330E825C:1:C73D3D1273F2, -1) AD19AE292A45 @ 2022-11-09T12:08:52.143393Z}"
I[2022-11-09|09:08:52.152] received complete proposal block module=consensus height=2 hash=F518444C0E348270436A73FD0F0B9DFEA758286BEB29482F1E3BEA75330E825C
I[2022-11-09|09:08:52.160] finalizing commit of block module=consensus height=2 hash=F518444C0E348270436A73FD0F0B9DFEA758286BEB29482F1E3BEA75330E825C root= num_txs=0
I[2022-11-09|09:08:52.167] executed block module=state height=2 num_valid_txs=0 num_invalid_txs=0
I[2022-11-09|09:08:52.171] committed state module=state height=2 num_txs=0 app_hash=
The blocks, as you can see from the num_valid_txs=0
part, are empty, but let’s remedy that next.
Let’s try submitting a transaction to our new application. Open another terminal window and run the following curl command:
curl -s 'localhost:26657/broadcast_tx_commit?tx="cometbft=rocks"'
If everything went well, you should see a response indicating which height the transaction was included in the blockchain.
Finally, let’s make sure that transaction really was persisted by the application. Run the following command:
curl -s 'localhost:26657/abci_query?data="cometbft"'
Let’s examine the response object that this request returns.
The request returns a json
object with a key
and value
field set.
...
"key": "dGVuZGVybWludA==",
"value": "cm9ja3M=",
...
Those values don’t look like the key
and value
we sent to CometBFT.
What’s going on here?
The response contains a base64
encoded representation of the data we submitted.
To get the original value out of this data, we can use the base64
command line utility:
echo "cm9ja3M=" | base64 -d
I hope everything went smoothly and your first, but hopefully not the last, CometBFT application is up and running. If not, please open an issue on Github.