pluck!
is a macros that creates a lambda that plucks the provided
property from the argument. Great with iterators.
pluck!
provides many different ways to access values.
Provide the index to extract.
```rust let list = [(0, "a"), (1, "b"), (2, "c")];
let first = list.iter().map(pluck!(.0)).collect::
let second = list.iter().map(pluck!(.1)).collect::
Provide the property name to extract.
```rust struct Person { name: &'static str } let list = [Person { name: "Alice" }];
let names = list.iter().map(pluck!(.name)).collect::
assert_eq!(names, &["Alice"]); ```
Precede the property name with &
to pluck by reference.
```rust let list = [(0, "a"), (1, "b"), (2, "c")];
let first = list.iter().map(pluck!(&.0)).collect::
Precede the property name with &mut
to pluck by mutable reference.
```rust let mut list = [(0, "a"), (1, "b"), (2, "c")];
for num in list.iter_mut().map(pluck!(&mut .0)) { *num += 1; }
assert_eq!(list, [(1, "a"), (2, "b"), (3, "c")]); ```
pluck!
works with types implementing Index
and
IndexMut
.
```rust let list = [[0], [1], [2]];
let first = list.iter().map(pluck!([0])).collect::
let firstref = list.iter().map(pluck!(&[0])).collect::
pluck!
works with types implementing Deref
and
DerefMut
.
```rust
let list = vec![&0, &1, &2];
let derefed = list.intoiter().map(pluck!(*)).collect::
let list = vec![&&&0, &&&1, &&&2];
let derefed = list.intoiter().map(pluck!(***)).collect::
pluck!
is designed to allow you to arbitrarily combine accessing. You
can specify precedence with ()
.
rust
struct Person { name: &'static str }
let mut list = vec![[&Person { name: "Alice" }]];
let derefed = list.iter_mut().map(pluck!((*[0]).name)).collect::<Vec<_>>();
assert_eq!(derefed, &["Alice"]);