我正在学习Robert C. Martin所著的《敏捷软件开发》一书。 在关于“开放式-封闭式原理”的示例中,dynamic_cast <>有问题。
示例如下:
#include <iostream>
#include <vector>
#include<algorithm>
using namespace std;
class Shape {
public:
virtual void Drow() const = 0;
virtual bool Precedes(const Shape & s) const = 0;
bool operator<(const Shape &s){ return Precedes(s);};
};
template<typename T>
class Lessp {
public:
bool operator()(const T i , const T j) {return (*i) < (*j);}
};
void DrowAllShape(vector<Shape*> &vect){
vector<Shape*> list = vect;
sort(list.begin(),
list.end(),
Lessp<Shape*>());
vector<Shape*>::const_iterator i;
for(i = list.begin(); i != list.end() ;i++){
(*i)->Drow();
}
}
class Square : public Shape{
public :
virtual void Drow() const{};
virtual bool Precedes(const Shape& s) const;
};
class Circle : public Shape{
public :
virtual void Drow() const{};
virtual bool Precedes(const Shape& s) const;
};
bool Circle::Precedes(const Shape& s) const {
if (dynamic_cast<Square*>(s)) // ERROR : 'const Shape' is not a pointer
return true;
else
return false;
}
我在Circle Precedes方法中出错 有什么问题吗?
答案 0 :(得分:3)
您可以使用dynamic_cast
来
const
正确)。const
正确)。您不能将其用于:
因此,
dynamic_cast<Square*>(s)
错了。
您可以使用
if ( dynamic_cast<Square const*>(&s) )
解决编译器错误。
您可以使用dynamic_cast<Square const&>(s)
(投射参考),但这需要try
/ catch
块。
try
{
auto x = dynamic_cast<Square const&>(s);
}
catch ( std::bad_cast )
{
return false;
}
// No exception thrown.
return true;