-
Notifications
You must be signed in to change notification settings - Fork 49
/
Copy pathpermutation.rb
72 lines (64 loc) · 1.49 KB
/
permutation.rb
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
# print all permutations of a string
# https://www.topcoder.com/generating-permutations/
# Also see my past answers: https://github.com/rayning0/codility/blob/master/permutation.rb
# 2 swap algorithm. Faster!
def permutation(str, n = str.length)
if n == 1
puts str
else
n.times do |i|
str[i], str[n - 1] = str[n - 1], str[i] # swap str[i] with str[n-1]
permutation(str, n - 1)
str[i], str[n - 1] = str[n - 1], str[i]
end
end
end
# Decrease and Conquer:
# 1. divide the problem into two parts: a sub-problem of size (n -1) and a single remaining element.
# 2. solve the sub-problem of size (n-1) by a recursive call (or an iterative decreasing process).
# 3. add the remaining individual element back into the sub-problem’s solution.
def permute(a)
return [a] if a.size < 2
perms = []
a.each do |elem|
permute(a - [elem]).each do |p|
perms << ([elem] + p)
end
end
perms
end
str = 'dear'
now = Time.now
permutation(str)
puts "#{Time.now - now} secs. Faster algorithm"
now = Time.now
p permute(str.split('')).map(&:join)
puts "#{Time.now - now} secs"
# OUTPUT:
# eard
# aerd
# ared
# raed
# erad
# read
# rade
# arde
# adre
# dare
# rdae
# drae
# erda
# reda
# rdea
# drea
# edra
# dera
# eadr
# aedr
# ader
# daer
# edar
# dear
# 7.7e-05 secs
# ["dear", "dera", "daer", "dare", "drea", "drae", "edar", "edra", "eadr", "eard", "erda", "erad", "ader", "adre", "aedr", "aerd", "arde", "ared", "rdea", "rdae", "reda", "read", "rade", "raed"]
# 0.000109 secs