我正在编写一些使用boost :: fusion :: map的类。你找到一个简化的代码:
template <typename ObjDef>
struct Object
{
typedef
typename
boost::fusion::result_of::as_map<valid_list_of_fusion_pairs>::type map_type;
map_type map;
Object()
: map()
{}
Object(Object const & other)
: map(other.map)
{}
Object & operator=(Object const & other)
{
map = other.map;
return *this;
}
// non-const version
template <typename FieldId>
typename
boost::fusion::result_of::at_key<map_type, FieldId>::type get()
{
return boost::fusion::at_key<FieldId>(map);
}
// const version
template <typename FieldId>
typename
boost::fusion::result_of::at_key<map_type const, FieldId>::type get() const
{
return boost::fusion::at_key<FieldId>(map);
}
};
和另一个班级:
template <typename Obj, typename FieldId>
class Field
{
private:
Obj &obj_m;
public:
// type returned by \c operator()
typedef
typename
boost::fusion::result_of::at_key<typename Obj::map_type, FieldId>::type return_type;
// type returned by \c operator() const
typedef
typename
boost::fusion::result_of::at_key<typename Obj::map_type const, FieldId>::type return_type_const;
Field(Obj &obj)
: obj_m(obj)
{ }
virtual ~Field()
{ }
return_type operator()()
{
return obj_m.template get<FieldId>();
}
return_type_const operator()() const
{
/*
* PROBLEM!
*/
Obj const & obj_const = obj_m;
return obj_const.template get<FieldId>();
}
};
寻找“问题!”在上面代码的评论中。在该方法中,编译器忽略方法的const限定符并调用obj_m.get()的非const版本,允许执行以下操作:
obj_m.template get<FieldId>() = 10;
这是不正确的,因为这个方法是常量!然后,为了强制编译器调用const版本,声明了对obj_m的const引用。现在是句子
obj_const.template get<FieldId>() = 0;
产生编译错误。到目前为止,这对于当前的方法来说不是问题,但它对于const的正确性并不方便,并且它确实是不受欢迎的
知道为什么会这样吗? 谢谢!