0

我有两个结构名称 *head 和 *tail。

我使用 head 作为链表的开始,使用 tail 作为结束。

假设我有一个包含任意数量元素的链表

typedef struct queue
{
    int stuff;
    struct queue *nextNode;
}q;

在我的一个节点中,stuff = 164(这是假设的)

我将如何搜索我的链接列表以找到 164?

谢谢!

4

4 回答 4

4

获取指向链表头部的指针。假设列表中的最后一项标有其nextNode指针为NULL,您可以逐个遍历列表:

struct queue *tmp = head;
while (tmp != NULL) {
    if (tmp->stuff == 164) {
        // found it!
        break;
    }
    tmp = tmp->nextNode;
}
于 2013-02-27T22:33:17.290 回答
0

只需遍历您的队列

struct queue *current = head;

while(current != NULL)
{
    if(current->stuff == numToSearch)
        // found it
    current = current->nextNode;

}

注意:请原谅任何小的语法错误,我已经有一段时间没有接触 c

于 2013-02-27T22:32:48.760 回答
0
struct queue *find(struct queue *ptr, int val) {
 for ( ; ptr; ptr = ptr->nextNode) {
     if (ptr->stuff == val) break;
     }
 return ptr;
}
于 2013-02-27T22:37:30.123 回答
0

从头开始。虽然未达到尾部且当前项目值不是我们正在寻找的值,但转到下一个节点。如果项目完成,则循环不是我们正在寻找的那个 -> 列表中不存在这样的项目。代码是在尾指针不为 NULL 的假设下编写的。

struct queue* item = head;
while (item != tail && item->stuff != 164) {
    item = item->nextNode;
}
if (164 == item->stuff) {
// do the found thing
} else {
// do the not found thing
}
于 2013-02-27T23:12:31.217 回答