【题目描述】
假设你是一位很棒的家长,想要给你的孩子们一些小饼干。但是,每个孩子最多只能给一块饼干。
对每个孩子 i
,都有一个胃口值 g[i]
,这是能让孩子们满足胃口的饼干的最小尺寸;并且每块饼干 j
,都有一个尺寸 s[j]
。如果 s[j] >= g[i]
,我们可以将这个饼干 j
分配给孩子 i
,这个孩子会得到满足。你的目标是尽可能满足越多数量的孩子,并输出这个最大数值。
https://leetcode.cn/problems/assign-cookies/
【示例】
【代码】代码随想录
import java.util.*;
// 2023-1-14
class Solution {
public int findContentChildren(int[] g, int[] s) {
Arrays.sort(g);
Arrays.sort(s);
int count = 0;
int index = 0;
// 这里优先考虑饼干, 小饼干喂饱小胃口
for (int i = 0; i < s.length && index < g.length; i++) {
if (s[i] >= g[index]){
count++;
index++;
}
}
System.out.println(count);
return count;
}
}
public class Main {
public static void main(String[] args) {
new Solution().findContentChildren(new int[]{1,2,3}, new int[]{1, 1}); // 输出: 1
new Solution().findContentChildren(new int[]{1,2}, new int[]{1, 2, 3}); // 输出: 2
new Solution().findContentChildren(new int[]{1,2,3}, new int[]{3}); // 输出: 1
new Solution().findContentChildren(new int[]{10,9,8,7}, new int[]{5,6,7,8}); // 输出: 2
}
}
【代码】admin
通过率 19/21; 这里的思路其实有点问题, 因为是对饼干排序后,是从小到大的顺序。如果最大的能够满足孩子最大的胃口肯定也可以满足最小的胃口;所以这里能够倒序应该就可以了
import java.util.*;标签:count,饼干,int,455,Solution,LeeCode,new,findContentChildren From: https://blog.51cto.com/u_13682316/6007955
// 2023-1-14
class Solution {
public int findContentChildren(int[] g, int[] s) {
Arrays.sort(g);
Arrays.sort(s);
int count = 0;
int index = 0;
for (int i = 0; i < g.length; i++) {
for (int j = index; j < s.length; j++) {
if (s[j] >= g[i]){
count++;
index +=1;
break;
}
}
}
System.out.println(count);
return count;
}
}
public class Main {
public static void main(String[] args) {
new Solution().findContentChildren(new int[]{1,2,3}, new int[]{1, 1}); // 输出: 1
new Solution().findContentChildren(new int[]{1,2}, new int[]{1, 2, 3}); // 输出: 2
new Solution().findContentChildren(new int[]{1,2,3}, new int[]{3}); // 输出: 1
}
}