-1
#include<cstdio>
#include<iostream>
#include<cstring>

using namespace std;

void f(char **x)
{
    (*x)++;
    **x = 'a';
}    

int main()
{
    char str[]="hello";
    f(&str);
    cout << str << endl;
    return 0;
}

请告诉我为什么这个程序给出编译错误。我正在使用 g++ 编译器

Error :temp1.cpp:16:8: error: cannot convert ‘char (*)[6]’ to ‘char**’ for 
       argument ‘1’ to ‘void f(char**)’
4

4 回答 4

3

数组可以隐式转换为指针,但这并不意味着隐式的“指针等效”已经存在。

您希望这f(&str);将隐式创建指向该指针的指针str 指向该指针的指针。

这个小的(工作)变化说明了这一点:

int main()
{
    char str[]="hello";
    char *pstr = str;        // Now the pointer extists...
    f(&pstr);                // ...and can have an address
    cout << str << endl;
    return 0;
}
于 2012-10-14T15:13:48.593 回答
0

您正在将常量 char 的指针传递给函数,但在函数中您将其作为指针的指针。那就是问题所在。我在下面评论了问题所在。 [离题但注意:数组和指针是不同的概念。]

#include<cstdio>
#include<iostream>
#include<cstring>

using namespace std;

void f(char **x)  //**x is pointer of pointer
{
    (*x)++;
    **x = 'a';
}    

int main()
{
    char str[]="hello";
    f(&str); //You are passing pointer of constant char.
    cout << str << endl;
    return 0;
}
于 2012-10-14T15:13:12.927 回答
0

你的函数会遇到一个严重的问题,f因为&str两者&str[0]都评估为相同的值......正如其他海报所指出的那样,这些操作指向不同的类型,但实际的指针 r-value 将是相同的。因此,当您尝试对指针f进行双重取消引用时,即使您尝试使用强制转换之类的东西来消除类型差异并允许编译发生错误,您也会遇到段错误。这是因为你永远不会得到一个指向指针的指针......事实上和评估相同的指针值意味着双重取消引用实际上试图将值用作指针值,这是行不通的。char**x&str&str[0]charstr[0]

于 2012-10-14T15:15:30.040 回答
0

您的问题是您将数组视为指针,而实际上它们不是。数组衰减为指针,在这种情况下,它不会。你传入的是 achar (*)[6]当它期望 a 时char **。这些显然不一样。

将您的参数更改为char (*x)[6](或使用带有大小参数的模板):

template <std::size_t N>
void f(char (*x)[N])

进入后,您尝试增加 x 指向的内容。您不能递增数组,因此请改用实际指针:

char *p = *x;
p++;
*p = 'a';

全部放在一起,(示例

template <std::size_t N>
void f(char(*x)[N])
{
    if (N < 2) //so we don't run out of bounds
        return;

    char *p = *x;
    p++;
    *p = 'a';
}  
于 2012-10-14T15:18:55.883 回答