完整C语言解决,问题描述:假设你是一位很棒的家长,想要给你的孩子们一些小饼干。但是,每个孩子最多只能给一块饼干。 对每个孩子 i,都有一个胃口值 g[i],这是能让孩子们满足胃口的饼干的最小尺寸;并且每块饼干 j,都有一个尺寸 s[j] 。如果 s[j] >= g[i],我们可以将这个饼干 j 分配给孩子 i ,这个孩子会得到满足。你的目标是尽可能满足越多数量的孩子,并输出这个最大数值
时间: 2024-03-22 15:41:51 浏览: 113
完整的 C 语言代码如下:
```c
#include <stdio.h>
#include <stdlib.h>
int compare(const void* a, const void* b) {
return *(int*)a - *(int*)b;
}
int findContentChildren(int* g, int gSize, int* s, int sSize){
qsort(g, gSize, sizeof(int), compare); // 孩子的胃口值排序
qsort(s, sSize, sizeof(int), compare); // 饼干的尺寸排序
int i = 0, j = 0; // i 和 j 分别表示当前遍历到的孩子和饼干的下标
int count = 0; // 统计满足的孩子数量
while (i < gSize && j < sSize) {
if (g[i] <= s[j]) { // 当前饼干可以满足当前孩子的胃口
count++;
i++;
j++;
} else { // 当前饼干不能满足当前孩子的胃口
j++;
}
}
return count;
}
int main() {
int g[] = {1, 2, 3};
int s[] = {1, 1};
int gSize = sizeof(g) / sizeof(int);
int sSize = sizeof(s) / sizeof(int);
int result = findContentChildren(g, gSize, s, sSize);
printf("The maximum number of satisfied children is %d\n", result);
return 0;
}
```
运行结果为:
```
The maximum number of satisfied children is 1
```
表示只有一个孩子可以得到满足。
阅读全文