ChainMap
This library provides a chain of HashMaps with interior mutability of each intermediate layer. The HashMaps are reference-counted, thus it is possible to create a tree of layers of HashMaps and not just a single chain.
The higher maps in the tree (close to the leaves) have higher priority.
One possible use case is for the management of nested scopes.
An example from the appropriate section of the Book: 15. Scoping rules - RAII
Could be represented as
MainScope["_box2" => 5i32]
├── NestedScope["_box3" => 4i32]
├── LoopScope0[]
│ └── CreateBoxScope["_box1" => 3i32]
├── LoopScope1[]
│ └── CreateBoxScope["_box1" => 3i32]
│ ...
└── LoopScope999[]
└── CreateBoxScope["_box1" => 3i32]
Where each [ $( $key => $value ),* ] is a level of a tree of ChainMaps built on the previous one.
This it turn could be declared as
let mut main_scope = new;
main_scope.insert;
let mut nested_scope = main_scope.extend;
nested_scope.insert;
let mut loop_scope = Vecnew;
for _ in 0..1000
The rules for which map entries are accessible from a certain level of the ChainMap tree are exactly the same as how they would be for the corresponding scopes.
Questions
Why another chain map ?
There are already chain maps out there:
However, both of these implementations of a chain map do not allow multiple branches from a single root, as they are wrappers around a Vec<HashMap<K, V>>.
On the other hand, this crate allows one to fork several maps out of a common root, saving memory usage at the cost of a less friendly internal representation: A Vec<HashMap<K, V>> is certainly better to work with than a tree of Option<Rc<(Mutex<HashMap<K, V>, Self)>>s.
Why require mut everywhere if there is interior mutability ?
The ChainMap could just as well take &self everywhere instead of requiring &mut self, and it would still work. After all, a Mutex can have its contents changed even if its container is immutable.
There are two reasons for not making all methods take &self:
-
Despite interior mutability, it would feel weird to
insertinto a non-mutstructure.A
HashMaprequiresmuttoinsert, and I wanted theChainMapto feel like aHashMapas much as possible, hence the choice of the same method namesinsertandget. -
The
forkandfork_withmethods do require&mut selfand there is no (safe) way to bypass that.forkis declared as:When used:
let ch = new; let _ = ch.fork;ch0is not the same object before and after the call tofork!The object that used to be contained in
chhas been moved out and there is now no way to access the formerchother than implicitly by reading it from one of its children.It is also impossible to insert a new key into it.