2

在基板中实现运行时模块时,给定以下存储

decl_storage! {
  trait Store for Module<T: Trait> as CatAuction {
    Kitties get(kitties): map T::Hash => Kitty<T::Hash, T::Balance>;
    KittyOwner get(owner_of): map T::Hash => Option<T::AccountId>;
    OwnedKitties get(kitties_owned): map T::AccountId => T::Hash;

    pub AllKittiesCount get(all_kitties_cnt): u64;
    Nonce: u64;

    // if you want to initialize value in storage, use genesis block
  }
}

pub前面的目的是AllKittiesCount什么?因为不管有pub没有,polkadot UI 还是可以查询到的,就好像它是一个公共变量一样。

4

2 回答 2

5

在这里稍微扩展一下,就像任何 Rust 类型一样,您需要明确不同类型的可见性。该decl_storagestruct会为您的每个存储项目生成一个。例如:

decl_storage! {
    trait Store for Module<T: Trait> as TemplateModule {
        Something get(something): u32;
    }
}

将导致(为清楚起见删除了一些内容):

struct Something<T: Trait>(...);

impl <T: Trait> ... for Something<T> {
    fn get<S: ... >(storage: &S) -> Self::Query {
        storage.get(...).unwrap_or_else(|| Default::default())
    }
    fn take<S: ...>(storage: &S) -> Self::Query {
        storage.take(...).unwrap_or_else(|| Default::default())
    }
    fn mutate<R, F: FnOnce(&mut Self::Query) -> R, S: ...>(f: F, storage: &S) -> R {
        let mut val = <Self as ...>::get(storage);
        let ret = f(&mut val);
        <Self as ...>::put(&val, storage);
        ret
    }
}

如果您制作存储项目pub,您只需pubstruct Something. 这意味着,您现在可以从其他模块调用结构公开的所有这些函数,例如get, 。否则,您将需要创建自己的公共函数来公开 API 以修改存储。takemutate

于 2019-06-21T09:17:58.277 回答
3

decl_storage!为每个存储生成一个结构,此结构实现指定的存储特征。

$vis指定此结构的可见性。

注意:getterget($getter)是在模块上实现的公共函数,不受 this 影响$vis

注意:最后,所有模块都写入唯一的 trie 存储,因此仍然可以通过请求正确的键以某种方式访问​​值。

Storage{Value, Map, ..}编辑:我可以补充一点,拥有公共存储结构的好处是,其他模块可以使用该特征直接写入它。

于 2019-06-15T08:34:53.637 回答