I was playing around with GATs and was surprised by the following.
Say I use GATs to define an iterable:
pub trait Iterable {
type Iter<'a>: Iterator<Item = Self::Item<'a>>
where
Self: 'a;
type Item<'a>
where
Self: 'a;
fn iter(&self) -> Self::Iter<'_>;
}
Now with associated types, I can use a HRTB to constrain the Iterable::Item
like the following, which seems to work fine:
trait Foo {
type FooType: for<'a> Iterable<Item<'a> = Self::FooItem<'a>>;
type FooItem<'a>;
}
However, it seems I'm unable to do the same in a where
clause. For example,
trait Bar {
type BarType;
type BarItem<'a>;
}
trait SuperBar: Bar
where
Self::BarType: for<'a> Iterable<Item<'a> = Self::BarItem<'a>>,
{
}
fails to compile with the below error message.
Error message
error[E0311]: the associated type `<Self as Bar>::BarType` may not live long enough
--> src/lib.rs:24:1
|
24 | / trait SuperBar: Bar
25 | | where
26 | | Self::BarType: for<'a> Iterable<Item<'a> = Self::BarItem<'a>>,
27 | | {
28 | | }
| |_^
|
= help: consider adding an explicit lifetime bound `<Self as Bar>::BarType: 'a`...
= note: ...so that the type `<Self as Bar>::BarType` will meet its required lifetime bounds...
note: ...that is required by this bound
--> src/lib.rs:26:37
|
26 | Self::BarType: for<'a> Iterable<Item<'a> = Self::BarItem<'a>>,
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^
This leaves me with two questions:
- Can I solve this situation? I could maybe give
SuperBar
its own associated type with the bound that I know how to write, but suppose I'd like to avoid that. The compiler suggestions don't quite make sense to me, and blindly following seem to lead to more problems. - Why are the associated type bound and the where clause bound different? In my apparently oversimplified mental model, the two bounds say exactly the same, but I guess that can't quite be right, seeing as only one compiles.