以下是我要做的事情:我想制作一个2D数组的单元格。每个单元格可以包含数字或字符串。然后我想将该表传递给我制作的表达式解析器。我需要解析器能够识别表达式中的单元格是否包含数字 - 这很好 - 或者字符串 - 不好。
这就是我尝试的方法:我创建了一个抽象基类CCell
和三个派生类。一个派生的是CCellEmpty
,一个是CCellText
,最后一个是CCellNumber
。
该表是指向基类的2D数组。在表达式解析器中,我需要从Number类中获取数字。问题是您无法通过基类指针访问派生类的私有成员。好吧,在基类中,我可以为数字创建一个虚拟的getter。在数字类中,它将返回所需的数字,但我还需要为Text类和Empty类实现它。对于他们两个,它会抛出异常
注意:我知道可以使用dynamic_cast
完成,但我不想这样做。
这是一个很好的方法吗?我是C ++,面向对象编程和多态的新手,所以如果有更好的设计方法,我会很高兴听到它。我想以正确的方式做到这一点,不仅如此,它会以某种方式发挥作用。
这是我现在使用的代码:
#include <string>
class NotTextException{};
class NotNumberException{};
class CCell
{
public:
virtual ~CCell ( void ){}
virtual int GetNumber ( void ) const = 0;
virtual std::string GetText ( void ) const = 0;
};
class CCellEmpty : public CCell
{
public:
virtual int GetNumber ( void ) const {
throw NotNumberException();
}
virtual std::string GetText ( void ) const {
throw NotTextException();
}
};
class CCellText : public CCell
{
public:
CCellText ( const std::string & text )
: m_text(text)
{}
virtual int GetNumber ( void ) const {
throw NotNumberException();
}
virtual std::string GetText ( void ) const {
return m_text;
}
private:
std::string m_text;
};
class CCellNumber : public CCell
{
public:
CCellNumber ( const int num );
virtual int GetNumber ( void ) const {
return m_number;
}
virtual std::string GetText ( void ) const {
throw NotTextException();
}
private:
int m_number;
};
答案 0 :(得分:2)
这是一个很好的方法吗?我是C ++,面向对象编程和多态的新手,所以如果有更好的设计方法,我会很高兴听到它。
是的,有一种更好的方法:您可以使用boost::variant
来表示单元格对象,并将访问者应用于每个单元格,并与boost::optional
一起表示没有单元格对象。
您的手机和主板类型如下:
using cell = boost::variant<int, std::string>;
using board = std::array<boost::optional<cell>, 100>;
在2行代码中,您完成了。此时,您只需编写一个通用访问者,尝试获取类型为Element
的元素,否则会抛出Except
类型的异常:
template<typename Type, typename Except>
struct element_getter : boost::static_visitor<Type> {
template<typename Other>
Type operator()(Other const&) const { throw Except(); }
Type operator()(Type const& x) const { return x; }
};
此时,您只需将访问者应用于boost::apply_visitor
的每个单元格,具体取决于单元格是否包含元素。
使用的一个例子是:
board b;
b[45] = 42;
b[78] = 108;
auto sum = std::accumulate(begin(b), end(b), 0,
[](int counter, boost::optional<cell> cell) {
return counter +
boost::apply_visitor(
element_getter<int, not_number_error>(),
cell.get_value_or(0)
);
}
);
此代码将计算包含数字的所有单元格,但如果单元格包含字符串则抛出异常。