An efficient string type with the same API as a linked-list of characters.
unsafe
This crate is a work in progress. Specifically Not all uses of unsafe
have been validated! Please don't use this for anything serious yet.
Safety audits are welcome and appreciated! I'm still quite new to writing unsafe
code.
This crate relies on front-vec
to store arrays of bytes which allow for effiecient prepending (pushing characters onto the front of the array).
CharList == PqRc<FrontString>
This crate implements a type called PqRc
(soon to be moved to its own crate) which stands for "Priority Queue Reference Counted". It's a shared pointer type like Rc
, but while Rc<T>
points to a RcBox<T>
with approximately this layout:
```rust
struct Rc
struct RcBox
a PqRc
points to a PqRcCell
which looks approximately like this:
```rust
struct PqRc
struct PqRcCell
The cool thing about this setup is that if a T
is shared among a bunch of PqRc
s, only those with the highest priority are allowed to mutate the inner T
value. And they can only* mutate it in ways that other PqRc
's of lower priority won't notice.
* (Ok, at this point we make developers pinky-swear 🤞 they'll follow those rules, and they gotta wrap their use in an unsafe
block. Maybe there's a better way to do this in the future though 🤔)
Consider this code:
rust
let empty = CharList::new();
let yz = empty.cons('z').cons('y');
let wxyz_1 = yz.cons('x').cons('w');
let wxyz_2 = wxyz_1.clone();
These values would be represented in memory like this:
cons
!rust
let vwxyz = wxyz_1.cons('v');
If we cons
a character onto the front of the string via the variable wxyz_1
, it's perfectly safe to call the underlying FrontString
's push_char_front
method (mutably!). This is because wxyz_1
has the highest priority. (In the case of CharList
s, priority is defined as the length of the substring.)
Notice that by pushing a character onto the front, wxyz_1
doesn't affect any other CharList
's view of the underlying FrontString
.
Here's what memory looks like now:
Ok now what happens if we drop
the longest three strings?
rust
drop(vwxyz);
drop(wxyz_1);
drop(wxyz_2);
Notice that the internal FrontString
's len
went down to 2. This means we can reuse the memory that used to be held by the longer strings!
empty
Here's a problem though. What if we want to cons
the character 'a'
onto the front of empty
?
rust
let a = empty.cons('a');
Well, if we overwrite the 'z'
that currently sits there, we'd be modifying yz
's view of the string. That's no good, so we gotta clone the FrontString
and mutate the copy.