我有一个用C ++ 11编写的程序,我想计算std::vector<double>
个对象的移动和复制(构造和赋值)的数量。有没有办法做到这一点?
祝你好运
答案 0 :(得分:3)
否即可。 std::vector<>
的实施无法实现。我也不知道任何编译器。
如评论中所述,您可以创建自己的计数替换并使用它。即。
struct counting_vector_double
: std::vector<double>
{
static size_t count_copy_ctor;
static size_t count_move_ctor;
counting_vector_double(counting_vector_double const&other)
: std::vector<double>(other)
{ count_copy_ctor++; }
// etc
};
// in .cc file:
size_t counting_vector_double::count_copy_ctor = 0;
size_t counting_vector_double::count_move_ctor = 0;
(在多线程情况下使用atomic
计数器。)为了实现这一点,您可以使用typedef
或using
指令,例如
#ifdef CountingMoveCopy
using vector_double = counting_vector_double;
#else
using vector_double = std::vector<double>;
#endif
并在代码中使用vector_double
。
答案 1 :(得分:2)
这个答案认为OP需要计算向量的项目被复制,移动,构造等的次数而不是向量本身。
虽然这不是您问题的直接答案,但您可能对此答案感兴趣。
围绕double制作一个小包装类:
struct double_wrapper{
double_wrapper()=delete;
double_wrapper(const double value):value_(value){
++constructions_count;
}
double_wrapper(const double_wrapper& other){
value_=other.value_;
++copies_count;
}
double_wrapper(double_wrapper&& other){
value_=other.value_;
//invalidate it in someway.. maybe set it to 0 (not important anyway)
++moves_count;
}
operator double() const {
return value_;
}
double value_;
static unsigned int copies_count;
static unsigned int constructions_count;
static unsigned int moves_count;
}
// in .cpp
unsigned int double_wrapper::copies_count=0;
unsigned int double_wrapper::constructions_count=0;
unsigned int double_wrapper::moves_count=0;
最后,您必须编辑vector
类型(您可以将其缩短为调试模式,并使用一些#ifdef
):
std::vector<double_wrapper> v1;
注意:未经测试。
答案 2 :(得分:0)
规避限制的一种可能方法是使类Vector继承std :: vector,然后重载move和copy运算符以递增内部计数器。