Вы можете сделать что-то вроде следующего:
def fit(target, source):
i, j = 0, 0
result = []
while i < len(source) and j < len(target):
if source[i] == target[j]:
result.append(source[i])
i += 1
else:
result.append(' ')
j += 1
return ''.join(result)
test = [('algorithm', 'lgrthm'), ('pineapple', 'pine'), ('pineapple', 'apple'), ('pineapple', 'eale'),
('foo', 'fo'), ('stack', 'sak'), ('over', 'or'), ('flow', 'lw')]
for t, s in test:
print(t)
print(fit(t, s))
print('---')
Вывод
algorithm
lg r thm
---
pineapple
pine
---
pineapple
apple
---
pineapple
ea le
---
foo
fo
---
stack
s a k
---
over
o r
---
flow
l w
---
Возможно, лучшей версией будет следующее:
from collections import deque
def peak(q, default=' '):
"""Perform a safe peak, if the queue is empty return default"""
return q[0] if q else default
def fit(target, source):
ds = deque(source)
return ''.join([ds.popleft() if peak(ds) == e else ' ' for e in target])
Лучше в том смысле, что вам не нужно отслеживать переменные состояния i, j
, как в предыдущем подходе.