最短的常见超弦问题的目标是找到最短的 可能的字符串,包含给定集合中的每个字符串作为子字符串。我知道问题是“NP完成”。但是这个问题有近似策略。 给出短字符串例如
ABRAC
ACADA
ADABR
DABRA
RACAD
如何实现最短的公共超弦问题,使得上面给定字符串的输出为ABRACADABRA
?
另一个例子
Given
fegiach
bfgiak
hfdegi
iakhfd
fgiakhg
字符串
bfgiakhfdegiach
是长度为15的可能解决方案。
我想在Ruby中实现这一点,虽然我没有对算法进行深入研究,但我正在努力改进它。
一个天真的贪婪实现将涉及为每个子字符串
创建一个后缀数组def suffix_tree(string)
size = string.length
suffixes = Array.new(size)
size.times do |i|
suffixes[i] = string.slice(i, size)
end
suffixes
end
#store the suffixes in a hash
#key is a fragment, value = suffixes
def hash_of_suffixes(fragments)
suffixes_hash = Hash.new
fragments.each do |frag|
suffixes_hash["#{frag}"]= suffix_tree(frag)
end
suffixes_hash
end
fragments = ['ABRAC','ACADA','ADABR','DABRA','RACAD']
h = hash_of_suffixes(fragments)
#then search each fragment in all the suffix trees and return the number of
#overlaps for each key
#store the results in graph??
#find possible ordering of the fragments
I would be grateful with some help.
答案 0 :(得分:1)
请注意评论指出您的示例存在的问题。还要注意,如果有一些光滑的方法来做到这一点,我不知道它是什么。我只是迭代所有的排列,将它们放在一起,然后找到最短的排列。
class ShortestSuperstring
def initialize(*strings)
self.strings = strings
end
def call
@result ||= smoosh_many strings.permutation.min_by { |permutation| smoosh_many(permutation.dup).size }
end
private
attr_accessor :strings
def smoosh_many(permutation, current_word='')
return current_word if permutation.empty?
next_word = permutation.shift
smoosh_many permutation, smoosh_two(current_word, next_word)
end
def smoosh_two(base, addition)
return base if base.include? addition
max_offset(base, addition).downto 0 do |offset|
return base << addition[offset..-1] if addition.start_with? base[-offset, offset]
end
end
def max_offset(string1, string2)
min string1.size, string2.size
end
def min(n1, n2)
n1 < n2 ? n1 : n2
end
end
测试套件:
describe ShortestSuperstring do
def self.ss(*strings, possible_results)
example "#{strings.inspect} can come from superstrings #{possible_results.inspect}" do
result = described_class.new(*strings).call
strings.each { |string| result.should include string }
possible_results.should include(result), "#{result.inspect} was not an expected superstring."
end
end
ss '', ['']
ss "a", "a", "a", ['a']
ss "a", "b", %w[ab ba]
ss 'ab', 'bc', ['abc']
ss 'bc', 'ab', ['abc']
ss 'abcd', 'ab', ['abcd']
ss 'abcd', 'bc', ['abcd']
ss 'abcd', 'cd', ['abcd']
ss 'abcd', 'a', 'b', 'c', 'd', ['abcd']
ss 'abcd', 'a', 'b', 'c', 'd', 'ab', 'cd', 'bcd', ['abcd']
%w[ABRAC ACADA ADABR DABRA RACAD].permutation.each do |permutation|
ss *permutation, %w[RACADABRAC ADABRACADA]
end
%w[fegiach bfgiak hfdegi iakhfd fgiakhg].permutation.each do |permutation|
ss *permutation, %w[bfgiakhgiakhfdegifegiach
bfgiakhgfegiachiakhfdegi
iakhfdegibfgiakhgfegiach
iakhfdegibfgiakhgfegiach
fegiachiakhfdegibfgiakhg
fegiachbfgiakhgiakhfdegi
iakhfdegifegiachbfgiakhg]
end
end