0

我想在 C++ 中使用参数来存储任何值/对象。在此示例中,我尝试将全局变量中的值存储为简化示例。

此代码不起作用,

int value = 20;

void returnPointer2(int* hello)
{
    hello = &value;
}

// It changes nothing 
int value2 = 100; 
returnPointer2(&value2);
cout << value2 << endl;

因为我需要双指针。

void returnPointer3(int** hello)
{
    *hello = &value;
}

int* vp2 = new int();
*vp2 = -30;  
returnPointer3(&vp2);
cout << *vp2 << endl; // expects 20

我提醒了引用,我可以使用指针引用来获得相同的结果。

void returnPointer4(int* & hello)
{
    cout << "value : " << value;
    hello = &value;
}

int* vp3 = new int();
*vp3 = -130;  
returnPointer4(vp3); // also expects 20, but much simpler to use
cout << "better : " << *vp3 << endl;

我尝试使用 double &,它可以编译。

void returnPointer5(int&& hello)
{
    cout << "value : " << value;
    hello = value;
}

但是,它不能使用整数变量的输入进行编译。

int vp4 = 123; 
returnPointer5(vp4); // also expects 20, but even more simpler to use
cout << "best : " << vp4 << endl;

这是一条错误消息。

pointer_return.cpp:31:6: error:   initializing argument 1 of 'void returnPointer5(int&&)'
void returnPointer5(int&& hello)

我碰巧知道move,它适用于这段代码。

int vp4 = 123; 
returnPointer5(move(vp4)); // also expects 20, but much simpler to see
cout << "best : " << vp4 << endl;

这个move功能背后的魔法/逻辑是什么?

4

3 回答 3

2

这里混杂了很多东西,但为了简单起见,我将解决您的根本问题。

&&一点都不像**

&&右值引用**而是指向指针的指针。


作为第二点,你在你的函数名中声明你想要做什么:returnPointer4.

您希望返回一个指向整数的指针。int*&是引用指针的正确语法。


再次阅读您的问题,为什么不使用以下内容:

int& returnGlobalReference() {
    return value;
}

然后在您的其他功能中:

int& value2 = returnGlobalReference();
于 2013-06-17T22:12:57.500 回答
1

第一次尝试犯了一个典型的错误,即按值传递指针,修改它在函数中的地址并期望它指向的内容发生变化。

正如评论中提到的,

void returnPointer2(int* hello)
{
    hello = &value; // don't do this, it only modifies what the 
                    // pointer hello, which resides in the stack, points to

    *hello = value; // do this instead. even though hello still resides in the                  
                    // stack, you're modifying the location that hello points to,
                    // which was your original intention

}

但是为什么要传递指针?调用函数时静态变量不可用吗?(也许,不同的文件?)

于 2013-06-17T22:16:35.273 回答
1

std::move 的神奇之处在于:

std::move 的实际声明涉及更多,但从本质上讲,它只是对右值引用的 static_cast。

取自这里

正如 Jeffery Thomas 已经说过的,a&&不是对引用的引用,而是对右值的引用。

于 2013-06-17T22:16:59.270 回答