For a text scrambler I'm iterating over a vector of chars with fold
and use the initial value for storing state: a tuple that gets updated for each interation value. The following code block works allright:
let alpha = vec!('e', 's', 't');
let t = vec!('A', ' ', 't', 'e', 's', 't', '!');
let r1 = t.iter()
.fold((Vec::<char>::new(), Vec::<char>::new()), |mut acc, &c| {
if alpha.contains(&c) {
acc.0.push(c);
} else {
// acc.0 will be processed here before being pushed
acc.1.append( &mut acc.0);
acc.0 = Vec::<char>::new();
acc.1.push(c)
}
acc
});
println!("{}", r1.1.iter().collect::<String>());
Now I wanted to replace the fold
with a scan
. Here, the accumulator/aggregator is returned as on Option
:
let r2 = t.iter()
.scan((Vec::<char>::new(), Vec::<char>::new()), |mut acc, &c| {
if alpha.contains(&c) {
acc.0.push(c);
} else {
// acc.0 will be processed here before being pushed
acc.1.append( &mut acc.0);
acc.0 = Vec::<char>::new();
acc.1.push(c)
}
Some(acc)
}).last().unwrap();
But I fail to get it to compile:
error: lifetime may not live long enough
--> test/src/main.rs:21:13
|
12 | .scan((Vec::<char>::new(), Vec::<char>::new()), |mut acc, &c| {
| ------- - return type of closure is Option<&'2 mut (Vec<char>, Vec<char>)>
| |
| has type `&'1 mut (Vec<char>, Vec<char>)`
...
21 | Some(acc)
| ^^^^^^^^^ returning this value requires that `'1` must outlive `'2`
How is this done correctly?
PS: the full example can be found here: Text scrambler