1

我正在传递一个指向函数的指针,目的是修改保存在原始地址的数据。

#include<bits/stdc++.h>
using namespace std;
void square(int **x)
{
    **x = **x + 2;
    cout<<**x<<" ";
}
int main()
{
    int y = 5;
    int *x = &y;
    cout<<*x<<" ";
    square(&x);
    cout<<*x<<" ";
    return 0;
 }

我可以使用此代码获得所需的输出,即 5 7 7

只是想知道是否有更好/易于阅读的方法来处理这个问题。

4

2 回答 2

3

如果您只想通过函数中的参数对参数进行修改,则可以使其通过引用。

void square(int& x)
{
    x = x + 2;
    cout<<x<<" ";
}
int main()
{
    int y = 5;
    cout<<y<<" ";
    square(y);
    cout<<y<<" ";
    return 0;
}

如果您只有指针,您仍然可以通过 @cdhowie 建议的方式获取指向operator*对象

或者按指针传递就足够了,那么您不需要中间指针对象x来传递给函数。即不需要像您的代码所示那样使用指向指针的指针。

void square(int* x)
{
    *x = *x + 2;
    cout<<*x<<" ";
}
int main()
{
    int y = 5;
    cout<<y<<" ";
    square(&y);
    cout<<y<<" ";
    return 0;
}
于 2020-07-18T12:44:37.957 回答
1
#include <iostream>
using namespace std;
void square(int *x)
{
    *x = *x + 2;
    cout << *x << " ";
}

int main()
{
    int y = 5;
    cout<< y <<" ";
    square(&y);
    cout<< y << " ";
    return 0;
}

根据您提供的示例代码,您不需要双重间接。只需通过指针而不是指向指针的指针。或者,使用通过引用传递。

于 2020-07-18T12:52:45.307 回答