-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathStacks.java
77 lines (60 loc) · 1.65 KB
/
Stacks.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
71
72
73
import java.util.EmptyStackException;
public class Stacks {
private static class Node{
private int data;
private Stacks.Node next;
private Node(int data) {
this.data=data;
this.next=null;
}
}
private static Node top;
// Method 1: A method to check if the stack is empty:
public boolean isEmpty(){
if(top==null){
System.out.println("Nothing is inn the Stack.");
return true;
}
else{
return false;
}
}
// Method 2: Peaking to see the current node at the top of the Stack:
public int peek(){
if (top==null){
throw new EmptyStackException();
}
else{
return top.data;
}
}
// Method 3: Adding a node at the top of the stack:
public void push(int data){
Node newNode=new Node(data);
newNode.next=top;
top=newNode;
}
//Method 4: Delete and return the deleted value:
public int pop(){
if (top==null){
throw new EmptyStackException();
}
int data =top.data;
top=top.next;
return data;
}
public Node clear(){
return top=null;
}
public static void main(String[] args) {
Stacks plates = new Stacks();
plates.push(90);
plates.push(85);
plates.push(60);
plates.push(55);
plates.push(70);
System.out.println("The top element of this stack is " +plates.peek());
System.out.println("The deleted value is " +plates.pop());
System.out.println("Clearing the stack now! " + plates.clear());
}
}