2

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

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

我应该使用全局变量吗?

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

或者是什么?

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

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

4

2 回答 2

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为 0,则添加节点将失败,否则将添加节点并减量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为零时)尝试添加节点的额外限制。

于 2010-10-17T09:11:34.250 回答
1

链接/动态堆栈通过在其顶部添加一个新的动态分配节点来增长。现在内存永远是无限的,在动态增长的某一时刻,你会耗尽内存,你将无法创建新节点。这可以被视为堆栈溢出。

于 2010-10-17T08:16:28.783 回答