以太坊区块数据的持久化和查询

区块链数据的存储和查询需求十分简单。比如,给定一个区块号查询对应区块数据,给定一个区块哈希查询对应区块的数据,给定一个交易哈希查询这笔交易的详情,等等。这样的需求最适合KV存储引擎。以太坊区块数据的存储底层引擎采用谷歌开源的levelDB存储引擎。本文从源码入手分析以太坊区块数据的存储和查询过程,使用的go-ethereum源码,git commit hash是(6d1e292eefa70b5cb76cd03ff61fc6c4550d7c36)。和数据持久化和查询相关的代码主要分布在$GOPATH/src/github.com/ethereum/go-ethereum/core/rawdb/中。

关键数据结构

以太坊中一个区块在逻辑上可以看作是由区块头(header)和区块体(body)组成。header的结构如下

type Header struct {
    ParentHash  common.Hash    `json:"parentHash"       gencodec:"required"`
    UncleHash   common.Hash    `json:"sha3Uncles"       gencodec:"required"`
    Coinbase    common.Address `json:"miner"            gencodec:"required"`
    Root        common.Hash    `json:"stateRoot"        gencodec:"required"`
    TxHash      common.Hash    `json:"transactionsRoot" gencodec:"required"`
    ReceiptHash common.Hash    `json:"receiptsRoot"     gencodec:"required"`
    Bloom       Bloom          `json:"logsBloom"        gencodec:"required"`
    Difficulty  *big.Int       `json:"difficulty"       gencodec:"required"`
    Number      *big.Int       `json:"number"           gencodec:"required"`
    GasLimit    uint64         `json:"gasLimit"         gencodec:"required"`
    GasUsed     uint64         `json:"gasUsed"          gencodec:"required"`
    Time        *big.Int       `json:"timestamp"        gencodec:"required"`
    Extra       []byte         `json:"extraData"        gencodec:"required"`
    MixDigest   common.Hash    `json:"mixHash"          gencodec:"required"`
    Nonce       BlockNonce     `json:"nonce"            gencodec:"required"`
}

body的结构如下

type Body struct {
    Transactions []*Transaction
    Uncles       []*Header
}

但是以太坊一个区块的实际定义是这样的

type Block struct {
    header       *Header
    uncles       []*Header
    transactions Transactions

    // caches
    hash atomic.Value
    size atomic.Value

    // Td is used by package core to store the total difficulty
    // of the chain up to and including the block.
    td *big.Int

    // These fields are used by package eth to track
    // inter-peer block relay.
    ReceivedAt   time.Time
    ReceivedFrom interface{}
}

主要包含了header, uncles, transactionstd四个字段, 其他的几个字段主要用于性能优化和统计。

区块数据存储和查询

在进行数据同步时,节点会首先下载区块头,节点应该怎么存储从临节点下载的区块头数据呢?看下面这个函数

// WriteHeader stores a block header into the database and also stores the hash-
// to-number mapping.
func WriteHeader(db DatabaseWriter, header *types.Header) {
    // Write the hash -> number mapping
    var (
        hash    = header.Hash()
        number  = header.Number.Uint64()
        encoded = encodeBlockNumber(number)
    )
    key := headerNumberKey(hash)
    if err := db.Put(key, encoded); err != nil {
        log.Crit("Failed to store hash to number mapping", "err", err)
    }
    // Write the encoded header
    data, err := rlp.EncodeToBytes(header)
    if err != nil {
        log.Crit("Failed to RLP encode header", "err", err)
    }
    key = headerKey(number, hash)
    if err := db.Put(key, data); err != nil {
        log.Crit("Failed to store header", "err", err)
    }
}

第164~166行,通过header得到区块哈希和大端编码之后的区块号。第168行得到存储区块头对应区块号的key。169~171存储一对key-value。这样做的目的是通过区块头的哈希就可以快速查询到对应的区块号。接着173行对header数据进行rlp编码,177行通过numberhash构造可以直接查询hader数据的key,178行将数据存入数据库。

我们希望通过区块号,区块哈希查询到整个区块的数据,通过交易号查询交易的详细信息和交易的回执(receipt)信息。接下来分析这些数据是如何被查询到的。

通过区块号查询整个区块的数据

首先需要根据区块号构造查询key,看下面的这几个函数

// ReadCanonicalHash retrieves the hash assigned to a canonical block number.
func ReadCanonicalHash(db DatabaseReader, number uint64) common.Hash {
    data, _ := db.Get(headerHashKey(number))
    if len(data) == 0 {
        return common.Hash{}
    }
    return common.BytesToHash(data)
}

// ReadHeaderRLP retrieves a block header in its raw RLP database encoding.
func ReadHeaderRLP(db DatabaseReader, hash common.Hash, number uint64) rlp.RawValue {
    data, _ := db.Get(headerKey(number, hash))
    return data
}

// ReadBodyRLP retrieves the block body (transactions and uncles) in RLP encoding.
func ReadBodyRLP(db DatabaseReader, hash common.Hash, number uint64) rlp.RawValue {
    data, _ := db.Get(blockBodyKey(number, hash))
    return data
}

ReadCanonicalHash传入区块号可以得到区块头哈希,通过ReadHeaderRLP,传入区块头哈希和区块号就可以得到Header经过RLP编码之后的值,最后ReadBodyRLP传入同样的参数就可以得到header对应的body

至此,通过区块号查询整个区块信息的过程就理解清楚了。

通过区块哈希查询整个区块的数据

这个功能和通过区块号查询区块信息的过程基本类似,但是需要首先调用ReadheaderNumber函数得到这个header哈希对应的区块编号。

func ReadHeaderNumber(db DatabaseReader, hash common.Hash) *uint64 {
    data, _ := db.Get(headerNumberKey(hash))
    if len(data) != 8 {
        return nil
    }
    number := binary.BigEndian.Uint64(data)
    return &number
}

之后就是通过header hashnumber,调用ReadHeaderRLP, ReadBodyRLP得到整个区块的信息。

通过交易号查询交易详细信息

首先看交易信息是如何写入底层数据库的。

// TxLookupEntry is a positional metadata to help looking up the data content of
// a transaction or receipt given only its hash.
type TxLookupEntry struct {
    BlockHash  common.Hash
    BlockIndex uint64
    Index      uint64
}
// WriteTxLookupEntries stores a positional metadata for every transaction from
// a block, enabling hash based transaction and receipt lookups.
func WriteTxLookupEntries(db DatabaseWriter, block *types.Block) {
    for i, tx := range block.Transactions() {
        entry := TxLookupEntry{
            BlockHash:  block.Hash(),
            BlockIndex: block.NumberU64(),
            Index:      uint64(i),
        }
        data, err := rlp.EncodeToBytes(entry)
        if err != nil {
            log.Crit("Failed to encode transaction lookup entry", "err", err)
        }
        if err := db.Put(txLookupKey(tx.Hash()), data); err != nil {
            log.Crit("Failed to store transaction lookup entry", "err", err)
        }
    }
}

写入过程简单易懂,由交易号构造查询key,vaule对应一个TxLookupEntry。再看查询过程

func ReadTransaction(db DatabaseReader, hash common.Hash) (*types.Transaction, common.Hash, uint64, uint64) {
    blockHash, blockNumber, txIndex := ReadTxLookupEntry(db, hash)
    if blockHash == (common.Hash{}) {
        return nil, common.Hash{}, 0, 0
    }
    body := ReadBody(db, blockHash, blockNumber)
    if body == nil || len(body.Transactions) <= int(txIndex) {
        log.Error("Transaction referenced missing", "number", blockNumber, "hash", blockHash, "index", txIndex)
        return nil, common.Hash{}, 0, 0
    }
    return body.Transactions[txIndex], blockHash, blockNumber, txIndex
}
// ReadTxLookupEntry retrieves the positional metadata associated with a transaction
// hash to allow retrieving the transaction or receipt by hash.
func ReadTxLookupEntry(db DatabaseReader, hash common.Hash) (common.Hash, uint64, uint64) {
    data, _ := db.Get(txLookupKey(hash))
    if len(data) == 0 {
        return common.Hash{}, 0, 0
    }
    var entry TxLookupEntry
    if err := rlp.DecodeBytes(data, &entry); err != nil {
        log.Error("Invalid transaction lookup entry RLP", "hash", hash, "err", err)
        return common.Hash{}, 0, 0
    }
    return entry.BlockHash, entry.BlockIndex, entry.Index
}

查询交易信息可以通过交易哈希调用ReadTransaction直接查询,返回的数据是交易信息和这笔交易的位置信息。

查询交易回执信息

// ReadReceipts retrieves all the transaction receipts belonging to a block.
func ReadReceipts(db DatabaseReader, hash common.Hash, number uint64) types.Receipts {
    // Retrieve the flattened receipt slice
    data, _ := db.Get(blockReceiptsKey(number, hash))
    if len(data) == 0 {
        return nil
    }
    // Convert the revceipts from their storage form to their internal representation
    storageReceipts := []*types.ReceiptForStorage{}
    if err := rlp.DecodeBytes(data, &storageReceipts); err != nil {
        log.Error("Invalid receipt array RLP", "hash", hash, "err", err)
        return nil
    }
    receipts := make(types.Receipts, len(storageReceipts))
    for i, receipt := range storageReceipts {
        receipts[i] = (*types.Receipt)(receipt)
    }
    return receipts
}

// WriteReceipts stores all the transaction receipts belonging to a block.
func WriteReceipts(db DatabaseWriter, hash common.Hash, number uint64, receipts types.Receipts) {
    // Convert the receipts into their storage form and serialize them
    storageReceipts := make([]*types.ReceiptForStorage, len(receipts))
    for i, receipt := range receipts {
        storageReceipts[i] = (*types.ReceiptForStorage)(receipt)
    }
    bytes, err := rlp.EncodeToBytes(storageReceipts)
    if err != nil {
        log.Crit("Failed to encode block receipts", "err", err)
    }
    // Store the flattened receipt slice
    if err := db.Put(blockReceiptsKey(number, hash), bytes); err != nil {
        log.Crit("Failed to store block receipts", "err", err)
    }
}
// ReadReceipt retrieves a specific transaction receipt from the database, along with
// its added positional metadata.
func ReadReceipt(db DatabaseReader, hash common.Hash) (*types.Receipt, common.Hash, uint64, uint64) {
    blockHash, blockNumber, receiptIndex := ReadTxLookupEntry(db, hash)
    if blockHash == (common.Hash{}) {
        return nil, common.Hash{}, 0, 0
    }
    receipts := ReadReceipts(db, blockHash, blockNumber)
    if len(receipts) <= int(receiptIndex) {
        log.Error("Receipt refereced missing", "number", blockNumber, "hash", blockHash, "index", receiptIndex)
        return nil, common.Hash{}, 0, 0
    }
    return receipts[receiptIndex], blockHash, blockNumber, receiptIndex
}

原理和其他几个类似,在这里贴出了关键的源码。

总结

header, body, transaction, transactionReceipt 是分开存放的,不是根据区块号直接找到这个区块的所有数据,也不是根据header hash直接找到该区块的所有数据。以太坊在写入数据的时候会首先写入一些元信息,主要是在区块中的位置信息。例如在写入一笔交易信息的时候会首先写入它的位置信息(区块头哈希,区块号,交易所在区块体中的位置)。

最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 215,874评论 6 498
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 92,102评论 3 391
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 161,676评论 0 351
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 57,911评论 1 290
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 66,937评论 6 388
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,935评论 1 295
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,860评论 3 416
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 38,660评论 0 271
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 45,113评论 1 308
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 37,363评论 2 331
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 39,506评论 1 346
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 35,238评论 5 341
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,861评论 3 325
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 31,486评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,674评论 1 268
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 47,513评论 2 368
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 44,426评论 2 352

推荐阅读更多精彩内容

  • 关于Mongodb的全面总结 MongoDB的内部构造《MongoDB The Definitive Guide》...
    中v中阅读 31,922评论 2 89
  • 一、快速术语检索 比特币地址:(例如:1DSrfJdB2AnWaFNgSbv3MZC2m74996JafV)由一串...
    不如假如阅读 15,940评论 4 87
  • 原文来自:https://github.com/ethereum/wiki/wiki/%5B%E4%B8%AD%E...
    MaxZing阅读 5,348评论 3 8
  • 小道士下了山。师父的几句,他始终牢记在心:“第一,看见妖怪要狠狠的揍一顿;第二,遇到女人就赶紧跑。第三……”...
    衔鱼阅读 341评论 0 0
  • 单曲循环一整天黄雅莉的《曾经》,也没有因为这首歌提起了某段往事而让人沉迷,单单就是因为这个声音、这个旋律,让人很舒...
    暖小牛妞阅读 305评论 0 1