あるプログラムでアルゴリズムのバリエーションを併用するため、以下のトレイトが必要になったとしよう。
pub trait RestartHeuristics {
type Item;
fn add(&mut self, item: Self::Item);
...
ここで、実装ごとにメソッドadd
に渡す引数を変えたいので、関連型Item
を引数の型としてもたせた。 例えば、以下のような実装を実現したい。
f64
)を受け取って計算するadd
&mut Var
)をもらってそれに対して変更を加えながら計算するadd
それぞれ以下のような定義になった。
impl RestartHeuristics for RestartByLBD {
type Item = usize;
fn add(&mut self, item: Self::Item) {...
そして問題となる二つ目の定義:
impl RestartHeuristics for VarSet {
type Item = &mut Var;
fn add(&mut self, v: Self::Item) {...
これで r.add(4);
とか r.add(&mut v);
とか自由に書けてスマート。 つまり、意味もなくr.add(&mut 4)
なんてことを強制されずに済んだ。 ところが、これはコンパイルエラーになる。
error[E0106]: missing lifetime specifier
--> src/var.rs:114:17
|
114 | type Item = &mut Var;
| ^ help: consider using the named lifetime: `&'a`
ポインタを渡しているので生存時間が必要らしい。 うーむ、メソッドadd
の中ではCopy可能なフィールドを参照、変更するだけなので生存時間が問題になることはないと思うのだけど。。。 ともあれ、上記のヘルプに従ってこの引数に生存時間を追加した。
impl RestartHeuristics for VarSet {
type Memory = Ema2;
type Item = &'a mut Var;
fn add(&mut self, v: Self::Item) {
すると以下のエラー。
error[E0261]: use of undeclared lifetime name `'a`
--> src/var.rs:114:18
|
114 | type Item = &'a mut Var;
| ^^ undeclared lifetime
なので、生存期間'a
を宣言できる唯一の場所impl
に追加する(後述)。
impl<'a> RestartHeuristics for VarSet {
type Memory = Ema2;
type Item = &'a mut Var;
fn add(&mut self, v: Self::Item) {
すると今度は以下のエラー。
error[E0207]: the lifetime parameter `'a` is not constrained by the impl trait, self type, or predicates
--> src/var.rs:112:6
|
112 | impl<'a> RestartHeuristics for VarSet {
| ^^ unconstrained lifetime parameter
定義したものはトレイト(指示詞)かself型か述語(predicates)中で使え、だそうなので、 トレイトに追加してみる。
pub trait RestartHeuristics<'a> {
type Item;
fn add(&mut self, item: Self::Item);
ここで、この生存期間パラメータの追加を各実装に反映させないと以下のエラーになる。
error[E0726]: implicit elided lifetime not allowed here
--> src/restart.rs:100:6
|
100 | impl RestartHeuristics for RestartByLBD {
| ^^^^^^^^^^^^^^^^^- help: indicate the anonymous lifetime: `<'_>`
error[E0726]: implicit elided lifetime not allowed here
--> src/var.rs:112:10
|
112 | impl<'a> RestartHeuristics for VarSet {
| ^^^^^^^^^^^^^^^^^- help: indicate the anonymous lifetime: `<'_>`
以下のように各実装に追加して、これで解決。
usize
に対してはワイルドカードでOKimpl RestartHeuristics<'_> for RestartByLBD {
type Item = usize;
fn add(&mut self, item: Self::Item) {...
```
```rust
impl<'a> RestartHeuristics<'a> for VarSet {
type Item = &'a mut Var;
fn add(&mut self, item: Self::Item) {...
ということで
implやtraitキーワードで導入した(型や生存期間)変数は、
fn (&'a mut self,...)
ということかで使わないといけない。
参考