#include <boost/scoped_ptr.hpp>
class classA
{
protected:
struct StructB
{
int iAge;
double dPrice;
};
boost::scoped_ptr<StructB> m_scpStructB;
public:
classA(int age, double price)
: m_scpStructB(new StructB)
{
m_scpStructB->iAge = age;
m_scpStructB->dPrice = price;
}
/* DO NOT COMPILE <= second block
classA(int age, double price)
: m_scpStructB(new StructB),
m_scpStructB->iAge(age),
m_scpStructB->dPrice(price)
{}
*/
};
问题1&GT;我发现我不能使用第二个代码块来初始化智能指针指向的结构成员。这是一个普通的c ++规则,我们不能这样做。
如果第一个问题的答案是“你做不到”,请放弃这个问题。
问题2&GT;据我所知,初始化列表上的赋值顺序基于成员变量定义的顺序。假设您可以通过智能指针初始化成员变量。如何保证订单,以便始终首先初始化智能点?
答案 0 :(得分:1)
如果您不需要 StructB
作为聚合/ POD类型,那么也只需给它一个构造函数:
#include <boost/scoped_ptr.hpp>
class classA
{
protected:
struct StructB
{
StructB(int age, double price) : iAge(age), dPrice(price) { }
int iAge;
double dPrice;
};
boost::scoped_ptr<StructB> m_scpStructB;
public:
classA(int age, double price) : m_scpStructB(new StructB(age, price)) { }
};
否则您只能使用工厂功能,因此它仍然是POD类型:
#include <boost/scoped_ptr.hpp>
class classA
{
protected:
struct StructB
{
int iAge;
double dPrice;
static StructB* make(int age, double price)
{
StructB* ret = new StructB;
ret->iAge = age;
ret->dPrice = price;
return ret;
}
};
boost::scoped_ptr<StructB> m_scpStructB;
public:
classA(int age, double price) : m_scpStructB(StructB::make(age, price)) { }
};