4

我有一个名为仓库的结构和一个通用链表,每个项目都指向一个仓库结构。

typedef struct linked{
    char type;
    void * item;
    struct linked * next;
    struct linked * prev;
}LinkedList;


typedef struct warehouse{
    char * name;
    float volume;
    float (* getPrice) (void * S);
    float (* getTotalDollarAmount)(void * S);
}house_t;

当我试图让getPrice函数指针指向一个函数时float price (void *S)

void menu (LinkedList *house){
    char *c;
    float num;
    c = (char*)malloc(sizeof(char)*10);

    LinkedList *i;
    i = (LinkedList*)malloc(sizeof(LinkedList);
    house_t *sk;
    sk = (house_t *) malloc(sizeof(house_t));
    //i->item = (house_t *) malloc(sizeof(house_t));

    scanf("%c", c);

    ((house_t*)i->item)->getPrice = price;
    sk=findhouse(house, c);
    num = ((house_t*)i->item)->getPrice(sk);
    printf("%f",num);
}

我遇到了错误的访问错误。因为每次我遇到错误的访问错误都是因为我没有为某些东西分配内存。但是我需要为函数指针分配内存吗?如果是这样,怎么做?

这里还有一些代码

float price (void *S)
{
    return ((house_t*)S)->volume;
}
4

1 回答 1

1
LinkedList *i;
i = NewLinkedList();

/* ... snip ... */

LinkedList *NewLinkedList()
{
    return NULL;
}

根据您对 的定义NewLinkedList(),变量i是 now NULL。您尝试使用取消引用它,但如果isi->item = ...则不能这样做。我认为你真正想做的是在你的函数中为你的链表分配空间:iNULLNewLinkedList

LinkedList * NewLinkedList()
{
    LinkedList *result = malloc(sizeof(LinkedList));
    result->type = '\0';  // set to suitable initial value
    result->item = NULL;
    result->next = NULL;
    result->prev = NULL;
    return result;
}
于 2013-04-12T01:31:00.287 回答