-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathp07.py
90 lines (73 loc) · 2.16 KB
/
p07.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
# https://adventofcode.com/2022/day/7
# Created by: Menaka S. 7 Dec 2022
import sys
allNodes = []
class Node:
# Constructor to create a new node
def __init__(self, name, size, type):
self.children=[]
self.name = name
self.type = type
self.size = size
self.parent = None
all.append(self)
def insert(self, name, size, type = 'file'):
child = Node(name,size,type)
child.parent = self
self.children.append(child)
return self
def get_child(self, name):
for child in self.children:
if child.name == name:
return child
def calc_size(self):
if self.type == 'file':
return self.size
else:
for child in self.children:
self.size += child.calc_size()
return self.size
def print_children(self):
for child in self.children:
if child.type == 'file':
print(child.name,child.size)
else:
print(child.name,child.size,child.type)
child.print_children()
def sum_children(self,sum):
for child in self.children:
if child.type == 'dir':
sum = child.sum_children(sum)
if child.size <=100000:
sum += child.size
return sum
fsRoot = Node('/',0,'dir')
for line in sys.stdin:
line = line.strip()
parts = line.split(' ')
if parts[1] == 'cd' and parts[2] == '/':
curr = fsRoot
elif parts[1] == 'cd' and parts[2] == '..':
curr = curr.parent
elif parts[1] == 'cd':
curr = curr.get_child(parts[2])
elif parts[0] =='dir':
curr = curr.insert(parts[1],0,'dir')
elif parts[1] == 'ls':
continue
else:
curr =curr.insert(parts[1],int(parts[0]),'file')
#Calculate size of directories
curr = fsRoot
curr.calc_size()
#For checking if tree is built properly
#curr = fsRoot
#curr.print_children()
#Part 1
curr = fsRoot
print(curr.sum_children(0))
print("===")
#Part 2
#print(fsRoot.size)
toFreeup = 30000000-(70000000 - fsRoot.size)
print(min([i.size if i.size > toFreeup else 70000000 for i in allNodes ]))