Created
July 21, 2021 13:20
-
-
Save kkirsche/18cf6184d151351053b693098c76f8f9 to your computer and use it in GitHub Desktop.
N-Tree Sum
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#!/usr/bin/env python | |
from __future__ import annotations | |
from uuid import uuid4, UUID | |
from typing import Sequence | |
class Node: | |
node_id: UUID | |
time_to_complete: int | |
children: Sequence[Node] | |
def __init__(self, time_to_complete: int, children: Sequence[Node] = []) -> None: | |
self.node_id = uuid4() | |
self.children = set(children) | |
self.time_to_complete = time_to_complete | |
def __hash__(self) -> int: | |
return hash(f"{self.node_id}:{self.time_to_complete}") | |
def __gt__(self, x: Node) -> bool: | |
try: | |
return self.time_to_complete > x.time_to_complete | |
except ValueError: | |
return self.time_to_complete > x | |
def __ge__(self, x: Node) -> bool: | |
try: | |
return self.time_to_complete >= x.time_to_complete | |
except ValueError: | |
return self.time_to_complete >= x | |
def __lt__(self, x: Node) -> bool: | |
try: | |
return self.time_to_complete < x.time_to_complete | |
except ValueError: | |
return self.time_to_complete < x | |
def __le__(self, x: Node) -> bool: | |
try: | |
return self.time_to_complete <= x.time_to_complete | |
except ValueError: | |
return self.time_to_complete <= x | |
def sum(self) -> int: | |
ttc = self.time_to_complete | |
for child in self.children: | |
ttc += child.sum() | |
return ttc | |
if __name__ == "__main__": | |
D = Node(time_to_complete=4) | |
C = Node(time_to_complete=3) | |
B = Node(time_to_complete=2, children=[C, D]) | |
A = Node(time_to_complete=1, children=[B]) | |
print(A.sum()) |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment