You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

403 lines
15 KiB

  1. Application Development Guide
  2. =============================
  3. ABCI Design
  4. -----------
  5. The purpose of ABCI is to provide a clean interface between state
  6. transition machines on one computer and the mechanics of their
  7. replication across multiple computers. The former we call 'application
  8. logic' and the latter the 'consensus engine'. Application logic
  9. validates transactions and optionally executes transactions against some
  10. persistent state. A consensus engine ensures all transactions are
  11. replicated in the same order on every machine. We call each machine in a
  12. consensus engine a 'validator', and each validator runs the same
  13. transactions through the same application logic. In particular, we are
  14. interested in blockchain-style consensus engines, where transactions are
  15. committed in hash-linked blocks.
  16. The ABCI design has a few distinct components:
  17. - message protocol
  18. - pairs of request and response messages
  19. - consensus makes requests, application responds
  20. - defined using protobuf
  21. - server/client
  22. - consensus engine runs the client
  23. - application runs the server
  24. - two implementations:
  25. - async raw bytes
  26. - grpc
  27. - blockchain protocol
  28. - abci is connection oriented
  29. - Tendermint Core maintains three connections:
  30. - `mempool connection <#mempool-connection>`__: for checking if
  31. transactions should be relayed before they are committed; only
  32. uses ``CheckTx``
  33. - `consensus connection <#consensus-connection>`__: for executing
  34. transactions that have been committed. Message sequence is -
  35. for every block -
  36. ``BeginBlock, [DeliverTx, ...], EndBlock, Commit``
  37. - `query connection <#query-connection>`__: for querying the
  38. application state; only uses Query and Info
  39. The mempool and consensus logic act as clients, and each maintains an
  40. open ABCI connection with the application, which hosts an ABCI server.
  41. Shown are the request and response types sent on each connection.
  42. Message Protocol
  43. ----------------
  44. The message protocol consists of pairs of requests and responses. Some
  45. messages have no fields, while others may include byte-arrays, strings,
  46. or integers. See the ``message Request`` and ``message Response``
  47. definitions in `the protobuf definition
  48. file <https://github.com/tendermint/abci/blob/master/types/types.proto>`__,
  49. and the `protobuf
  50. documentation <https://developers.google.com/protocol-buffers/docs/overview>`__
  51. for more details.
  52. For each request, a server should respond with the corresponding
  53. response, where order of requests is preserved in the order of
  54. responses.
  55. Server
  56. ------
  57. To use ABCI in your programming language of choice, there must be a ABCI
  58. server in that language. Tendermint supports two kinds of implementation
  59. of the server:
  60. - Asynchronous, raw socket server (Tendermint Socket Protocol, also
  61. known as TSP or Teaspoon)
  62. - GRPC
  63. Both can be tested using the ``abci-cli`` by setting the ``--abci`` flag
  64. appropriately (ie. to ``socket`` or ``grpc``).
  65. See examples, in various stages of maintenance, in
  66. `Go <https://github.com/tendermint/abci/tree/master/server>`__,
  67. `JavaScript <https://github.com/tendermint/js-abci>`__,
  68. `Python <https://github.com/tendermint/abci/tree/master/example/python3/abci>`__,
  69. `C++ <https://github.com/mdyring/cpp-tmsp>`__, and
  70. `Java <https://github.com/jTendermint/jabci>`__.
  71. GRPC
  72. ~~~~
  73. If GRPC is available in your language, this is the easiest approach,
  74. though it will have significant performance overhead.
  75. To get started with GRPC, copy in the `protobuf
  76. file <https://github.com/tendermint/abci/blob/master/types/types.proto>`__
  77. and compile it using the GRPC plugin for your language. For instance,
  78. for golang, the command is
  79. ``protoc --go_out=plugins=grpc:. types.proto``. See the `grpc
  80. documentation for more details <http://www.grpc.io/docs/>`__. ``protoc``
  81. will autogenerate all the necessary code for ABCI client and server in
  82. your language, including whatever interface your application must
  83. satisfy to be used by the ABCI server for handling requests.
  84. TSP
  85. ~~~
  86. If GRPC is not available in your language, or you require higher
  87. performance, or otherwise enjoy programming, you may implement your own
  88. ABCI server using the Tendermint Socket Protocol, known affectionately
  89. as Teaspoon. The first step is still to auto-generate the relevant data
  90. types and codec in your language using ``protoc``. Messages coming over
  91. the socket are Protobuf3 encoded, but additionally length-prefixed to
  92. facilitate use as a streaming protocol. Protobuf3 doesn't have an
  93. official length-prefix standard, so we use our own. The first byte in
  94. the prefix represents the length of the Big Endian encoded length. The
  95. remaining bytes in the prefix are the Big Endian encoded length.
  96. For example, if the Protobuf3 encoded ABCI message is 0xDEADBEEF (4
  97. bytes), the length-prefixed message is 0x0104DEADBEEF. If the Protobuf3
  98. encoded ABCI message is 65535 bytes long, the length-prefixed message
  99. would be like 0x02FFFF....
  100. Note this prefixing does not apply for grpc.
  101. An ABCI server must also be able to support multiple connections, as
  102. Tendermint uses three connections.
  103. Client
  104. ------
  105. There are currently two use-cases for an ABCI client. One is a testing
  106. tool, as in the ``abci-cli``, which allows ABCI requests to be sent via
  107. command line. The other is a consensus engine, such as Tendermint Core,
  108. which makes requests to the application every time a new transaction is
  109. received or a block is committed.
  110. It is unlikely that you will need to implement a client. For details of
  111. our client, see
  112. `here <https://github.com/tendermint/abci/tree/master/client>`__.
  113. Most of the examples below are from `dummy application
  114. <https://github.com/tendermint/abci/blob/master/example/dummy/dummy.go>`__,
  115. which is a part of the abci repo. `persistent_dummy application
  116. <https://github.com/tendermint/abci/blob/master/example/dummy/persistent_dummy.go>`__
  117. is used to show ``BeginBlock``, ``EndBlock`` and ``InitChain``
  118. example implementations.
  119. Blockchain Protocol
  120. -------------------
  121. In ABCI, a transaction is simply an arbitrary length byte-array. It is
  122. the application's responsibility to define the transaction codec as they
  123. please, and to use it for both CheckTx and DeliverTx.
  124. Note that there are two distinct means for running transactions,
  125. corresponding to stages of 'awareness' of the transaction in the
  126. network. The first stage is when a transaction is received by a
  127. validator from a client into the so-called mempool or transaction pool -
  128. this is where we use CheckTx. The second is when the transaction is
  129. successfully committed on more than 2/3 of validators - where we use
  130. DeliverTx. In the former case, it may not be necessary to run all the
  131. state transitions associated with the transaction, as the transaction
  132. may not ultimately be committed until some much later time, when the
  133. result of its execution will be different. For instance, an Ethereum
  134. ABCI app would check signatures and amounts in CheckTx, but would not
  135. actually execute any contract code until the DeliverTx, so as to avoid
  136. executing state transitions that have not been finalized.
  137. To formalize the distinction further, two explicit ABCI connections are
  138. made between Tendermint Core and the application: the mempool connection
  139. and the consensus connection. We also make a third connection, the query
  140. connection, to query the local state of the app.
  141. Mempool Connection
  142. ~~~~~~~~~~~~~~~~~~
  143. The mempool connection is used *only* for CheckTx requests. Transactions
  144. are run using CheckTx in the same order they were received by the
  145. validator. If the CheckTx returns ``OK``, the transaction is kept in
  146. memory and relayed to other peers in the same order it was received.
  147. Otherwise, it is discarded.
  148. CheckTx requests run concurrently with block processing; so they should
  149. run against a copy of the main application state which is reset after
  150. every block. This copy is necessary to track transitions made by a
  151. sequence of CheckTx requests before they are included in a block. When a
  152. block is committed, the application must ensure to reset the mempool
  153. state to the latest committed state. Tendermint Core will then filter
  154. through all transactions in the mempool, removing any that were included
  155. in the block, and re-run the rest using CheckTx against the post-Commit
  156. mempool state.
  157. ::
  158. func (app *DummyApplication) CheckTx(tx []byte) types.Result {
  159. return types.OK
  160. }
  161. Consensus Connection
  162. ~~~~~~~~~~~~~~~~~~~~
  163. The consensus connection is used only when a new block is committed, and
  164. communicates all information from the block in a series of requests:
  165. ``BeginBlock, [DeliverTx, ...], EndBlock, Commit``. That is, when a
  166. block is committed in the consensus, we send a list of DeliverTx
  167. requests (one for each transaction) sandwiched by BeginBlock and
  168. EndBlock requests, and followed by a Commit.
  169. DeliverTx
  170. ^^^^^^^^^
  171. DeliverTx is the workhorse of the blockchain. Tendermint sends the
  172. DeliverTx requests asynchronously but in order, and relies on the
  173. underlying socket protocol (ie. TCP) to ensure they are received by the
  174. app in order. They have already been ordered in the global consensus by
  175. the Tendermint protocol.
  176. DeliverTx returns a abci.Result, which includes a Code, Data, and Log.
  177. The code may be non-zero (non-OK), meaning the corresponding transaction
  178. should have been rejected by the mempool, but may have been included in
  179. a block by a Byzantine proposer.
  180. The block header will be updated (TODO) to include some commitment to
  181. the results of DeliverTx, be it a bitarray of non-OK transactions, or a
  182. merkle root of the data returned by the DeliverTx requests, or both.
  183. ::
  184. // tx is either "key=value" or just arbitrary bytes
  185. func (app *DummyApplication) DeliverTx(tx []byte) types.Result {
  186. parts := strings.Split(string(tx), "=")
  187. if len(parts) == 2 {
  188. app.state.Set([]byte(parts[0]), []byte(parts[1]))
  189. } else {
  190. app.state.Set(tx, tx)
  191. }
  192. return types.OK
  193. }
  194. Commit
  195. ^^^^^^
  196. Once all processing of the block is complete, Tendermint sends the
  197. Commit request and blocks waiting for a response. While the mempool may
  198. run concurrently with block processing (the BeginBlock, DeliverTxs, and
  199. EndBlock), it is locked for the Commit request so that its state can be
  200. safely reset during Commit. This means the app *MUST NOT* do any
  201. blocking communication with the mempool (ie. broadcast\_tx) during
  202. Commit, or there will be deadlock. Note also that all remaining
  203. transactions in the mempool are replayed on the mempool connection
  204. (CheckTx) following a commit.
  205. The app should respond to the Commit request with a byte array, which is the deterministic
  206. state root of the application. It is included in the header of the next
  207. block. It can be used to provide easily verified Merkle-proofs of the
  208. state of the application.
  209. It is expected that the app will persist state to disk on Commit. The
  210. option to have all transactions replayed from some previous block is the
  211. job of the `Handshake <#handshake>`__.
  212. ::
  213. func (app *DummyApplication) Commit() types.Result {
  214. hash := app.state.Hash()
  215. return types.NewResultOK(hash, "")
  216. }
  217. BeginBlock
  218. ^^^^^^^^^^
  219. The BeginBlock request can be used to run some code at the beginning of
  220. every block. It also allows Tendermint to send the current block hash
  221. and header to the application, before it sends any of the transactions.
  222. The app should remember the latest height and header (ie. from which it
  223. has run a successful Commit) so that it can tell Tendermint where to
  224. pick up from when it restarts. See information on the Handshake, below.
  225. ::
  226. // Track the block hash and header information
  227. func (app *PersistentDummyApplication) BeginBlock(params types.RequestBeginBlock) {
  228. // update latest block info
  229. app.blockHeader = params.Header
  230. // reset valset changes
  231. app.changes = make([]*types.Validator, 0)
  232. }
  233. EndBlock
  234. ^^^^^^^^
  235. The EndBlock request can be used to run some code at the end of every
  236. block. Additionally, the response may contain a list of validators,
  237. which can be used to update the validator set. To add a new validator or
  238. update an existing one, simply include them in the list returned in the
  239. EndBlock response. To remove one, include it in the list with a
  240. ``power`` equal to ``0``. Tendermint core will take care of updating the
  241. validator set. Note validator set changes are only available in v0.8.0
  242. and up.
  243. ::
  244. // Update the validator set
  245. func (app *PersistentDummyApplication) EndBlock(height uint64) (resEndBlock types.ResponseEndBlock) {
  246. return types.ResponseEndBlock{Diffs: app.changes}
  247. }
  248. Query Connection
  249. ~~~~~~~~~~~~~~~~
  250. This connection is used to query the application without engaging
  251. consensus. It's exposed over the tendermint core rpc, so clients can
  252. query the app without exposing a server on the app itself, but they must
  253. serialize each query as a single byte array. Additionally, certain
  254. "standardized" queries may be used to inform local decisions, for
  255. instance about which peers to connect to.
  256. Tendermint Core currently uses the Query connection to filter peers upon
  257. connecting, according to IP address or public key. For instance,
  258. returning non-OK ABCI response to either of the following queries will
  259. cause Tendermint to not connect to the corresponding peer:
  260. - ``p2p/filter/addr/<addr>``, where ``<addr>`` is an IP address.
  261. - ``p2p/filter/pubkey/<pubkey>``, where ``<pubkey>`` is the hex-encoded
  262. ED25519 key of the node (not it's validator key)
  263. Note: these query formats are subject to change!
  264. ::
  265. func (app *DummyApplication) Query(reqQuery types.RequestQuery) (resQuery types.ResponseQuery) {
  266. if reqQuery.Prove {
  267. value, proof, exists := app.state.Proof(reqQuery.Data)
  268. resQuery.Index = -1 // TODO make Proof return index
  269. resQuery.Key = reqQuery.Data
  270. resQuery.Value = value
  271. resQuery.Proof = proof
  272. if exists {
  273. resQuery.Log = "exists"
  274. } else {
  275. resQuery.Log = "does not exist"
  276. }
  277. return
  278. } else {
  279. index, value, exists := app.state.Get(reqQuery.Data)
  280. resQuery.Index = int64(index)
  281. resQuery.Value = value
  282. if exists {
  283. resQuery.Log = "exists"
  284. } else {
  285. resQuery.Log = "does not exist"
  286. }
  287. return
  288. }
  289. }
  290. Handshake
  291. ~~~~~~~~~
  292. When the app or tendermint restarts, they need to sync to a common
  293. height. When an ABCI connection is first established, Tendermint will
  294. call ``Info`` on the Query connection. The response should contain the
  295. LastBlockHeight and LastBlockAppHash - the former is the last block for
  296. the which the app ran Commit successfully, the latter is the response
  297. from that Commit.
  298. Using this information, Tendermint will determine what needs to be
  299. replayed, if anything, against the app, to ensure both Tendermint and
  300. the app are synced to the latest block height.
  301. If the app returns a LastBlockHeight of 0, Tendermint will just replay
  302. all blocks.
  303. ::
  304. func (app *DummyApplication) Info(req types.RequestInfo) (resInfo types.ResponseInfo) {
  305. return types.ResponseInfo{Data: cmn.Fmt("{\"size\":%v}", app.state.Size())}
  306. }
  307. Genesis
  308. ~~~~~~~
  309. ``InitChain`` will be called once upon the genesis. ``params`` includes the
  310. initial validator set. Later on, it may be extended to take parts of the
  311. consensus params.
  312. ::
  313. // Save the validators in the merkle tree
  314. func (app *PersistentDummyApplication) InitChain(params types.RequestInitChain) {
  315. for _, v := range params.Validators {
  316. r := app.updateValidator(v)
  317. if r.IsErr() {
  318. app.logger.Error("Error updating validators", "r", r)
  319. }
  320. }
  321. }