我想知道是否在任何可以使用模板的地方使用 boost.any(没有 RTTI)类会减慢程序的速度。由于 boost any 实际上是模板类的包装器,因此可以说使用现代编译器优化它会产生相同的效果,对吗?
tpl_vs_any.hpp
#include <iostream>
#include <vector>
using namespace std;
template<class T> class tpl
{
T content;
public:
tpl(const T& value) : content(value) {}
operator T() const
{
return content;
}
};
class any
{
public:
any() : content(0) {}
any(const any& other) : content(other.content -> clone()) {}
template<class T> any(const T& value) : content(new holder<T>(value))
{
}
~any()
{
delete content;
}
class placeholder
{
public:
placeholder() {}
virtual placeholder* clone() const = 0;
};
template<class T> class holder : public placeholder
{
public:
T content;
holder(const T& value) : content(value) {}
~holder() {}
placeholder* clone() const
{
return new holder<T>(content);
}
};
template<class T> operator T () const
{
return dynamic_cast<holder<T>*>(content)->content;
}
placeholder* content;
};
template<class T> void test()
{
for (int i = 0; i < 10000; ++i)
{
vector<T> a;
a.push_back(23.23);
a.push_back(3.14);
double x = (double)a[0];
}
}
那么这样说是否正确:
test<any>();
完全一样快:
test<tpl<double>>();
假设您知道,就像编译器在第二个示例中所做的boost::any
那样,在这种情况下仅用作 double 吗?(任何类都没有 RTTI)。
我更想知道支持和反对这个论点的论点。
此外,这些方法之间是否存在差异的特定情况?
编辑: 性能测试 2:
- 示例 1:1,966.57 毫秒
- 示例 2:1,320.37 毫秒
似乎有一个相对较大的差异。
编辑2:
由于将主要数据类型double
与类进行比较是不公平的,因此any
我进行了新测试:
#include "tpl_vs_any.hpp"
int main()
{
test<any>();
return 0;
}
速度:1,794.54 毫秒
#include "tpl_vs_any.hpp"
int main()
{
test<tpl<double>>();
return 0;
}
速度:1,715.57 毫秒
多次测试,几乎相同的基准。