我应该如何实现C动态链接列表的容量?

时间:2010-10-17 08:07:15

标签: c stack-overflow capacity

我知道当你在OOP语言中将它用作ADT时,它很容易实现。

但是对于像C这样的结构化语言应该怎么做?

我应该使用全局变量吗?

我应该在每个节点中保留一个额外的变量吗?

或者什么?

我已经实现了像this这样的动态堆栈。

如您所见,没有容量检查。

2 个答案:

答案 0 :(得分:3)

如果要对链表实施容量限制,最好的方法是使用每个列表限制。以下结构将允许:

// List structure: first/last pointers plus remaining capacity.
typedef struct {
    tNode *first;
    tNode *last;
    size_t freeCount;
} tList;

// Node structure: value pointer and next.
typedef struct sNode {
    void *val;
    struct sNode *next;
} tNode;

然后您初始化每个列表的限制:

// Creates an empty list.
tList *makeList (size_t limit) {
    tList *list = malloc (sizeof (tList));
    if (list == NULL)
        return NULL;
    list->freeCount = limit;
    list->first = list->last = NULL;
}

// Destroys a list after clearing it if necessary.
void destroyList (tList list) {
    void *val = getNode (list);
    while (val != NULL) {
        free (val);
        val = getNode (list);
    }
    free (list);
}

之后,如果freeCount为零,则添加节点将失败,否则将添加节点并递减freeCount。删除节点会增加freeCount,例如:

// Puts an item on to the list end.
int putNode (tList *list, void *val, size_t sz) {
    // No more capacity.
    if (list->freeCount == 0) return -1;

    // Try to make node, returning error if no memory.
    tNode *node = malloc (sizeof (tNode));
    if (node == NULL) return -1;

    // Try to duplicate payload, clean up and return if no memory.
    node->val = malloc (sz);
    if (node->val == NULL) {
        free (node);
        return -1;
    }

    // Initialise node.
    memcpy (node->val, val, sz)
    node->next = NULL;

    // Adjust remaining capacity and insert into list.
    list->freeCount--;
    if (list->first == NULL) {
        list->first = list->last = node;
    } else {
        list->last->next = node;
        list->last = node;
    }

    return 0;
}

// Gets an item from the list.
void *getNode (tList *list) {
    // If empty, just return NULL.
    if (list->first == NULL)
        return NULL;

    // Get first node and remove it from list.
    tNode node = list->first;
    list->first = list->first->next;

    // Get the payload and free the node.
    void *val = node->val;
    free (node);

    // Adjust remianing capacity and return payload.
    list->freeCount++;
    return val;
}

注意所有正常的错误条件(没有内存,列表为空等)以及当你已经达到满容量时尝试添加节点的额外限制(当freeCount为零时。)

答案 1 :(得分:1)

链接/动态堆栈通过向其顶部添加新的动态分配节点而增长。现在内存永远不会无限制,在动态增长的某一点上,你将耗尽内存并且你将无法创建新节点。这可以视为stackoverflow。