Xor linked list
Xor linked list
Problem
This problem was asked by Google.
An XOR linked list is a more memory efficient doubly linked list. Instead of each node holding next and prev fields, it holds a field named both, which is an XOR of the next node and the previous node. Implement an XOR linked list; it has an add(element) which adds the element to the end, and a get(index) which returns the node at index.
If using a language that has no pointers (such as Python), you can assume you have access to get_pointer and dereference_pointer functions that converts between nodes and memory addresses.
Solution
- Assume:
get(index), index >=0, a valid index
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
74
75
76
77
78
79
80
81
82
83
84
#include <iostream>
using namespace std;
template<int n>
struct PointerSize {
typedef int Type;
};
template<>
struct PointerSize<8> {
typedef long Type;
};
template<>
struct PointerSize<4> {
typedef int Type;
};
typedef PointerSize<sizeof(int*)>::Type PointerType;
struct ListNode {
int val;
PointerType both;
ListNode(int v): val(v), both(0) {};
};
class XorLinkedList {
public:
XorLinkedList() {
head = tail = nullptr;
}
// TODO: support adding at head
void add(int val) {
cout << "Adding value: " << val << endl;
if (tail == nullptr) {
head = tail = new ListNode(val);
} else {
ListNode* new_node = new ListNode(val);
tail->both = tail->both ^ (PointerType)(new_node);
new_node->both = (PointerType)tail;
tail = new_node;
}
cout << "head: " << head->val << " tail: " << tail->val << endl;
}
void print() {
ListNode* node = head;
PointerType prev = 0;
while (node) {
cout << node->val << ", ";
ListNode* next = (ListNode*)(node->both ^ prev);
prev = (PointerType)node;
node = next;
}
cout << endl;
}
ListNode* get(int index) {
int count = 0;
ListNode* node = head;
ListNode* prev = 0;
while (count < index) {
ListNode* next = (ListNode*)(node->both ^ (PointerType)prev);
prev = node;
node = next;
++count;
}
return node;
}
private:
ListNode* head;
ListNode* tail;
};
int main() {
XorLinkedList l;
l.add(3);
l.add(4);
l.add(5);
l.print();
cout << l.get(2)->val << endl;
}
Comments
- Given a node, how to find the previous and next node?
This post is licensed under CC BY 4.0 by the author.