c语言求众数和重数分治
时间: 2023-07-16 16:16:43 浏览: 169
求众数和重数的分治算法可以通过以下步骤实现:
1. 将原始数组按照中位数进行划分,分为左右两个子数组。
2. 分别对左右子数组进行递归处理,得到左右子数组的众数和重数。
3. 如果左右子数组的众数相同,则返回该众数和左右子数组的重数之和。
4. 如果左右子数组的众数不同,则需要比较左右子数组中众数的重数大小,返回重数更大的众数和其重数。
下面是用 C 语言实现的代码:
```c
#include <stdio.h>
// 求数组中的众数和重数
void findMode(int arr[], int left, int right, int *mode, int *count) {
if (left == right) {
*mode = arr[left];
*count = 1;
return;
}
// 求中位数
int mid = (left + right) / 2;
// 分别处理左右子数组
int modeLeft, countLeft, modeRight, countRight;
findMode(arr, left, mid, &modeLeft, &countLeft);
findMode(arr, mid + 1, right, &modeRight, &countRight);
// 如果左右子数组的众数相同,则返回该众数和左右子数组的重数之和
if (modeLeft == modeRight) {
*mode = modeLeft;
*count = countLeft + countRight;
return;
}
// 如果左右子数组的众数不同,则需要比较左右子数组中众数的重数大小
int leftCount = 0, rightCount = 0;
for (int i = left; i <= right; i++) {
if (arr[i] == modeLeft) {
leftCount++;
} else if (arr[i] == modeRight) {
rightCount++;
}
}
if (leftCount > rightCount) {
*mode = modeLeft;
*count = countLeft;
} else {
*mode = modeRight;
*count = countRight;
}
}
int main() {
int arr[] = {1, 2, 2, 3, 4, 4, 4, 5, 5, 5, 5};
int n = sizeof(arr) / sizeof(arr[0]);
int mode, count;
findMode(arr, 0, n - 1, &mode, &count);
printf("众数为 %d,重数为 %d\n", mode, count);
return 0;
}
```
在这个代码中,我们使用了指针来返回函数中计算的众数和重数。在递归结束后,`mode` 指向的变量将包含数组的众数,`count` 指向的变量将包含该众数在数组中的重数。如果存在多个众数,返回其中任意一个即可。
阅读全文