Advertisement
XOR Linked List
JavaView on GFG
XOR Linked List.java
Java
class Node {
int data;
Node npx;
Node(int x) {
data = x;
npx = null;
}
}
class Solution {
// function should insert the data to the front of the list
static Node insert(Node head, int data) {
Node new_node = new Node(data);
if (head == null) {
head = new_node;
return head;
}
new_node.npx = head;
head = new_node;
return head;
}
// function to print the linked list
static ArrayList<Integer> getList(Node head) {
ArrayList<Integer> list = new ArrayList<>();
while (head != null) {
list.add(head.data);
head = head.npx;
}
return list;
}
}Advertisement
Was this solution helpful?