我有一个C++代码如下:
tryIt.h 文件
class tryIt : public someOtherClass
{
public:
bool insertI ();
private:
CommandI* m_pInsertI;
bool createInsertI();
}
tryIt.cpp文件
tryIt ::tryIt () : m_pInsertI(NULL)
{
createInsertI();
}
tryIt ::~tryIt ()
{
if(m_pInsertI!=NULL)
{
delete m_pInsertI;
m_pInsertI=NULL
}
}
bool createInsertI()
{
m_pInsertI = returnFromSomeOtherFunction();
return true;
}
bool insertI()
{
// Over here if I use m_pInsertI anyhow my code fails with seg fault
// even checking if(m_pInsertI==NULL) make the code throw seg fault
}
所以这个问题涉及任何地方m_pInsertI让我的代码抛出 Seg 错误(信号 11)。甚至用GDB调试了代码,但没有获得任何有用的信息。
编译器是 GCC
请帮忙。
听起来这个类的实例不存在或损坏。这就是为什么您无法访问其任何成员,即使(m_pInsertI==NULL)检查也会引发异常。
in tryIt.cpp不应该
bool createInsertI()
是
bool tryIt::createInsertI()
与插入 I() 相同
我看到以下两种可能性:
-
returnFromSomeOtherFunction()
已返回损坏的指针 - 您正在使用编译器生成的方法复制实例(请参阅下面的示例)
示例(三次违规规则)
tryIt instance1; // allocates instance2.m_pInsertI
{
tryIt instance2;
instance1 = instance 2; // performs a shallow copy
} // here, instance2.m_pInsertI is deleted
instance1.insertI(); // access violation
建议:
这是否是导致问题的原因:不要实施手动内存管理。只需改用 std::unique_ptr<CommandI>
for m_pInsertI
,因此无需实现析构函数或复制构造函数/运算符。