c语言代码合并两个有序数组(相同只去一项)
时间: 2023-07-31 11:09:05 浏览: 97
以下是合并两个有序数组的C语言代码,相同的元素只会保留一个:
```c
#include <stdio.h>
void merge(int arr1[], int n1, int arr2[], int n2, int result[]) {
int i = 0, j = 0, k = 0;
while (i < n1 && j < n2) {
if (arr1[i] < arr2[j]) {
result[k++] = arr1[i++];
} else if (arr1[i] > arr2[j]) {
result[k++] = arr2[j++];
} else {
result[k++] = arr1[i++];
j++;
}
}
while (i < n1) {
result[k++] = arr1[i++];
}
while (j < n2) {
result[k++] = arr2[j++];
}
}
int main() {
int arr1[] = {1, 3, 5, 7, 9};
int n1 = sizeof(arr1) / sizeof(arr1[0]);
int arr2[] = {2, 3, 4, 6, 8};
int n2 = sizeof(arr2) / sizeof(arr2[0]);
int result[n1 + n2];
merge(arr1, n1, arr2, n2, result);
for (int i = 0; i < n1 + n2; ++i) {
printf("%d ", result[i]);
}
return 0;
}
```
其中,`merge`函数接受两个有序数组`arr1`和`arr2`,分别有`n1`和`n2`个元素,将它们合并到`result`中,并保证合并后的数组仍然有序。在合并过程中,如果两个数组中有相同的元素,只会保留一个。`main`函数演示了如何调用`merge`函数来合并两个有序数组。
阅读全文