给你一个下标从 0 开始的字符串 hamsters
,其中 hamsters[i]
要么是:
'H'
表示有一个仓鼠在下标i
,或者'.'
表示下标i
是空的。
你将要在空的位置上添加一定数量的食物桶来喂养仓鼠。如果仓鼠的左边或右边至少有一个食物桶,就可以喂食它。更正式地说,如果你在位置 i - 1
或者 i + 1
放置一个食物桶,就可以喂养位置为 i
处的仓鼠。
在 空的位置 放置食物桶以喂养所有仓鼠的前提下,请你返回需要的 最少 食物桶数。如果无解请返回 -1
。
示例 1:
输入:hamsters = "H..H" 输出:2 解释: 我们可以在下标为 1 和 2 处放食物桶。 可以发现如果我们只放置 1 个食物桶,其中一只仓鼠将得不到喂养。
示例 2:
输入:street = ".H.H." 输出:1 解释: 我们可以在下标为 2 处放置一个食物桶。
示例 3:
输入:street = ".HHH." 输出:-1 解释: 如果我们如图那样在每个空位放置食物桶,下标 2 处的仓鼠将吃不到食物。
提示:
1 <= hamsters.length <= 10^5
hamsters[i]
要么是'H'
,要么是'.'
。
提示 1
When is it impossible to collect the rainwater from all the houses?
提示 2
When one or more houses do not have an empty space adjacent to it.
提示 3
Assuming the rainwater from all previous houses is collected. If there is a house at index i and you are able to place a bucket at index i - 1 or i + 1, where should you put it?
提示 4
It is always better to place a bucket at index i + 1 because it can collect the rainwater from the next house as well.
解法:
当🐹仓鼠左右两侧都没有空位时,这只仓鼠将得不到喂养,此时无法做到喂养所有仓鼠🐹,无解,返回 -1
。
一个食物桶最多可喂养两个仓鼠🐹,当仓鼠🐹被喂养后,将其标记为‘a’。
从左往右遍历,假设前边的仓鼠都得到喂养了,此时对于索引为 i 的仓鼠🐹,如果他两边都是空位,我们尽量在 右边 即 i + 1 处 放食物桶,因为这样可以尽可能的同时喂养到后边的仓鼠🐹。
class Solution {
public int minimumBuckets(String hamsters) {
int ans = 0;
StringBuilder hamster = new StringBuilder(hamsters);
int n = hamster.length();
for (int i = 0; i < n; i++) {
if (hamster.charAt(i) == 'H') {
if (i + 1 < n && hamster.charAt(i + 1) == '.') {
ans++;
// 在 i + 1 处放置食物桶,i处的仓鼠被喂养了
hamster.setCharAt(i, 'a');
// 如果i + 2处也是仓鼠,它也被喂养了
if (i + 2 < n && hamster.charAt(i + 2) == 'H') {
hamster.setCharAt(i + 2, 'a');
}
i = i + 2;
continue;
}
if (i - 1 >= 0 && hamster.charAt(i - 1) == '.') {
ans++;
// 在 i - 1 处放置食物桶,i处的仓鼠被喂养了
hamster.setCharAt(i, 'a');
continue;
}
// 仓鼠两侧都没有空位,被饿晕了
return -1;
}
}
return ans;
}
}
复杂度分析
- 时间复杂度:O(n),n 是 字符串hamsters 的长度。
- 空间复杂度:O(n),n 是 字符串hamsters 的长度。
类似题型: