返回介绍

solution / 1000-1099 / 1055.Shortest Way to Form String / README

发布于 2024-06-17 01:03:31 字数 3759 浏览 0 评论 0 收藏 0

1055. 形成字符串的最短路径

English Version

题目描述

对于任何字符串,我们可以通过删除其中一些字符(也可能不删除)来构造该字符串的 子序列 。(例如,“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 仅包含英文小写字母。

解法

方法一:双指针

我们可以使用双指针的方法,用指针 $j$ 指向目标字符串 target,然后遍历源字符串 source,用指针 $i$ 指向源字符串 source,如果 $source[i] = target[j]$,则 $i$ 和 $j$ 同时向后移动一位,否则只移动 $i$ 指针。当指针 $i$ 和 $j$ 都到达字符串末尾时,如果没有找到相等的字符,则返回 $-1$,否则子序列数量加一,然后将指针 $i$ 置为 $0$,继续遍历。

遍历结束后,返回子序列数量即可。

时间复杂度 $O(m \times n)$,空间复杂度 $O(1)$。其中 $m$ 和 $n$ 分别为字符串 sourcetarget 的长度。

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
}

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。
列表为空,暂无数据
    我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
    原文