0

我已经从运算符 T*() 返回了指针类型,并通过智能指针调用了删除运算符,并尝试调用成员函数,但我没有遇到任何运行时错误。这怎么可能?还是我的理解有误?请建议。

#include <iostream>

using namespace std;

template <typename T>
class sPtr
{
    private:
       T * pointee__;
     public:

        operator T * () {
                cout <<"Inside T* () "<<endl;
                return pointee__;
        };
    explicit sPtr ( T * t )
    {

      pointee__ = t;
    };
    T * operator->() {
        return pointee__;
     }
};

class JTest
{
 private:
        int x;
 public:
   JTest ( int l=100) { x=l; };
    void display ();
};

void JTest::display()
{
  cout <<"Display API x is "<<x<<endl;
}

void JFunc (JTest * tmp)
{
  cout <<" JFunc"<<endl;
  tmp->display ();
  cout <<"Invoking JTest -> display "<<endl;
}


int main ( int argc, char ** argv)
{
 sPtr <JTest> t(new JTest);
 t->display();
 delete t; // Invokes operator T* () , and it is dangerous!!!..
t->display  ();

}

输出:

Display API x is 100
Inside T* () 
Display API x is 100
4

1 回答 1

3

删除 t 将 t 指向的内存标记为未使用,但保留存储在 t 中的地址不变。当您尝试使用存储在 t 处的对象时,C++ 不会检查它是否已被删除,因此虽然您经常会崩溃,但如果已删除对象使用的内存尚未被系统覆盖,它可能偶尔会起作用.

简而言之:有时这会起作用,但经常会崩溃,而且这总是一个坏主意。

如果您想保护自己免受自己的伤害,请在删除后将 t 设置为 NULL。

于 2013-02-21T14:22:49.227 回答