Created
March 24, 2021 02:14
-
-
Save ivanlonel/63e80a89a6109c2af61673d31e75be9e to your computer and use it in GitHub Desktop.
Shortest Common Supersequence and Longest Common Subsequence generator functions
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
from __future__ import annotations | |
from typing import Any | |
from collections.abc import Iterable, Iterator | |
import difflib | |
import itertools | |
def longest_common_subsequence(seq1: Iterable[Any], seq2: Iterable[Any]) -> Iterator[Any]: | |
a = list(seq1) | |
b = list(seq2) | |
lcs = (a[block.a:(block.a + block.size)] for block in difflib.SequenceMatcher(None, a, b).get_matching_blocks()) | |
yield from itertools.chain.from_iterable(lcs) | |
def shortest_common_supersequence(seq1: Iterable[Any], seq2: Iterable[Any]) -> Iterator[Any]: | |
a = list(seq1) | |
b = list(seq2) | |
X = iter(a) | |
Y = iter(b) | |
LCS = longest_common_subsequence(a, b) | |
x = next(X) | |
y = next(Y) | |
lcs = next(LCS) | |
# Consume lcs | |
while True: | |
if x == y == lcs: # Part of the LCS, so consume from all sequences | |
yield lcs | |
try: | |
lcs = next(LCS) | |
except StopIteration: | |
break | |
x = next(X) | |
y = next(Y) | |
elif x == lcs: | |
yield y | |
y = next(Y) | |
else: | |
yield x | |
x = next(X) | |
# yield remaining elements | |
yield from X | |
yield from Y |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment