How do you check if one array is a subsequence of another?

后端 未结 4 1133
南旧
南旧 2020-12-21 09:44

I\'m looking to explore different algorithms, both recursive and dynamic programming, that checks if one arrayA is a subsequence of arrayB. For example,

arra         


        
4条回答
  •  生来不讨喜
    2020-12-21 10:30

    Since you must match all elements of arrayA to some elements of arrayB, you never need to backtrack. In other words, if there are two candidates in arrayB to match an element of arrayA, you can pick the earliest one, and never retract the choice.

    Therefore, you do not need DP, because a straightforward linear greedy strategy will work:

    bool isSubsequence(int[] arrayA, int[] arrayB) {
        int startIndexB = 0;
        foreach (int n in arrayA) {
            int next = indexOf(arrayB, startIndexB , n);
            if (next == NOT_FOUND) {
                return false;
            }
            startIndexB = next+1;
        }
        return true;
    }
    

提交回复
热议问题