- 论坛徽章:
- 0
|
本帖最后由 deewenic 于 2011-07-19 10:36 编辑
有如下代码:- #include <iostream>
- using namespace std;
- class rational
- {
- private:
- int real;
- int image;
- public:
- rational(){real = 0; image = 0;};
- rational(int r = 0, int i = 0);
- ~rational(){cout<<"dctor"<<endl;}
- rational& operator*(rational& rhs);
- void showval();
- };
- void rational::showval(){
- cout << "The value is ("
- << real
- << ","
- << image
- << ")" << endl;
- }
- rational::rational(int r,int i)
- {
- cout<<"rational(" << r << "," << i << ")"<<endl;
- real = r;
- image = i;
- }
- /*****①:返回局部对象**********************/
- rational& rational::operator*(rational& rhs)
- {
- cout<<"in operator*"<<endl;
- rational ret(real*rhs.real,image*rhs.image);
- return ret;
- }
- /*****②:返回指针指向的对象***************/
- rational& rational::operator*(rational& rhs)
- {
- rational* result = new rational(real*rhs.real, image*rhs.image);
- return *result;
- }
- int main()
- {
- rational a(1,2);
- rational b(3,4);
- rational c(2,2);
- rational ret = a * b * c;
- ret.showval();
- return 0;
- }
复制代码 问题:
当我使用第一个方法重载乘号操作时,在SunOS下用CC编译会报Warning:Returning a reference to a local variable or temporary.
当我使用第二个方法重载乘号操作时,同样环境下编译正常。
就我的理解:因为第一个返回局部对象,而这个对象是放在栈上的,函数返回的时候这个对象应该会被释放。而第二个方法返回的是在堆上的对象,所以不会被释放,因此返回可用。问题的关键在于,在两种方法都编译过后并执行,执行结果即算出的有理数值是一样的,这说明返回局部对象是正确的么?或者说如果返回局部对象会有什么弊端?请大家帮忙分析一下两者的异同,谢谢了。 |
|