我正在使用TDD在c++中编程,它建议在创建对象时使用控制反转(在创建某个类的对象时,将构造的对象传递给它的构造函数)。这很好,但是如何创建构造函数所需的对象?
这是正确的方法,还是有更好的方法?
非常简单的示例演示了我正在做的事情:
#include <iostream>
struct A {
virtual ~A() { }
virtual void foo() = 0;
};
struct B : A {
virtual ~B() { }
virtual void foo() { std::cout<<"B::foo()"<<std::endl; }
};
struct C {
C( A *a ) : a(a) { }
void DoSomething() { a->foo(); }
A *a;
};
int main() {
C c( new B );
c.DoSomething();
}
反对:
#include <iostream>
struct A {
virtual ~A() { }
virtual void foo() = 0;
};
struct B : A {
virtual ~B() { }
virtual void foo() { std::cout<<"B::foo()"<<std::endl; }
};
struct C {
C() : a() { }
void DoSomething() { a.foo(); }
B a;
};
int main() {
C c; // the object of type B is constructed in the constructor
c.DoSomething();
}
编辑1
This link
解释了IoC for java,但您可能知道,在java中可以执行以下操作:
class B
{
};
class A
{
public:
A( B b )
...
};
...
A objA( new B ); // this doesn't work in c++
...