-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathp183.java
70 lines (66 loc) · 1.67 KB
/
p183.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
/*Write a function that moves the last node to the front in a given Singly Linked List.
Examples:
Input: 1->2->3->4->5
Output: 5->1->2->3->4
Input: 3->8->1->5->7->12
Output: 12->3->8->1->5->7 */
import java.util.*;
class Node{
int data;
Node next;
public Node(int d){
data=d;
next=null;
}
}
class SSL_moveLastNode{
static Node hptr=null;
public static void append(int d){
if(hptr==null){
Node temp=new Node(d);
hptr=temp;
}else{
Node temp=hptr;
while(temp.next!=null){
temp=temp.next;
}
Node nptr=new Node(d);
temp.next=nptr;
}
}
public static void display(){
Node temp=hptr;
while(temp!=null){
System.out.print(temp.data+" ");
temp=temp.next;
}
}
public static void moveLastNodeToFront() {
if (hptr.next == null) {
return;
}
Node curr = hptr;
Node secondLastNode = null;
while (curr.next != null) {
secondLastNode = curr;
curr = curr.next;
}
secondLastNode.next = null;
curr.next = hptr;
hptr = curr;
}
public static void main(String[] args){
Scanner sc=new Scanner(System.in);
System.out.println("Enter size : ");
int n=sc.nextInt();
for(int i=0;i<n;i++){
int ele=sc.nextInt();
append(ele);
}
System.out.println("\nLInked list");
display();
moveLastNodeToFront();
System.out.println("\nList after moving the last node to the front:");
display();
}
}