我想实现类似于OOP的链表实现。

#include <ctype.h>
#include <string.h>
#include <stdlib.h>

typedef struct node {
    char data[100];
    struct node *next;
    struct node *prev;
}Node;

typedef struct treeNode {
    char treeData[100];
    struct treeNode *left;
    struct treeNode *right;
}TreeNode;

typedef struct sql_struct{
    Node *head, *tail;
}StackQueueList;

typedef struct tree {
    TreeNode *root;
}Tree;

void initStackQueueList(StackQueueList* a) {
    a->head = a->tail = NULL;
}///initStackQueueList

Tree* initTree (Tree* a) {
    a->root = NULL;
}///newTree


但是问题是,每当我使用initStackQueueList()时,它总是使指针似乎是NULL,这有点合情合理,因为我希望其中的VALUES为空,而P​​OINTER本身不为空。因此,可能是我在这里实施了错误操作,我无法解决问题,所以我正在寻求帮助! :)

实施示例:

static const StackQueueList *dqFriend1, *dqFriend2, *dqMyself, *dqVirus;

void initQueues () {
    initStackQueueList(dqFriend1);
    initStackQueueList(dqFriend2);
    initStackQueueList(dqMyself);
    initStackQueueList(dqVirus);
}


=更正版本=

StackQueueList *dqFriend1, *dqFriend2, *dqMyself, *dqVirus;
*dqFriend1 = *dqFriend2 = *dqMyself = *dqVirus = (StackQueueList*) malloc(sizeof (StackQueueList));

void initQueues () {
    initStackQueueList(dqFriend1);
    initStackQueueList(dqFriend2);
    initStackQueueList(dqMyself);
    initStackQueueList(dqVirus);
}


但是现在我遇到了这些错误:

error: conflicting types for 'dqFriend1'|
error: incompatible types when assigning to type 'StackQueueList' from type 'struct StackQueueList *'|

最佳答案

您应该首先为指针dqFriend1dqFriend2dqMyselfdqVirus分配空间。否则,他们的成员将无处可坐。

eg. dqFriend1 = (StackQueueList*)malloc(sizeof(StackQueueList));

09-28 04:31