3

我正在构建一个具有结构的链表字典,列表中的每个节点定义如下:

typedef struct node node;
struct node
{                                                               
      int key;
      char value[ARRAY_MAX];
      node *next;
};  

我遇到问题的地方是当我在我的 insert 和 makedict 函数中为键或值分配值时。我在作业中收到以下错误:

node* insert(node* start, char* vinput, int kinput) {
    node* temp = start;
    while((temp->next->key < kinput) && temp->next!=NULL) {
        temp=temp->next;
    }
    if(temp->key==kinput) {
        temp->key = kinput;
        return temp;
    } else {
        node* inputnode = (node*)malloc(sizeof(node));
        inputnode->next = temp->next;
        temp->next = inputnode;
        inputnode->key = kinput;   /*error: incompatible types in assignment*/
        inputnode->value = vinput;
        return inputnode;
}

和:

node* makedict(char* vinput, int kinput) {
    node* temp = (node*)malloc(sizeof(node));
    temp->value = vinput;
    temp->key = kinput; /*error: incompatible types in assignment*/
    temp->next = NULL;
    return temp;
}

我知道我可能遗漏了一些非常明显的东西,但我一遍又一遍地阅读这段代码无济于事。任何帮助表示赞赏。

4

1 回答 1

7

我认为这条线

inputnode->value = vinput;

是编译器抱怨的。尝试

strcpy(inputnode->value, vinput);

或者,更好的是,将“值”字段设为 char * 并执行

inputnode->value = strdup(vinput)
于 2013-09-03T02:30:30.117 回答