好吧,我整天都在这里(不是hw),尽管它可能不是一个特别有用的代码,但这是一个巧妙的概念。我试图找出最后设置值的最佳方法,因为缺少一个更好的名称,一个指向指针链的指针。例如,我声明:
int *****ptr;
将每个指针设置为指针段的最佳方法是什么,一直到实际的int值?
此代码无法编译,因为它不喜欢我使用和取消引用void指针的方式:
#include <stdio.h>
#include <stdlib.h>
#define NUMPOINTERS 5
int main(int argc, char **argv)
{
int *****number;
*****number = malloc(sizeof(void*));
void *ptr = *number;
int i;
for(i = 1; i < NUMPOINTERS; i++)
{
if(i == NUMPOINTERS - 1)
{
ptr = malloc(sizeof(int));
int *iPtr = (int*)ptr;
*iPtr = 900;
break;
}
*ptr = malloc(sizeof(void*));
ptr = **ptr;
}
printf("%d", *****number);
return 0;
}
是否有一些文章谈论指针的荒谬数量指针以及如何使用它们?
答案 0 :(得分:1)
你所拥有的非常接近。不过,你可能想从内到外工作。以下是基于您的计划的完整示例(评论内联):
#include <stdio.h>
#include <stdlib.h>
#define NUMPOINTERS 5
int main(void)
{
void *ptr = malloc(sizeof(int)); // allocate space for the integer value
*(int *)ptr = 900; // initialize it
// iterate to create the nested pointers
for (int i = 1; i < NUMPOINTERS; i++)
{
void **newptr = malloc(sizeof(void *)); // create a new pointer
*newptr = ptr; // point it at what we have so far
ptr = newptr; // "step out" one level
}
int *****number = ptr; // make our 'int *****' pointer
printf("%d\n", *****number); // dereference and print the pointed-to value
return 0;
}