⭐ 欢迎来到虫虫下载站! | 📦 资源下载 📁 资源专辑 ℹ️ 关于我们
⭐ 虫虫下载站

📄 sort.c

📁 The art and science of c_source code!
💻 C
字号:
/* * File: sort.c * ------------ * This file implements the sort.h interface using the selection * sort algorithm. */#include <stdio.h>#include "genlib.h"#include "sort.h"/* Private function prototypes */static int FindSmallestInteger(int array[], int low, int high);static void SwapInteger(int *p1, int *p2);/* * Function: SortIntegerArray * -------------------------- * This implementation uses an algorithm called selection sort, * which can be described in English as follows.  With your left * hand, point at each element in the array in turn, starting at * index 0.  At each step in the cycle: * * (1)  Find the smallest element in the range between your left *      hand and the end of the array, and point at that element *      with your right hand. * * (2)  Move that element into its correct index position by *      switching the elements indicated by your left and right *      hands. */void SortIntegerArray(int array[], int n){    int lh, rh;    for (lh = 0; lh < n; lh++) {        rh = FindSmallestInteger(array, lh, n-1);        SwapInteger(&array[lh], &array[rh]);    }}/* * Function: FindSmallestInteger * Usage: index = FindSmallestInteger(array, low, high); * ----------------------------------------------------- * This function returns the index of the smallest value in the * specified array of integers, searching only between the index * positions low and high, inclusive.  It operates by keeping track * of the index of the smallest so far in the variable spos.  If the * index range is empty, the function returns low. */static int FindSmallestInteger(int array[], int low, int high){    int i, spos;    spos = low;    for (i = low; i <= high; i++) {        if (array[i] < array[spos]) spos = i;    }    return (spos);}/* * Function: SwapInteger * Usage: SwapInteger(&i1, &i2); * ----------------------------- * This function swaps the integers i1 and i2.  Note that the * parameters to SwapInteger are pointers to the actual values. * This technique is known as call by reference. */static void SwapInteger(int *p1, int *p2){    int tmp;    tmp = *p1;    *p1 = *p2;    *p2 = tmp;}

⌨️ 快捷键说明

复制代码 Ctrl + C
搜索代码 Ctrl + F
全屏模式 F11
切换主题 Ctrl + Shift + D
显示快捷键 ?
增大字号 Ctrl + =
减小字号 Ctrl + -