C程序查找数组中唯一的元素。
问题
使用两个循环查找数组中不重复的元素。一个用于当前元素,另一个用于检查元素是否已存在于数组中。
解决方案
考虑以下示例:
15, 15, 16, 15, 13, 15
这里,数组中不重复的元素是 16 和 13。
算法
请参考以下查找数组中唯一或不重复元素的算法。
步骤 1 - 声明一个数组并在运行时输入数组元素。
步骤 2 - 开始遍历数组并检查当前元素是否已存在于数组中。
步骤 3 - 如果它已存在于数组中,则移动到数组中的下一个元素并继续。
步骤 4 - 如果没有,则输出该元素作为不重复的元素。
示例
以下是查找数组中唯一或不重复元素的 C 程序:
#include <stdio.h> #include <stdlib.h> int uniqueEle(int array[], int n){ int i,j; int count = 1; for(i = 0; i < n; i++){ for(j = 0; j < n; j++){ if(array[i] == array[j] && i != j) break; } if(j == n ){ printf("
unique elements in an array is [%d] : %d
",count,array[i]); ++count; } } return -1; } int main(){ int n,i; printf("
Enter no: of elements : "); scanf("%d",&n); int array[n]; printf("
enter the array elements : "); for(i = 0; i < n; i++){ scanf("%d",&array[i]); } uniqueEle(array, n); return 0; }
输出
执行上述程序时,会产生以下输出:
Run 1: Enter no: of elements: 5 enter the array elements : 11 11 15 16 13 unique elements in an array is [1] : 15 unique elements in an array is [2] : 16 unique elements in an array is [3] : 13 Run 2: Enter no: of elements: 4 enter the array elements : 11 12 11 11 unique elements in an array is [1] : 12
广告