合并和排序包含C中双精度的两个排序数组

时间:2017-09-09 09:30:42

标签: c arrays sorting mergesort

所以我有两个由双数组成的数组,它们被排序。

我想最有效地将这些组合成一个数组,并将这一个数组排序。

我的第一个想法是,也许你可以简单地将它们连接在一起,然后在它上面使用qsort,但这不会那么有效。那么也许使用合并排序?但是,我有点迷失在如何在C中实现合并排序,任何想法?

我正在使用其中一个答案中的代码来尝试合并排序。我还没有把它变成自己的方法,在我开始工作之后就会这样做。

double partitions[][5] = {{45.0, 5.0, 88.4, 0.4, 44.0}, {1000.0, 2.0, 3.4, 7.0, 50.0}};
double* res;

int n1 = sizeof(partitions[0])/sizeof(partitions[0][0]);
int n2 = sizeof(partitions[1])/sizeof(partitions[1][0]);
int n3 = n1 + n2;

res = malloc(n3 * sizeof(double));

// Merging starts
int i = 0;
int j = 0;
int k = 0;

while (i < n1 && j < n2) {
    if (partitions[0][i] - partitions[1][j] < 0.000001) {
        res[k] = partitions[0][i];
        i++;
        k++;
    }
    else {
        res[k] = partitions[1][j];
        k++;
        j++;
    }
}

/* Some elements in array 'arr1' are still remaining
where as the array 'arr2' is exhausted */
while (i < n1) {
    res[k] = partitions[0][i];
    i++;
    k++;
}

/* Some elements in array 'arr2' are still remaining
where as the array 'arr1' is exhausted */
while (j < n2) {
    res[k] = partitions[1][j];
    k++;
    j++;
}

int m;
for (m = 0; m < n3; m++)
    printf("%f \n", res[m]);

1 个答案:

答案 0 :(得分:2)

由于数组已排序,您只需要合并排序的合并部分,即O(n1 + n2),其中n1是一个数组的长度,n2是该数组的长度其他阵列:

例如:

void merge(int n1, int n2){ //suppose global arrays arr1,arr2 and result array

      i = 0;
      j = 0;
      k = 0;

    // Merging starts
    while (i < n1 && j < n2) {
        if (arr1[i] <= arr2[j]) {
            res[k] = arr1[i];
            i++;
            k++;
        } 
        else {
            res[k] = arr2[j];
            k++;
            j++;
        }
    }

    /* Some elements in array 'arr1' are still remaining
    where as the array 'arr2' is exhausted */

    while (i < n1) {
        res[k] = arr1[i];
        i++;
        k++;
    }

    /* Some elements in array 'arr2' are still remaining
    where as the array 'arr1' is exhausted */

    while (j < n2) {
        res[k] = arr2[j];
        k++;
        j++;
    }
}

另外我只注意你的数组包含double,所以你需要在比较两个数字时改变条件。例如,您需要为if (arr1[i] <= arr2[j])而不是if (arr1[i] < arr2[j])而不是import sympy as sp x = sp.Symbol('x') sp.simplify(sp.log(sp.exp(x))) 编写条件。