Cycle detection and removal in linked list

Why does this not print the linked list?

#include <bits/stdc++.h>
using namespace std;

class Node
{
public:
int data;
Node *next;
Node(int d)
{
data = d;
next = NULL;
}
};

// head - Head pointer of the Linked List
// Return a boolean value indicating the presence of cycle
// If the cycle is present, modify the linked list to remove the cycle as well
bool floydCycleRemoval(Node head)
{
/
Code here */
Node *slow = head;
Node *fast = head;

while (fast != NULL && fast->next != NULL){

	fast = fast->next->next;
	slow = slow->next;

	if (fast == slow) {
        fast = head;
		
        while(slow->next != fast->next)
        {
            slow = slow->next;
            fast = fast->next;
        }
        slow->next=NULL;

		return 1;
	}
}

return 0;

}

/*
*
*

  • You do not need to refer or modify any code below this.
  • Only modify the above function definition.
  • Any modications to code below could lead to a ‘Wrong Answer’ verdict despite above code being correct.
  • You do not even need to read or know about the code below.

*/

void buildCycleList(Node *&head)
{
unordered_map<int, Node *> hash;
int x;
cin >> x;
if (x == -1)
{
head = NULL;
return;
}
head = new Node(x);
hash[x] = head;
Node *current = head;
while (x != -1)
{
cin >> x;
if (x == -1)
break;
if (hash.find(x) != hash.end())
{
current->next = hash[x];
return;
}
Node *n = new Node(x);
current->next = n;
current = n;
hash[x] = n;
}
current->next = NULL;
}

void printLinkedList(Node *head)
{
unordered_set s;
while (head != NULL)
{
if (s.find(head->data) != s.end())
{
cout << "\nCycle detected at " << head->data;
return;
}
cout << head->data << " ";
s.insert(head->data);
head = head->next;
}
}

int main()
{
Node *head = NULL;

buildCycleList(head);

bool cyclePresent = floydCycleRemoval(head);
if (cyclePresent)
{
    cout << "Cycle was present\n";
}
else
{
    cout << "No cycle\n";
}

cout << "Linked List - ";
printLinkedList(head);

return 0;

}

hello @brinda_dabhi

go to this link-> https://ide.codingblocks.com/

paste ur code in editor, press ctrl + s and then press save
a url will be generated in ur search bar ,share that url with me

I hope I’ve cleared your doubt. I ask you to please rate your experience here
Your feedback is very important. It helps us improve our platform and hence provide you
the learning experience you deserve.

On the off chance, you still have some questions or not find the answers satisfactory, you may reopen
the doubt.