给你一个字符串s,由n个字符组成,每个字符不是'X'就是'O'

一次操作定义为从s中选出三个连续字符并将选中的每个字符都转换为'O'。注意,如果字符已经是'O',只需要保持不变

返回将s中所有字符均转换为'O'需要执行的最少操作次数。

 

示例 1:

输入:s = "XXX"
输出:1
解释:XXX -> OOO
一次操作,选中全部 3 个字符,并将它们转换为 'O' 。

示例 2:

输入:s = "XXOX"
输出:2
解释:XXOX -> OOOX -> OOOO
第一次操作,选择前 3 个字符,并将这些字符转换为 'O' 。
然后,选中后 3 个字符,并执行转换。最终得到的字符串全由字符 'O' 组成。

示例 3:

输入:s = "OOOO"
输出:0
解释:s 中不存在需要转换的 'X' 。

提示:

  • 3 <= s.length <= 1000
  • s[i]'X''O'

Python:

class Solution:
    def minimumMoves(self, s: str) -> int:
        def count(s, i):
            if i >= len(s):
                return 0
            else:
                if s[i] == 'X':
                    return 1 + count(s, i+3)
                else:
                    return count(s, i+1)

        return count(s, 0)

Java:

class Solution {
    public int minimumMoves(String s) {
        return count(s, 0);
    }

    public int count(String s, int i)
    {
        if(i >= s.length())
            return 0;
        else if(s.charAt(i) == 'X')
            return 1 + count(s, i+3);
        else
            return count(s, i+1);
    }
}
最后修改日期: 2022年1月2日

留言

撰写回覆或留言

发布留言必须填写的电子邮件地址不会公开。