C++程序 在链表中找到循环的长度

C++程序 在链表中找到循环的长度

编写一个名为 detectAndCountLoop() 的函数,它检查给定的链表是否包含循环,如果存在循环,则返回循环节点中的节点数。 例如,下面的链接列表中存在循环,循环的长度为4。 如果不存在循环,则该函数应返回0。

C++程序 在链表中找到循环的长度

方法:

知道当快慢指针在公共点相遇时,Floyd循环检测算法会终止。知道这个公共点是循环节点中的一个。将此公共点的地址存储在指针变量中,例如(ptr)。然后初始化计数器1并从公共点开始,继续访问下一个节点并增加计数器,直到再次到达公共指针为止。

在那一点,计数器的值将等于循环的长度。

算法:

  1. 通过使用Floyd循环检测算法在循环中找到公共点
  2. 将指针存储在临时变量中并保留 count = 0
  3. 遍历链表,直到到达相同的节点,并在移动到下一个节点时增加计数器。
  4. 打印计数作为循环的长度
// C ++程序来计算循环中的节点数
//现有的链接列表中的如果循环是
#include<bits/stdc++.h>
using namespace std;
// 链接列表节点
struct Node
{
    int data;
    struct Node* next;
};
// 返回循环中出现的节点数
int countNodes(struct Node *n)
{
    int res = 1;
    struct Node *temp = n;
    while (temp->next != n)
    {
        res++;
        temp = temp->next;
    }
    return res;
}
/*此函数在列表中检测和计数回路
   节点。如果没有回路
   在那里,返回0
*/
int countNodesinLoop(struct Node *list)
{
    struct Node *slow_p = list,
                *fast_p = list;
    while (slow_p &&
           fast_p &&
           fast_p->next)
    {
        slow_p = slow_p->next;
        fast_p = fast_p->next->next;
        /*如果slow_p和fast_p相交
    一些地方,那么有一个循环*/
        if (slow_p == fast_p)
            return countNodes(slow_p);
    }
    /*返回0以指示
       没有循环*/
    return 0;
}
struct Node *newNode(int key)
{
    struct Node *temp =
           (struct Node*)malloc(sizeof(struct Node));
    temp->data = key;
    temp->next = NULL;
    return temp;
}
//驱动程序
int main()
{
    struct Node *head = newNode(1);
    head->next = newNode(2);
    head->next->next = newNode(3);
    head->next->next->next = newNode(4);
    head->next->next->next->next = newNode(5);
    //创建一个用于测试的循环
    head->next->next->下->next = head->next;
 
    cout << countNodesinLoop(head) << endl;
    return 0;
}
// 这段代码由SHUBHAMSINGH10贡献```  

输出:

4

复杂度分析:

  • 时间复杂度: O(n)。 只需要遍历链表一次。
  • 辅助空间: O(1)。 因为不需要额外的空间。

Python教程

Java教程

Web教程

数据库教程

图形图像教程

大数据教程

开发工具教程

计算机教程

C++ 示例