跳到主要内容

Candy

描述

There are N children standing in a line. Each child is assigned a rating value.

You are giving candies to these children subjected to the following requirements:

  • Each child must have at least one candy.
  • Children with a higher rating get more candies than their neighbors.

What is the minimum candies you must give?

分析

迭代版

# Candy
# Time complexity O(n), space complexity O(n)
class Solution:
def candy(self, ratings: list[int]) -> int:
n = len(ratings)
increment = [0] * n

# scan from left and right
inc = 1
for i in range(1, n):
if ratings[i] > ratings[i - 1]:
increment[i] = max(inc, increment[i])
inc += 1
else:
inc = 1

inc = 1
for i in range(n - 2, -1, -1):
if ratings[i] > ratings[i + 1]:
increment[i] = max(inc, increment[i])
inc += 1
else:
inc = 1

# initial sum is n because each child gets at least 1 candy
sum = n
for i in increment:
sum += i
return sum

递归版

// Candy
// 备忘录法,时间复杂度O(n),空间复杂度O(n)
// java.lang.StackOverflowError
public class Solution {
public int candy(int[] ratings) {
final int[] f = new int[ratings.length];
int sum = 0;
for (int i = 0; i < ratings.length; ++i)
sum += solve(ratings, f, i);
return sum;
}
int solve(int[] ratings, int[] f, int i) {
if (f[i] == 0) {
f[i] = 1;
if (i > 0 && ratings[i] > ratings[i - 1])
f[i] = Math.max(f[i], solve(ratings, f, i - 1) + 1);
if (i < ratings.length - 1 && ratings[i] > ratings[i + 1])
f[i] = Math.max(f[i], solve(ratings, f, i + 1) + 1);
}
return f[i];
}
}