除非您至少允许对其中一个类进行依赖注入,否则不可能按照您的建议进行操作,如下所示:
public class One
{
private readonly Another another;
public One(Another another)
{
this.another = another;
}
}
public class Another
{
private readonly One one;
public Another(One one)
{
this.one = one;
}
public Another() {}
public setOne(One one)
{
this.one = one;
}
}
然后,您可能必须考虑在 Another.setOne() 中放置某种保护逻辑(异常?),以便 One 对象只能设置一次。
还要考虑到Another
在没有初始化变量的情况下使用默认构造函数进行实例化时可能会遇到问题one
,在这种情况下,您可能必须删除 readonly 属性并在 setOne() 中使用上述逻辑
或者
您可以创建One
该类并在内部让它Another
使用对One
. 这可能会增加两者之间的耦合,但会做你需要的,如下所示:
public class One
{
private readonly Another another;
public One()
{
this.another = new Another(this);
}
public Another getAnother()
{
return this.another;
}
}
public class Another
{
private readonly One one;
public Another(One one)
{
this.one = one;
}
public Another() {}
}
...
One one = new One();
Another another = one.getAnother();