在本教程中,我们将在你的智能合约中按步骤创建和使用多索引表。
建多索引表是一种为了在RAM快速访问的方法,主要用来来缓存状态和数据。多索引表支持创建、读取、更新和删除(CRUD) 业务,区块链不行(它只支持创建和读取)。
多索引表提供了快速访问数据存储接口,是一种存储智能合同中使用的数据的实用的方法。在区块链记录交易信息,你应该使用多索引表存储应用程序数据。
使用多索引表,因为他们支持为使用的数据建立多个索引,主索引必须是uint64_t类型和唯一的,但其他的索引,可以有重复的,你可以使用多达16个,类型可以是uint64_t, uint128_t, uint256_t, double or long double
。
如果你想你需要使用一个字符串做索引,需要转换成一个整数型,将结果存储在随后索引的字段中。
1.创建一个结构
创建一个可以存储在多索引表中的结构,并在要索引的字段上定义getter
。
请记住,这些getter
中必须有一个命名为primary_key()
,如果没有这个,编译器eosiocpp
将产生一个错误…"it can't find the field to use as the primary key"即它找不到任何一个字段被作为主键。
如果你想要有一个以上的索引,(最多允许16个),然后为你想要索引的任何字段定义一个getter
,这时这个名称就不那么重要了,因为你会把getter
名称传递给typedef
。
/// @abi table
struct mystruct
{
uint64_t key;
uint64_t secondid;
std::string name;
std::string account;
uint64_t primary_key() const { return key; } // getter for primary key
uint64_t by_id() const {return secondid; } // getter for additional key
};
这里还要注意两件事:
1.注释:
/// @abi table
编译器需要使用eosiocpp
来识别要通过ABI公开该表并使其在智能合约之外可见。
2.结构名称少于12个字符,而且所有的字符都要小写字母。
2.多索引表和定义索引
定义多索引表将使用mystruct
,告诉它要索引什么,以及如何获取正在索引的数据。主键将自动创建的,所以使用struct后,如果我想要一个只有一个主键的多索引表,我可以定义它为:
typedef eosio::multi_index<N(mystruct), mystruct> datastore;
这定义了多个索引通过表名N(mystruct)
和结构名mystruct
。N(mystruct)
会对结构名编译转换到uint64_t
,使用uint64_t
来标识属于多索引表的数据。
若要添加附加索引或辅助索引,则使用indexed_by
模板作为参数,因此定义变为:
typedef eosio::multi_index<N(mystruct), mystruct, indexed_by<N(secondid), const_mem_fun<mystruct, uint64_t, &mystruct::by_id>>> datastore;
注意:
indexed_by<N(secondid), const_mem_fun<mystruct, uint64_t, &mystruct::by_id>>
参数:
- 字段的名称转换为整数,
N(secondid)
- 一个用户定义的密钥调用接口,
const_mem_fun<mystruct, uint64_t, &mystruct::by_id>
来看看有三个索引的情况。
/// @abi table
struct mystruct
{
uint64_t key;
uint64_t secondid;
uint64_t anotherid;
std::string name;
std::string account;
uint64_t primary_key() const { return key; }
uint64_t by_id() const {return secondid; }
uint64_t by_anotherid() const {return anotherid; }
};
typedef eosio::multi_index<N(mystruct), mystruct, indexed_by<N(secondid), const_mem_fun<mystruct, uint64_t, &mystruct::by_id>>, indexed_by<N(anotherid), const_mem_fun<mystruct, uint64_t, &mystruct::by_anotherid>>> datastore;
更多的就不列了。
这里要注意的一个重要事项是,结构名与表名的匹配&#x