fn func<'a, T>(arg: Vec<Box<T>>)
where
String: From<&'a T>,
T: 'a,
{
let s: Vec<String> = arg.iter().map(|s| String::from(s)).collect();
do_something_else(arg);
}
fn do_something_else<T>(arg: Vec<Box<T>>) {}
The compiler complains that arg
does not live long enough. Why though?
error[E0597]: `arg` does not live long enough
--> src/lib.rs:6:26
|
6 | let s: Vec<String> = arg.iter().map(|s| String::from(s)).collect();
| ^^^ borrowed value does not live long enough
7 | do_something_else(arg);
8 | }
| - borrowed value only lives until here
|
note: borrowed value must be valid for the lifetime 'a as defined on the function body at 1:9...
--> src/lib.rs:1:9
|
1 | fn func<'a, T>(arg: Vec<Box<T>>)
| ^^
The constraint
String: From<&'a T>
, with emphasis on the function's lifetime parameter'a
, would allow you to convert a reference toT
to aString
. However, the reference to the elements obtained from the iterator is more restrictive than'a
(hence, they do not live long enough).Since the conversion is supposed to work fine for references of any lifetime, you may replace the constraint with a higher ranked trait bound (HRTB):
The use of
From
here to obtain an owned string is also not something I've seen in the wild. Perhaps you would be interested in theDisplay
trait, so that you can callto_string()
:See also: