-
Notifications
You must be signed in to change notification settings - Fork 48
/
Copy path066-permutations.py
37 lines (32 loc) · 1.2 KB
/
066-permutations.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
from collections import OrderedDict
class Permutations(object):
def find_permutations(self, string):
if string is None or string == '':
return string
counts_map = self._build_counts_map(string)
curr_results = []
results = []
self._find_permutations(counts_map, curr_results, results, len(string))
return results
def _build_counts_map(self, string):
counts_map = OrderedDict()
for char in string:
if char in counts_map:
counts_map[char] += 1
else:
counts_map[char] = 1
return counts_map
def _find_permutations(self, counts_map, curr_result,
results, input_length):
for char in counts_map:
if counts_map[char] == 0:
continue
curr_result.append(char)
counts_map[char] -= 1
if len(curr_result) == input_length:
results.append(''.join(curr_result))
else:
self._find_permutations(counts_map, curr_result,
results, input_length)
counts_map[char] += 1
curr_result.pop()