-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathname_node.py
298 lines (251 loc) · 8.75 KB
/
name_node.py
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
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
import random
import time
import threading as th
from typing import Optional, List, Tuple
from urllib.parse import urljoin
from util import *
from members import *
from http_data_node import HttpDataNode
def track_members(db: MemberDB, interval: int, stop_event: th.Event):
"""
Main function of heartbeat thread of NameNode.
It walks through database, initializes new nodes, checks if nodes
are alive and synchronizes nodes that have been dead but came back.
Parameters
----------
db : MemberDb
Database instance.
interval : int
Interval of checks.
stop_event : threading.Event
Notification of main thread cleanup and exit.
"""
while True:
members = db.filter()
for m in members:
node = HttpDataNode(m.url)
if m.status == NEW:
node.mkfs()
try:
donor = random.choice(db.filter(status=ALIVE))
node.sync(donor.url)
donor_node = HttpDataNode(donor.url)
node.cd(donor_node.stat('.')[0])
except IndexError as e:
continue
finally:
m.status = ALIVE
else:
if node.ping_alive():
if m.status == DEAD:
node.mkfs()
try:
donor = random.choice(db.filter(status=ALIVE))
node.sync(donor.url)
donor_node = HttpDataNode(donor.url)
node.cd(donor_node.stat('.')[0])
except IndexError as e:
continue
finally:
m.status = ALIVE
else:
m.status = DEAD
if stop_event.is_set():
return
time.sleep(interval)
class NameNode:
"""
Python API for DFS cluster operation. Handles data nodes in
separate thread. It provides same interface as DataNode both in
python and HTTP, and additional routines for cluster management.
Class Attributes
----------------
DEFAULT_HEARTBEAT : int
Default interval of data node status checks.
HANDLERS : dict
Dictionary where keys are HTTP endpoints and values are tuples
of three elements: method to call, argument deserialization
routine and return value serialization routine.
"""
DEFAULT_HEARTBEAT = 1
@staticmethod
def get_args(env: os.environ) -> tuple:
"""
Provides server with args to build an instance of NameNode.
Parameters
----------
env : os.environ
Map of environment variables from server.
Returns
-------
tuple:
Tuple with arguments for constructor.
"""
return (env['DFS_DB_PATH'], env.get('DFS_HEARTBEAT'))
def __init__(self, db_path: str, heartbeat: Optional[int] = None):
"""
Initialize member database. Start heartbeat thread.
Parameters
----------
db_path : str
Path to database file.
heartbeat : Optional[int]
Interval of member status checks. If not specified uses
DEFAULT_HEARTBEAT value.
"""
self._heartbeat_stop = None
self._heartbeat = None
self._db = MemberDB(db_path)
heartbeat = heartbeat or self.DEFAULT_HEARTBEAT
self._heartbeat_stop = th.Event()
self._heartbeat = th.Thread(
target=track_members,
args=(self._db, heartbeat, self._heartbeat_stop),
)
self._heartbeat.start()
def add_node(self, public_url: str, url: str, node_id: str):
"""
Add data node to members database with status NEW.
Parameters
----------
public_url : str
Redirection URL user read operations.
url : str
URL for direct data node interaction.
node_id : str
Unique identifier of data node.
"""
self._db.create(node_id, url, public_url=public_url)
def status(self) -> List[Tuple[str, str]]:
"""
Get status of data nodes.
Returns
-------
List[Tuple[str, str]]:
Array of pairs with data node id and its status.
"""
return [(n.id, n.status) for n in self._db.filter()]
def mkfs(self):
nodes = self._db.filter(status=ALIVE)
for node in nodes:
HttpDataNode(node.url).mkfs()
def df(self) -> List[Tuple[str, int, int, int]]:
"""
Get disk usage info for members.
Returns
-------
List[Tuple[str, int, int, int]]:
Array of node id, total, used, and free bytes.
"""
nodes = self._db.filter(status=ALIVE)
total = []
for node in nodes:
total.append(
(node.id, *HttpDataNode(node.url).df())
)
return total
def cd(self, path: str):
nodes = self._db.filter(status=ALIVE)
for node in nodes:
HttpDataNode(node.url).cd(path)
def ls(self, path: Optional[str] = None) -> str:
"""
Get endpoint for reading directory.
Selects healthy data node and redirects user to read actual
results from there.
Parameters
----------
path : Optional[str]
Path to directory.
Returns
-------
str:
URL to action on healthy data node.
"""
node = random.choice(self._db.filter(status=ALIVE))
return urljoin(node.public_url, 'ls')
def mkdir(self, path: str):
nodes = self._db.filter(status=ALIVE)
for node in nodes:
HttpDataNode(node.url).mkdir(path)
def rmdir(self, path: str, force: Optional[bool] = False):
nodes = self._db.filter(status=ALIVE)
for node in nodes:
HttpDataNode(node.url).rmdir(path, force)
def touch(self, path: str):
nodes = self._db.filter(status=ALIVE)
for node in nodes:
HttpDataNode(node.url).touch(path)
def cat(self, path: str) -> str:
"""
Get endpoint for reading file.
Selects healthy data node and redirects user to read actual
results from there.
Parameters
----------
path : str
Path to file.
Returns
-------
str:
URL to action on healthy data node.
"""
node = random.choice(self._db.filter(status=ALIVE))
return urljoin(node.public_url, 'cat')
def tee(self, path: str, data: bytes):
nodes = self._db.filter(status=ALIVE)
for node in nodes:
HttpDataNode(node.url).tee(path, data)
def rm(self, path: str):
nodes = self._db.filter(status=ALIVE)
for node in nodes:
HttpDataNode(node.url).rm(path)
def stat(self, path: str) -> str:
"""
Get endpoint to fetch file or directory info.
Selects healthy data node and redirects user to read actual
results from there.
Parameters
----------
path : str
Path to file or directory.
Returns
-------
str:
URL to action on healthy data node.
"""
node = random.choice(self._db.filter(status=ALIVE))
return urljoin(node.public_url, 'stat')
def cp(self, src: str, dst: str):
nodes = self._db.filter(status=ALIVE)
for node in nodes:
HttpDataNode(node.url).cp(src, dst)
def mv(self, src: str, dst: str):
nodes = self._db.filter(status=ALIVE)
for node in nodes:
HttpDataNode(node.url).mv(src, dst)
def ping_alive(self):
return True
HANDLERS = {
'/add_node': (add_node, deserialize, serialize),
'/status': (status, deserialize, serialize_matrix),
'/mkfs': (mkfs, deserialize, serialize),
'/df': (df, deserialize, serialize_matrix),
'/cd': (cd, deserialize, serialize),
'/ls': (ls, deserialize, serialize),
'/mkdir': (mkdir, deserialize, serialize),
'/rmdir': (rmdir, deserialize, serialize),
'/touch': (touch, deserialize, serialize),
'/cat': (cat, deserialize, serialize),
'/tee': (tee, deserialize, serialize),
'/rm': (rm, deserialize, serialize),
'/stat': (stat, deserialize, serialize),
'/cp': (cp, deserialize, serialize),
'/mv': (mv, deserialize, serialize),
'/nodes/join': (add_node, deserialize_join, serialize),
'/ping_alive': (ping_alive, deserialize, serialize),
}
def __del__(self):
if self._heartbeat:
self._heartbeat_stop.set()
self._heartbeat.join()