48

我有我的函数,我正在targetBubble那里填充,但是在调用这个函数后它没有被填充,但我知道它被填充在这个函数中,因为我有输出代码。

bool clickOnBubble(sf::Vector2i & mousePos, std::vector<Bubble *> bubbles, Bubble * targetBubble) {
    targetBubble = bubbles[i];
}

我正在传递这样的指针

Bubble * targetBubble = NULL;
clickOnBubble(mousePos, bubbles, targetBubble);

为什么它不工作?

4

4 回答 4

98

因为您正在传递指针的副本。要更改指针,您需要以下内容:

void foo(int **ptr) //pointer to pointer
{
    *ptr = new int[10]; //just for example, use RAII in a real world
}

或者

void bar(int *& ptr) //reference to pointer (a bit confusing look)
{
    ptr = new int[10];
}
于 2012-08-07T08:55:57.380 回答
31

您正在按值传递指针。

如果要更新指针,请传递对指针的引用。

bool clickOnBubble(sf::Vector2i& mousePos, std::vector<Bubble *> bubbles, Bubble *& t)
于 2012-08-07T08:56:49.580 回答
26

如果你写

int b = 0;
foo(b);

int foo(int a)
{
  a = 1;
}

您不会更改“b”,因为 a 是 b 的副本

如果你想改变 b 你需要传递 b 的地址

int b = 0;
foo(&b);

int foo(int *a)
{
  *a = 1;
}

指针也是如此:

int* b = 0;
foo(b);

int foo(int* a)
{
  a = malloc(10);  // here you are just changing 
                   // what the copy of b is pointing to, 
                   // not what b is pointing to
}

所以要改变 b 指向传递地址的位置:

int* b = 0;
foo(&b);

int foo(int** a)
{
  *a = 1;  // here you changing what b is pointing to
}

hth

于 2012-08-07T09:02:33.250 回答
8

除非您通过(非 const)引用或作为双指针传递指针,否则您无法更改指针。按值传递会生成对象的副本,并且对对象的任何更改都是针对副本而不是对象进行的。如果按值传递,则可以更改指针指向的对象,但不能更改指针本身。

阅读此问题以帮助更详细地了解差异在 C++ 中何时通过引用传递和何时通过指针传递?

于 2012-08-07T08:56:18.177 回答