本文主要是介绍605. 种花问题#C++_LeetCode,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
605. 种花问题假设有一个很长的花坛,一部分地块种植了花,另一部分却没有。可是,花不能种植在相邻的地块上,它们会争夺水源,两者都会死去。给你一个整数数组 flowerbed 表示花坛,由若干 0 和 1 组成,其中 0 表示没种植花,1 表示种植了花。另有一个数 n ,能否在不打破种植规则的情况下种入 n 朵花?能则返回 true ,不能则返回 false。示例 1:输入:flowerbed = [1,0,0,0,1], n = 1
输出:true
示例 2:输入:flowerbed = [1,0,0,0,1], n = 2
输出:false提示:1 <= flowerbed.length <= 2 * 104
flowerbed[i] 为 0 或 1
flowerbed 中不存在相邻的两朵花
0 <= n <= flowerbed.length
代码
class Solution {
public:bool canPlaceFlowers(vector<int>& flowerbed, int n) {int res = 0;flowerbed.insert(flowerbed.begin(), 0);flowerbed.insert(flowerbed.end(), 0);for(int i = 1; i < flowerbed.size()-1; i++){if(flowerbed[i-1]==0 && flowerbed[i]==0 && flowerbed[i+1]==0){res++;flowerbed[i] = 1;}}return n <= res;}
};
知识点总结:
1、vector可以任意插入值,插入首末值方法如下
flowerbed.insert(flowerbed.begin(), 0);
flowerbed.insert(flowerbed.end(), 0);
2、求vector长度vec.size()
经验总结
1、写代码要考虑许多测试场景,然后分情况解决:如题目中n=0时,数组长度为0时;
2、考虑特殊场景普通化:题目中只要满足连续三个为0,中间就可以种花,但是第一个和最后一个例外,所以在第一个和最后一个前后分别添加0可以使得这种场景普通化,方便写代码时不用分很多场景
这篇关于605. 种花问题#C++_LeetCode的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!