原题地址

贪心算法

这题非常简单,一看就是贪心来求解, 从左到右遍历数组,在符合条件的地方种花即可

什么样的地方是可以种花的呢?

满足 flowerbed[i] == 0 and flowerbed[i-1] == 0 and flowerbed[i+1] == 0 的地方可以种花。

参考代码1

注意: i==0 and i ==lens-1 是首尾,为了能统一用上面公式解决,可以在首尾添0

  1. class Solution:
  2. def canPlaceFlowers(self, flowerbed: List[int], n: int) -> bool:
  3. # 为了统一处理,给数组的首和尾添加0
  4. flowerbed.insert(0, 0)
  5. flowerbed.append(0)
  6. lens = len(flowerbed)
  7. for i in range(1, lens-1):
  8. # 如果i-1处为0,i+1处为0,可种植
  9. if flowerbed[i-1] == 0 and flowerbed[i] == 0 and flowerbed[i+1] == 0:
  10. flowerbed[i] = 1
  11. n -= 1
  12. if n <= 0:
  13. return True
  14. return False

参考代码2

也可以将以上公式稍作改变,来适应首尾特殊情况
flowerbed[i] == 0 and (i==0 or flowerbed[i-1] == 0) and (i==lens-1 or flowerbed[i+1] == 0)

  1. class Solution:
  2. def canPlaceFlowers(self, flowerbed: List[int], n: int) -> bool:
  3. lens = len(flowerbed)
  4. for i in range(lens):
  5. # 如果i-1处为0,i+1处为0,可种植
  6. if (i==0 or flowerbed[i-1] == 0) and flowerbed[i] == 0 and (i==lens-1 or flowerbed[i+1] == 0):
  7. flowerbed[i] = 1
  8. n -= 1
  9. if n <= 0:
  10. return True
  11. return False