qsort函数和bsearch函数的使用

1. qsort排序 
[cpp]  view plain copy print ?
  1. /* qsort example */  
  2. #include <stdio.h>  
  3. #include <stdlib.h>  
  4.   
  5. int values[] = { 40, 10, 100, 90, 20, 25 };  
  6.   
  7. int compare (const void * a, const void * b)  
  8. {  
  9.   return ( *(int*)a - *(int*)b );  
  10. }  
  11.   
  12. int main ()  
  13. {  
  14.   int n;  
  15.   qsort (values, 6, sizeof(int), compare);  
  16.   for (n=0; n<6; n++)  
  17.      printf ("%d ",values[n]);  
  18.   return 0;  
  19. }  

Output:
10 20 25 40 90 100
 
2.bsearch查找:
    
    
    
    
[cpp] view plain copy print ?
  1. /* bsearch example */  
  2. #include <stdio.h>  
  3. #include <stdlib.h>  
  4.   
  5. int compareints (const void * a, const void * b)  
  6. {  
  7.   return ( *(int*)a - *(int*)b );  
  8. }  
  9.   
  10. int values[] = { 10, 20, 25, 40, 90, 100 };  
  11.   
  12. int main ()  
  13. {  
  14.   int * pItem;  
  15.   int key = 40;  
  16.   pItem = (int*) bsearch (&key, values, 6, sizeof (int), compareints);  
  17.   if (pItem!=NULL)  
  18.     printf ("%d is in the array.\n",*pItem);  
  19.   else  
  20.     printf ("%d is not in the array.\n",key);  
  21.   return 0;  
  22. }  
  23.    
Output:
40 is in the array
 
3.两者结合用法:
[cpp]  view plain copy print ?
  1. /* bsearch example with strings */  
  2. #include <stdio.h>  
  3. #include <stdlib.h>  
  4.   
  5. char strvalues[][20] = {"some","example","strings","here"};  
  6.   
  7. int main ()  
  8. {  
  9.   char * pItem;  
  10.   char key[20] = "example";  
  11.   
  12.   /* sort elements in array: */  
  13.   qsort (strvalues, 4, 20, (int(*)(const void*,const void*)) strcmp);  
  14.   
  15.   /* search for the key: */  
  16.   pItem = (char*) bsearch (key, strvalues, 4, 20, (int(*)(const void*,const void*)) strcmp);  
  17.   
  18.   if (pItem!=NULL)  
  19.     printf ("%s is in the array.\n",pItem);  
  20.   else  
  21.     printf ("%s is not in the array.\n",key);  
  22.   return 0;  
  23. }  
说明:
    
    
    
    
[cpp] view plain copy print ?
  1. void qsort ( void * base, size_t num, size_t size, int ( * comparator ) ( const void *, const void * ) );  
  2. void * bsearch ( const void * key, const void * base, size_t num, size_t size, int ( * comparator ) ( const void *, const void * ) );  
 
更多请参考:http://www.cplusplus.com/reference/clibrary/cstdlib/qsort/
转自:http://blog.csdn.net/dyx1024/article/details/6992703

你可能感兴趣的:(qsort函数和bsearch函数的使用)