最近,笔者在一次面试中遇到了一个排序去重的题目。面试官提出有一个很长的整型数组,需要排序并且去重。
本来笔者考虑的是先快速排序再去重,分两步走,因为这样可以直接写出代码,在面试时间有限的情况下比较方便稳妥。但是面试官提议说尽量节省时间,可以忽略空间利用是否有效。那么,其实也就是暗示可以考虑在创建一个同等长度的数组,然后在排序过程中,把不重复的数组单元按照从小到大的顺序依次放入新的数组,差不多就是如下的代码:
// swap the i-th and j-th elements of arry
void array_swap(int* arry, int i, int j) {
int temp = arry[j];
arry[j] = arry[i];
arry[i] = temp;
}
// copy arr1 to arr2, arr2[index2] <= arr1[index1]
void array_copy(int* arr1, int index1, int* arr2, int index2) {
arr2[index2] = arr1[index1];
}
void bubble_sort_clear(int* arr, int* arr1,int length) {
int i = 0;
int j = 0;
int arr1_index = 0;
// 2 loops for bubble sorting
// please note that 'i < length' NOT 'i < length-1' !
// because we still need to copy the array[0] to the newer array
for( i=0 ; i<length ; i++ ) {
for( j=0 ; j<length-1-i ; j++ ) {
if(arr[j]<arr[j+1]) {
array_swap(arr,j,j+1);
}
}
// detects if the top bubble number is a duplicate
if(!((j<(length-1))&&(arr[j]==arr[j+1]))) {
array_copy(arr,j,arr1,arr1_index);
arr1_index++;
}
printf("\n\n\n");
}
printf("TO SUM UP, NEW ARRAY comprises %d elements\n",arr1_index);
}
请注意,这里的外部循环设置同单纯的冒泡排序不太一样,冒泡是从i = 0 ===> i < length-1, 但是这里需要增加计数器i去遍历length-1,因为数组第一个元素array[0]同样需要被拷贝到新数组中去。
时间有限可能考虑的不太周全,笔者深信还有更好更有效的方法可以实现这个操作。
(码字不易,转载请注明出处)