-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathequal_stacks.py
65 lines (44 loc) · 2.01 KB
/
equal_stacks.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
"""
You have three stacks of cylinders where each cylinder has the same diameter, but they may vary in height. You can
change the height of a stack by removing and discarding its topmost cylinder any number of times.
Find the maximum possible height of the stacks such that all of the stacks are exactly the same height. This means you
must remove zero or more cylinders from the top of zero or more of the three stacks until they're all the same height,
then print the height. The removals must be performed in such a way as to maximize the height.
Note: An empty stack is still a stack.
Input Format
The first line contains three space-separated integers, , , and , describing the respective number of cylinders in
stacks , , and . The subsequent lines describe the respective heights of each cylinder in a stack from top to bottom:
The second line contains space-separated integers describing the cylinder heights in stack .
The third line contains space-separated integers describing the cylinder heights in stack .
The fourth line contains space-separated integers describing the cylinder heights in stack .
Constraints
Output Format
Print a single integer denoting the maximum height at which all stacks will be of equal height.
Sample Input
5 3 4
3 2 1 1 1
4 3 2
1 1 4 1
Sample Output
5
"""
import collections
from operator import attrgetter
Stack = collections.namedtuple('Stack', 'stack sum name')
h1 = [1, 1, 1, 1, 2]
h2 = [3, 7]
h3 = [1, 3, 1]
h1_stack = Stack(h1, sum(h1), '1')
h2_stack = Stack(h2, sum(h2), '2')
h3_stack = Stack(h3, sum(h3), '3')
stacks = [h1_stack, h2_stack, h3_stack]
for i in range(max([len(stack.stack) for stack in stacks])):
# check equality
stack_sums = [_stack.sum for _stack in stacks]
if min(stack_sums) == 0 or len(set(stack_sums)) == 1:
print(stacks[0].sum)
break
stacks = sorted(stacks, key=attrgetter('sum'), reverse=True)
long_stack = stacks[0]
removed_number = long_stack.stack.pop(0)
stacks[0] = long_stack._replace(sum=sum(long_stack.stack))