-
Notifications
You must be signed in to change notification settings - Fork 17
/
Copy pathfind-permutation.py
52 lines (39 loc) · 1.58 KB
/
find-permutation.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
from typing import Set, List, Optional
class Direction:
INCREASING = "I"
DECREASING = "D"
class Solution:
def findPermutation(self, s: str) -> List[int]:
def going_up(direction: str) -> bool:
return direction == Direction.INCREASING
numbers = list(reversed(range(1, len(s) + 3)))
stack: List[int] = [numbers.pop()]
result: List[int] = []
for direction in s + Direction.INCREASING:
if going_up(direction):
while stack:
result.append(stack.pop())
stack.append(numbers.pop())
return result
def findPermutationBruteforce(self, s: str) -> List[int]:
def direction_matches(prev_num: int, next_num: int, direction: str) -> bool:
if direction == Direction.INCREASING:
return prev_num < next_num
else:
return prev_num > next_num
def dfs(sig_pos: int, left: Set[int], path: List[int]) -> Optional[List[int]]:
if sig_pos == len(s):
return path.copy()
for num in left:
if not path or direction_matches(path[-1], num, s[sig_pos]):
left.remove(num)
path.append(num)
if result := dfs(sig_pos + 1, left, path):
return result
path.pop()
left.add(num)
return None
if result := dfs(-1, set(range(1, len(s) + 2)), []):
return result
else:
raise RuntimeError("This isn't possible")