Making wrapper types allows us to give more compile-time guarantees about our code being correct:
rust
// Now we can't mix up widths and heights; the compiler will yell at us!
struct Width(u64);
struct Height(u64);
But... they're kind of a pain to work with. If you ever need to get at
that wrapped u64
, you need to constantly pattern-match back and forth
to wrap and unwrap the values.
shrinkwraprs
aims to alleviate this pain by allowing you to derive
implementations of various conversion traits by deriving
Shrinkwrap
.
Currently, using #[derive(Shrinkwrap)]
will derive the following traits
for all structs:
AsRef<InnerType>
Borrow<InnerType>
Deref<Target=InnerType>
It will also derive the following inherent methods:
fn map<F, T>(self, mut f: F) -> T where F: FnMut(InnerType) -> T
fn map_ref<F, T>(&self, mut f: F) -> T where F: FnMut(&InnerType) -> T
fn map_mut<F, T>(&mut self, mut f: F) -> T where F: FnMut(&mut InnerType) -> T
map_mut()
will have the same visibility as the inner field, which ensures
that map_mut()
doesn't leak the possibility of changing the inner value
(potentially in invariant-violating ways). map()
and map_ref()
have the
same visibility as the struct itself, since these don't provide direct
ways for callers to break your data.
Additionally, using #[shrinkwrap(mutable)]
will also
derive the following traits:
AsMut<InnerType>
BorrowMut<InnerType>
DerefMut<Target=InnerType>
First, add shrinkwraprs
as a dependency in your Cargo.toml
:
```toml [dependencies]
shrinkwraprs = "0.2.0" ```
Then, just slap a #[derive(Shrinkwrap)]
on any structs you want
convenient-ified:
```rust
struct Email(String);
fn main() { let email = Email("chiya+snacks@natsumeya.jp".into());
let is_discriminated_email =
email.contains("+"); // Woohoo, we can use the email like a string!
/* ... */
} ```
If you have multiple fields, but there's only one field you want to be able
to deref/borrow as, mark it with #[shrinkwrap(main_field)]
:
```rust
struct Email { spamminess: f64, #[shrinkwrap(main_field)] addr: String }
struct CodeSpan(u32, u32, #[shrinkwrap(main_field)] Token); ```
If you also want to be able to modify the wrapped value directly,
add the attribute #[shrinkwrap(mutable)]
as well:
```rust
struct InputBuffer { buffer: String }
... let mut inputbuffer = /* ... */; inputbuffer.push_str("some values"); ... ```