Set of non-duplicate items for CosmWasm smart contract store.
Developers often find themselves in need to store a set of non-duplicate items in the contract store. A good example is a liquid staking protocol maintaining a whitelist of validators.
There are typically two ways to achieve this:
The first is to serialize the whole set and store it under a single storage key. For example:
```rust use std::collection::HashSet; use cwstorageplus::Item;
const VALIDATORS: Item
The obvious drawback of this is that every time we need to add or remove an element, or check whether an element exists in the set, we need to load the whole set from the store. This can be quite expensive if the set gets large.
A better approach is to use a map, where the elements are the keys, with the values being empty, i.e.
```rust use cosmwasmstd::Empty; use cwstorage_plus::Map;
const VALIDATORS: Map<&str, Empty> = Map::new("validators"); ```
An element is considered to be in the set if the corresponding key exists in the map. For example:
```rust use cosmwasm_std::{StdResult, Storage};
fn iswhitelisted(store: &dyn Storage, validator: &str) -> StdResult
With this approach, we can add/remove/find an element in the set with O(1) complexity. It is also possible to enumerate all elements in the set.
However, this approach is not without drawbacks:
union
, intersection
, filter
, and of course, a command to delete the whole set.This crate attempts to fix some of these drawbacks by implementing a Set
class. To use:
```rust use cwitemset::Set;
const VALIDATORS: Set<&str> = Set::new("validators"); ```
The Set
class provides many useful methods:
```rust use cosmwasm_std::{DepsMut, Order, StdResult};
fn example(deps: DepsMut) -> StdResult<()> { // add a new element to the set VALIDATORS.insert(deps.storage, "larry")?;
// remove an existing element from the set
VALIDATORS.remove(deps.storage, "jake")?;
// check whether an element is in the set
let is_whitelisted = VALIDATORS.contains(deps.storage, "pumpkin");
// enumerate elements in the set
VALIDATORS
.items(deps.storage, None, None, Order::Ascending)
.for_each(|validator| {
println!("{} is whitelisted!", validator);
});
} ```
Contents of this crate are open source under GNU General Public License v3 or later.