X421: Detect Loop In Linked Chain

Consider the following class definitions:

x
 
1
public class LinkedChain<T> {
2
    private Node<T> firstNode;
3
    private int numberOfEntries;
4
5
    public LinkedChain() {
6
        firstNode = null;
7
        numberOfEntries = 0;
8
    }// end default constructor
9
10
11
    public Node<T> getfirstNode() {
12
        return firstNode;
13
    }
14
15
16
    public int getNumberOfEntries() {
17
        return numberOfEntries;
18
    }
19
20
21
22
    public void push(T newEntry) {
23
        // TODO Auto-generated method stub
24
        firstNode = new Node<T>(newEntry, firstNode);
25
        numberOfEntries++;
26
    }
27
}

Where Node is defined as:

32
 
1
public class Node<T> {
2
     private T data; // Entry in bag
3
     private Node<T> next; // Link to next node
4
5
     public Node(T dataPortion) {
6
         this(dataPortion, null);
7
     } // end constructor
8
9
10
     public Node(T dataPortion, Node<T> nextNode) {
11
         data = dataPortion;
12
         next = nextNode;
13
     } // end constructor
14
15
16
     public T getData() {
17
         if (data != null) {
18
             return data;
19
         }
20
         return null;
21
     }
22
23
24
     public Node getNext() {
25
         return next;
26
     }
27
28
29
     public void setNext(Node<T> newNext) {
30
         next = newNext;
31
     }
32
}

Below, write a Linked Chain method that will determine if a linked chain is actually a loop.

A looped linked chain would look like this:

3
 
1
A --> B --> C --> D -
2
^                   |
3
|___________________

While a normal (not looped) chain would look like this:

1
 
1
A --> B --> C --> D

in this example, the node containing D points to the first node (the node containing A).

Have this method return true, if a linked chain is looped, otherwise false.

Your Answer:

xxxxxxxxxx
4
 
1
public boolean findLoop() {
2
    
3
}
4
Reset
Visualize

Practice a different Java exercise

Feedback

Your feedback will appear here when you check your answer.