您可以从列表中的一个字符串(存储为string
)开始,然后对于列表中的每个剩余字符串(存储为candidate
),其中:
candidate
是的一部分string
,
candidate
包含string
,
candidate
的尾巴与 的头相匹配string
,
- 或者,的
candidate
头部与 的尾部匹配string
根据两个字符串的重叠方式组装两个字符串,然后递归重复该过程,从剩余字符串中删除重叠字符串并附加组装字符串,直到列表中只剩下一个字符串,此时它是一个有效的完全可以添加到最终输出的组装字符串。
由于多个字符串可能有多种方式相互重叠,其中一些可能导致相同的组装字符串,因此您应该输出一组字符串:
def assemble(str_list, min=3, max=15):
if len(str_list) < 2:
return set(str_list)
output = set()
string = str_list.pop()
for i, candidate in enumerate(str_list):
matches = set()
if candidate in string:
matches.add(string)
elif string in candidate:
matches.add(candidate)
for n in range(min, max + 1):
if candidate[:n] == string[-n:]:
matches.add(string + candidate[n:])
if candidate[-n:] == string[:n]:
matches.add(candidate[:-n] + string)
for match in matches:
output.update(assemble(str_list[:i] + str_list[i + 1:] + [match]))
return output
以便使用您的示例输入:
StrList1 = ['d+%7B%0A++++public+', 'public+static+v','program%0Apublic+', 'ublic+class+Hel', 'lass+HelloWorld', 'elloWorld+%7B%0A+++', '%2F%2F+Sample+progr', 'program%0Apublic+']
assemble(StrList1)
会返回:
{'%2F%2F+Sample+program%0Apublic+class+HelloWorld+%7B%0A++++public+static+v'}
或者作为具有各种重叠可能性的输入示例(第二个字符串可以通过在内部匹配第一个字符串,尾部匹配头部,头部匹配尾部):
assemble(['abcggggabcgggg', 'ggggabc'])
会返回:
{'abcggggabcgggg', 'abcggggabcggggabc', 'abcggggabcgggggabc', 'ggggabcggggabcgggg'}