编程题栽花怎么做

时间:2025-01-25 18:42:25 网络游戏

思路

贪心算法:

遍历花坛的每一个位置,检查是否可以种花。种花的条件是:

当前位置为0。

当前位置的前一个位置为0或者是边界。

当前位置的后一个位置为0或者是边界。

边界处理:

为了简化边界条件的处理,可以在花坛数组的两端各添加一个0。

计数:

记录已经种下的花的数量,如果种下的花数量达到n,则返回true。

代码实现

```java

class Solution {

public boolean canPlaceFlowers(int[] flowerbed, int n) {

int len = flowerbed.length;

// 在数组两端各添加一个0

flowerbed = new int[]{0, 0};

flowerbed.extend(Arrays.copyOf(flowerbed, len + 1));

int count = 0;

for (int i = 0; i < len; i++) {

// 检查当前位置是否可以种花

if (flowerbed[i] == 0 && flowerbed[i + 1] == 0 && (i == len - 1 || flowerbed[i + 2] == 0)) {

flowerbed[i + 1] = 1; // 种花

count++; // 增加种花计数

}

}

return count >= n; // 判断是否种够n朵花

}

}

```

解释

添加边界:

在花坛数组的两端各添加一个0,这样就不需要单独处理边界条件。

遍历检查:

遍历花坛数组,检查每个位置是否可以种花。如果当前位置是0,并且后两个位置也是0(或者当前位置是最后一个位置),则可以在当前位置种花。

计数与返回:

记录种花的数量,如果种花数量达到n,则返回true,否则返回false。

测试用例

```java

public static void main(String[] args) {

Solution solution = new Solution();

int[] flowerbed1 = {1, 0, 0, 0, 1};

int n1 = 1;

System.out.println(solution.canPlaceFlowers(flowerbed1, n1)); // 输出: true

int[] flowerbed2 = {1, 0, 0, 0, 1};

int n2 = 2;

System.out.println(solution.canPlaceFlowers(flowerbed2, n2)); // 输出: false

}

```

通过上述代码和思路,可以有效地解决“栽花”问题。