如何在仍然使用 Dagger2 的同时解决循环依赖关系?

我有两个类,和 ,它们相互依赖,以及其他各种类。我正在使用Dagger-2进行依赖注入,但是如果我天真地添加循环依赖关系,Dagger会在运行时遇到堆栈溢出。重构类以解决此问题的好方法是什么,同时仍然使用Dagger注入所有其他依赖项,并且对现有调用的重复和更改最少?Foo<T>Bar


答案 1

简单的方法是在一侧使用。Lazy<T>

Lazy<Foo> foo;

@Inject
Bar(Lazy<Foo> foo) {
    this.foo = foo;
}

// use foo.get(); when needed

答案 2

经过与同事的深思熟虑和交谈,我们最终做了以下事情:

class Foo<T> extends FooWithoutDep<T> {
    @Inject Foo(Bar bar, OtherDep1 dep1, OtherDep2 dep2) {
        super(dep1, dep2);
        setBarDep(bar);
    }
}

class FooWithoutDep<T> {
    //Field declarations elided
    @Inject FooWithoutDep(OtherDep1 dep1, OtherDep2 dep2) {
        //Normal constructor stuff
    }
    void setBarDep(Bar bar) { this.bar = bar; }

    //The rest of the actual logic
}

class Bar {
    //Field declarations elided
    @Inject Bar(FooWithoutDep<Thing> foo, OtherDep3 dep3) {
        this.foo = foo;
        this.foo.setBarDep(this);
        this.dep3 = dep3;
    }

    //Code that uses Foo and the other dependencies
}

为了解释这一点,我们将Foo的实际逻辑移动到一个父类(FooWithoutDep)中,该父类将循环依赖项作为可设置的字段而不是构造函数参数。然后,原始类只包含一个构造函数,该构造函数采用循环依赖项并调用 setter。另一个类 Bar 依赖于父类 (FooWithoutDep),并显式调用 setter,传递自身 ()。这使得对类的所有现有引用保持不变,同时仍然使用 Dagger 注入所有依赖项。this

这似乎令人困惑,值得在这里写下来。


推荐