1

当以下代码由 g++ 或 clang++ 编译时,我收到警告“返回对临时对象的引用”(g++)和“返回对本地临时对象的引用”(clang++)。

有人能告诉我为什么会getData_warning出现这些警告,而getData_nowarning没有吗?

struct Geom {
    int * data;
};


// Not ideal because one can change the pointed to value
int * const & getData_nowarning (Geom const & geom) {
    return geom.data;
}


// Ideal because one cannot change the pointed to value.
int const * const & getData_warning (Geom const & geom) {
    return geom.data;    //   <-------------------  WARNING HERE
}


void test () {
    Geom const geom = { new int(0) };

    int * data1 = getData_nowarning(geom);

    int const * data2 = getData_warning(geom);
}
4

1 回答 1

3

因为 的类型geom.dataint*,所以不能通过对 的引用来引用它int const*。为了引用一个int const*,首先你需要一个int const*。所以必须有一个转换,所以必须创建一个新类型的新指针,所以它必须是一个临时的。

您是否需要函数的调用者能够更改 geom 对象中的指针指向的内容?似乎不是,因为您正在使指针本身为 const。因此,只需删除引用,您就可以保留 const。

于 2013-04-18T22:57:49.807 回答