题目:
假设你有一个很长的花坛,一部分地块种植了花,另一部分却没有。可是,花卉不能种植在相邻的地块上,它们会争夺水源,两者都会死去。
给定一个花坛(表示为一个数组包含0和1,其中0表示没种植花,1表示种植了花),和一个数 n 。能否在不打破种植规则的情况下种入 n 朵花?能则返回True,不能则返回False。
来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/can-place-flowers
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
示例:
思路:
贪心算法
只要找到0,就判断它前后是否为0;
代码:
class Solution {
public boolean canPlaceFlowers(int[] flowerbed, int n) {
if (flowerbed.length == 0) return false;
int p = 0;
while (n > 0 && p < flowerbed.length) {
//只要找到0,就判断它前后是否为0
if (flowerbed[p] == 0) {
//p-1 == -1 代表在开头;p+1==length代表在结尾。
if ((p - 1 == -1 || flowerbed[p - 1] == 0 ) && (p + 1 == flowerbed.length || flowerbed[p + 1] == 0)) {
//如果是,就种花
flowerbed[p] = 1;
//花的数量就减一
n --;
}
}
p ++;
}
if (n == 0) return true;
return false;
}
}
时间复杂度:O(n),空间复杂度:O(1)