我正在使用指针并想出了一个问题。 到目前为止,我知道当我们创建任何数据类型的数组时,数组的名称实际上是指向数组的第一个索引的指针(可能是静态指针)。正确的吗?
所以我想要实现的是创建另一个指针,该指针可以保存数组名称的地址(即指向另一个指针的指针,在我的例子中是数组名称)
例如:
char name[] = "ABCD"; // name holding the address of name[0]
char *ptr1 = name; // When this is possible
char **ptr2 = &name; // Why not this. It give me error that cannot convert char(*)[5] to char**
我使用代码块作为IDE。
答案 0 :(得分:8)
TL; DR 数组不是指针。
在您的代码中,&name
是指向 5 char
s 数组的指针。这与指向指向char
的指针的指针不同。您需要将代码更改为
char (*ptr2)[5] = &name;
,或者
char (*ptr2)[sizeof(name)] = &name;
FWIW,在某些情况下(例如,将数组作为函数参数传递),数组名称衰减到指向数组中第一个元素的指针。
答案 1 :(得分:2)
如果要使用指针指针,可以使用:
int main(void){
char name[] = "ABCD";
char *ptr1 = name;
char **ptr2 = &ptr1;
std::cout << *ptr1 << std::endl;
std::cout << **ptr2 << std::endl;
}
欢呼声。