-
Notifications
You must be signed in to change notification settings - Fork 39
/
Copy pathproblem_24.py
56 lines (41 loc) · 1.33 KB
/
problem_24.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
def coding_problem_24():
r"""
Implement locking in a binary tree. A binary tree node can be locked or unlocked only if any of its descendants or
ancestors are not locked. Write a binary tree node class with the following methods:
is_locked, which returns whether the node is locked
lock, which attempts to lock the node. If it cannot be locked, then it should return false.
Otherwise, it should lock it and return true.
unlock, which unlocks the node
You may assume the class is used in a single-threaded program, so there is no need for actual locks or mutexes.
Each method should run in O(h), where h is the height of the tree.
Example:
>>> node_class = coding_problem_24()
root
/ \
Y Z
/ \ / \
* * X *
/ \
* *
>>> X, Y = node_class(), node_class()
>>> Z = node_class(right_child=X)
>>> root = node_class(left_child=Y, right_child=Z)
>>> Z.lock()
True
>>> Z.is_locked()
True
>>> root.is_locked()
False
>>> root.lock() # because descendants are locked
False
>>> X.lock() # because ancestors are locked
False
>>> Z.unlock()
True
>>> X.lock()
True
"""
pass
if __name__ == '__main__':
import doctest
doctest.testmod(verbose=True)