如何在类A中初始化指针类B foo
?我是C ++的新手。
Header.h
namespace Core
{
enum type
{
Left, Right
};
template<type t>
class B
{
public:
B(int i);
private:
type dir;
int b = 12;
};
class A
{
public:
B<Left> *foo;
};
}
Source.cpp
namespace Core
{
template<type t>
B<t>::B(int i)
{
dir = t;
b = i;
}
}
int main()
{
Core::A *a = new Core::A;
a->foo = new Core::B<Core::Left>(10);
return 0;
}
答案 0 :(得分:1)
Source.cpp
需要一个#include "Header.h"
语句,而Header.h
需要一个标题保护。
此外,您需要将B
的构造函数的实现移到头文件中。参见Why can templates only be implemented in the header file?。
尝试一下:
Header.h:
#ifndef HeaderH
#define HeaderH
namespace Core
{
enum type
{
Left, Right
};
template<type t>
class B
{
public:
B(int i);
private:
type dir;
int b = 12;
};
class A
{
public:
B<Left> *foo;
};
template<type t>
B<t>::B(int i)
{
dir = t;
b = i;
}
}
#endif
Source.cpp
#include "Header.h"
int main()
{
Core::A *a = new Core::A;
a->foo = new Core::B<Core::Left>(10);
//...
delete a->foo;
delete a;
return 0;
}
我建议通过内联B
的构造函数并为A
提供一个初始化foo
的构造函数来进一步:
Header.h:
#ifndef HeaderH
#define HeaderH
namespace Core
{
enum type
{
Left, Right
};
template<type t>
class B
{
public:
B(int i)
{
dir = t;
b = i;
}
private:
type dir;
int b = 12;
};
class A
{
public:
B<Left> *foo;
A(int i = 0)
: foo(new B<Left>(i))
{
}
~A()
{
delete foo;
}
};
}
#endif
Source.cpp
#include "Header.h"
int main()
{
Core::A *a = new Core::A(10);
//...
delete a;
return 0;
}
答案 1 :(得分:0)
如何在类A内初始化指针类B foo?
用一个假定值构造一个B<Left>
。
class A
{
public:
B<Left> *foo = new B<Left>(0);
};
添加A
的构造函数,该构造函数接受可用于构造int
的{{1}}。
B<Left>
在深入研究类中对象的指针之前,请考虑以下事项:
class A
{
public:
A(int i) : foo(new B<Left>(i)) {}
B<Left> *foo;
};
和shared_ptr
。