comments | difficulty | edit_url | tags | ||||
---|---|---|---|---|---|---|---|
true |
中等 |
|
对于任何字符串,我们可以通过删除其中一些字符(也可能不删除)来构造该字符串的 子序列 。(例如,“ace”
是 “abcde”
的子序列,而 “aec”
不是)。
给定源字符串 source
和目标字符串 target
,返回 源字符串 source
中能通过串联形成目标字符串 target
的 子序列 的最小数量 。如果无法通过串联源字符串中的子序列来构造目标字符串,则返回 -1
。
示例 1:
输入:source = "abc", target = "abcbc" 输出:2 解释:目标字符串 "abcbc" 可以由 "abc" 和 "bc" 形成,它们都是源字符串 "abc" 的子序列。
示例 2:
输入:source = "abc", target = "acdbc" 输出:-1 解释:由于目标字符串中包含字符 "d",所以无法由源字符串的子序列构建目标字符串。
示例 3:
输入:source = "xyz", target = "xzyxz" 输出:3 解释:目标字符串可以按如下方式构建: "xz" + "y" + "xz"。
提示:
1 <= source.length, target.length <= 1000
source
和target
仅包含英文小写字母。
我们可以使用双指针的方法,用指针 target
,然后遍历源字符串 source
,用指针 source
,如果
遍历结束后,返回子序列数量即可。
时间复杂度 source
和 target
的长度。空间复杂度
class Solution:
def shortestWay(self, source: str, target: str) -> int:
def f(i, j):
while i < m and j < n:
if source[i] == target[j]:
j += 1
i += 1
return j
m, n = len(source), len(target)
ans = j = 0
while j < n:
k = f(0, j)
if k == j:
return -1
j = k
ans += 1
return ans
class Solution {
public int shortestWay(String source, String target) {
int m = source.length(), n = target.length();
int ans = 0, j = 0;
while (j < n) {
int i = 0;
boolean ok = false;
while (i < m && j < n) {
if (source.charAt(i) == target.charAt(j)) {
ok = true;
++j;
}
++i;
}
if (!ok) {
return -1;
}
++ans;
}
return ans;
}
}
class Solution {
public:
int shortestWay(string source, string target) {
int m = source.size(), n = target.size();
int ans = 0, j = 0;
while (j < n) {
int i = 0;
bool ok = false;
while (i < m && j < n) {
if (source[i] == target[j]) {
ok = true;
++j;
}
++i;
}
if (!ok) {
return -1;
}
++ans;
}
return ans;
}
};
func shortestWay(source string, target string) int {
m, n := len(source), len(target)
ans, j := 0, 0
for j < n {
ok := false
for i := 0; i < m && j < n; i++ {
if source[i] == target[j] {
ok = true
j++
}
}
if !ok {
return -1
}
ans++
}
return ans
}