我需要为pNodes指针创建一个数组但是当我声明它时我不知道数组的长度
让我们看看我的意思
这是Node struct
typedef struct _Node {
struct _Node* next;
pElement element;
} Node, *pNode;
这是Hash结构
typedef struct _Hash {
int hashSize;
pNode *hashTable;
}Hash,*pHash;
现在我想要每个人 hashTable框指向pNode
问题是我不知道数组的大小,如果我这样做会像(我猜)
pNode hashTable[hashSize]
我编写它的方式并尝试将所有框重置为NULL:
这是CODE:
分配内存:
pHash hash = (pHash)(malloc(sizeof(Hash)));
hash->hashTable = (pNode)(malloc(sizeof(pNode) * size));
hash->hashSize = size;
resetHashTable(hash->hashTable, size); // reseting the array to NULLS
func:
static void resetHashTable(pNode *hashTable, int size) {
int i;
for (i = 0; i < size; i++) {
hashTable[i] = (pNode)NULL;
}
}
我从程序中得到的许多错误之一是(第一个错误)
hash.c:37:18: warning: assignment from incompatible pointer type [enabled by default]
hash->hashTable = (pNode)(malloc(sizeof(pNode) * size));
我可以指点一下如何编写它吗?
答案 0 :(得分:4)
如果这不是C ++,那么就不要施放malloc
,这行中有错误
hash->hashTable = (pNode)(malloc(sizeof(pNode) * size));
可能是
hash->hashTable = (pNode *)(malloc(sizeof(pNode) * size));
// ^ hashTable is declared pNode *
更好的解决方案是
hash->hashTable = malloc(sizeof(pNode) * size);
答案 1 :(得分:3)
您被声明为pNode
作为指针。然后在Hash结构中声明为pNode * hastable
所以你必须使用双指针**
。或者将其作为哈希结构中的单个指针。
hash->hashTable = (pNode*)(malloc(sizeof(pNode) * size));