跟踪C ++变量值的来源

时间:2014-09-18 08:12:29

标签: c++ debugging

在某些更改后,应用程序的输出在某些情况下不再有效。某些输出值是错误的。用于计算这些输出的值是正确的,并且在复杂处理中的某些时候,事情会发生错误。

是否有工具来跟踪C ++变量值的来源?我之前使用过valgrind来跟踪NULL值,但我想要的是更通用的东西。 是否有更通用的工具显示分配的链(或树)导致变量在某个时间点具有其值?

PS:代码几乎都是遗留代码,难以遵循,没有单元测试等。

编辑:变量上的数据断点只会显示链中的端点。有点多了就好了。

1 个答案:

答案 0 :(得分:2)

您可以做的是使用一系列通用包装器包装您感兴趣的变量,这些包装器将记录stacktrace以及每次调用的值。像(省略一些细节)的东西:

template <typename T>
class TracingValue
{
private:
 T m_Val;
 ...    
 void LogStackTrace() {...}

public:

 // write
 TracingValue& operator= (const T& val) {
    LogStackTrace();
    m_Val=val;
    return *this;
 }

 // read     
 operator T () const { return m_Val; }

 // "connect" to other values
 TracingValue& operator=(const TracingValue &other) {
   LogStackTrace();
   m_Val = other.m_Val;
   std::cout << "id: " << this->Id() << " new value: " << m_Val
             << " from id: " << other.Id() << std::endl;
   return *this;
 }

};

记录堆栈跟踪会很慢并且可能会生成太多数据,但如果您谨慎使用它,您可能会更好地了解软件中发生的情况。然后,您可以在包装器中放置断点,以便在发生修改时捕获修改。

这应该适用于琐碎的案件。如果涉及序列化和其他操作,可能需要进一步细化。

可以跟踪其他包装值的值更改和构造。有关示例,请参见→Ideone

TracingValue<double> d;
d = 3.;
d = 42.;
double x = d - 2.;
std::cout << x << std::endl;
TracingValue<double> other_d(d);
TracingValue<double> another_d;
another_d = other_d;  

输出

id: 1 constructed with value: 0
id: 1 new value: 3
id: 1 new value: 42
40
id: 2 constructed with value: 42
id: 2 constructed from id: 1
id: 3 constructed with value: 0
id: 3 new value: 42 from id: 2