C# 经典排序算法大全

选择排序

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5.  
  6. namespace sorter
  7. {
  8. public class SelectionSorter
  9. {
  10. private int min;
  11. public void Sort(int[] arr)
  12. {
  13. for (int i = 0; i < arr.Length - 1; ++i)
  14. {
  15. min = i;
  16. for (int j = i + 1; j < arr.Length; ++j)
  17. {
  18. if (arr[j] < arr[min])
  19. {
  20. min = j;
  21. }
  22. }
  23. int t = arr[min];
  24. arr[min] = arr[i];
  25. arr[i] = t;
  26. }
  27. }
  28. }
  29.  
  30. class Program
  31. {
  32. static void Main(string[] args)
  33. {
  34. int[] arrInt = new int[] { 4, 2, 7, 1, 8, 3, 9, 0, 5, 6 };
  35. SelectionSorter selSor = new SelectionSorter();
  36. selSor.Sort(arrInt);
  37. foreach (int i in arrInt)
  38. {
  39. Console.WriteLine(i);
  40. }
  41. Console.ReadKey();
  42. }
  43. }
  44. }

冒泡排序

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5.  
  6. namespace sorter
  7. {
  8. public class EbullitionSorter
  9. {
  10. public void Sort(int[] arr)
  11. {
  12. int i, j, temp;
  13. bool done = false;
  14. j = 1;
  15. while ((j < arr.Length) && (!done)) // 推断长度
  16. {
  17. done = true;
  18. for (i = 0; i < arr.Length - j; i++)
  19. {
  20. if (arr[i] > arr[i + 1])
  21. {
  22. done = false;
  23. temp = arr[i];
  24. arr[i] = arr[i + 1]; // 交换数据
  25. arr[i + 1] = temp;
  26. }
  27. }
  28. j++;
  29. }
  30. }
  31. }
  32.  
  33. class Program
  34. {
  35. static void Main(string[] args)
  36. {
  37. int[] arrInt = new int[] { 4, 2, 7, 1, 8, 3, 9, 0, 5, 6 };
  38. EbullitionSorter selSor = new EbullitionSorter();
  39. selSor.Sort(arrInt);
  40. foreach (int i in arrInt)
  41. {
  42. Console.WriteLine(i);
  43. }
  44. Console.ReadKey();
  45. }
  46. }
  47. }

高速排序

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5.  
  6. namespace sorter
  7. {
  8. public class QuickSorter
  9. {
  10. private void swap(ref int l, ref int r)
  11. {
  12. int temp;
  13. temp = l;
  14. l = r;
  15. r = temp;
  16. }
  17.  
  18. public void Sort(int[] list, int low, int high)
  19. {
  20. int pivot; // 存储分支点
  21. int l, r;
  22. int mid;
  23. if (high <= low)
  24. {
  25. return;
  26. }
  27. else if (high == low + 1)
  28. {
  29. if (list[low] > list[high])
  30. {
  31. swap(ref list[low], ref list[high]);
  32. }
  33. return;
  34. }
  35. mid = (low + high) >> 1;
  36. pivot = list[mid];
  37. swap(ref list[low], ref list[mid]);
  38. l = low + 1;
  39. r = high;
  40. do
  41. {
  42. while (l <= r && list[l] < pivot)
  43. {
  44. l++;
  45. }
  46. while (list[r] >= pivot)
  47. {
  48. r--;
  49. }
  50. if (l < r)
  51. {
  52. swap(ref list[l], ref list[r]);
  53. }
  54. } while (l < r);
  55. list[low] = list[r];
  56. list[r] = pivot;
  57. if (low + 1 < r)
  58. {
  59. Sort(list, low, r - 1);
  60. }
  61. if (r + 1 < high)
  62. {
  63. Sort(list, r + 1, high);
  64. }
  65. }
  66. }
  67.  
  68. class Program
  69. {
  70. static void Main(string[] args)
  71. {
  72. int[] arrInt = new int[] { 4, 2, 7, 1, 8, 3, 9, 0, 5, 6 };
  73. QuickSorter selSor = new QuickSorter();
  74. selSor.Sort(arrInt, 0, arrInt.Length - 1);
  75. foreach (int i in arrInt)
  76. {
  77. Console.WriteLine(i);
  78. }
  79. Console.ReadKey();
  80. }
  81. }
  82. }

插入排序

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5.  
  6. namespace sorter
  7. {
  8. public class InsertionSorter
  9. {
  10. public void Sort(int[] arr)
  11. {
  12. for (int i = 1; i < arr.Length; i++)
  13. {
  14. int t = arr[i];
  15. int j = i;
  16. while ((j > 0) && (arr[j - 1] > t))
  17. {
  18. arr[j] = arr[j - 1]; // 交换顺序
  19. --j;
  20. }
  21. arr[j] = t;
  22. }
  23. }
  24. }
  25.  
  26. class Program
  27. {
  28. static void Main(string[] args)
  29. {
  30. int[] arrInt = new int[] { 4, 2, 7, 1, 8, 3, 9, 0, 5, 6 };
  31. InsertionSorter selSor = new InsertionSorter();
  32. selSor.Sort(arrInt);
  33. foreach (int i in arrInt)
  34. {
  35. Console.WriteLine(i);
  36. }
  37. Console.ReadKey();
  38. }
  39. }
  40. }

希尔排序

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5.  
  6. namespace sorter
  7. {
  8. public class ShellSorter
  9. {
  10. public void Sort(int[] arr)
  11. {
  12. int inc;
  13. for (inc = 1; inc <= arr.Length / 9; inc = 3 * inc + 1) ;
  14. for (; inc > 0; inc /= 3)
  15. {
  16. for (int i = inc + 1; i <= arr.Length; i += inc)
  17. {
  18. int t = arr[i - 1];
  19. int j = i;
  20. while ((j > inc) && (arr[j - inc - 1] > t))
  21. {
  22. arr[j - 1] = arr[j - inc - 1]; // 交换数据
  23. j -= inc;
  24. }
  25. arr[j - 1] = t;
  26. }
  27. }
  28. }
  29. }
  30.  
  31. class Program
  32. {
  33. static void Main(string[] args)
  34. {
  35. int[] arrInt = new int[] { 4, 2, 7, 1, 8, 3, 9, 0, 5, 6 };
  36. ShellSorter selSor = new ShellSorter();
  37. selSor.Sort(arrInt);
  38. foreach (int i in arrInt)
  39. {
  40. Console.WriteLine(i);
  41. }
  42. Console.ReadKey();
  43. }
  44. }
  45. }

归并排序

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5.  
  6. namespace Merge
  7. {
  8. public class Function
  9. {
  10. private int Groups;
  11. private int CopyGroups;
  12. private int mergerows;
  13. private int[] Array27;
  14. private static Random ran = new Random();
  15. public Function(int length)
  16. {
  17. Array27 = new int[length];
  18. for (int i = 0; i < length; i++)
  19. Array27[i] = ran.Next(1, 100);
  20. }
  21. //选择
  22. public void ToMergeSort()
  23. {
  24. MergeSort(Array27);
  25. }
  26. public void ToRecursiveMergeSort()
  27. {
  28. RecursiveMergeSort(Array27, 0, Array27.Length - 1);
  29. }
  30. public void ToNaturalMergeSort()
  31. {
  32. NaturalMergeSort(Array27);
  33. }
  34.  
  35. /// <summary>
  36. /// 归并排序(递归)
  37. /// 核心思想:(分治)
  38. /// 将待排序元素(递归直至元素个数为1)分成左右两个大小大致同样的2个子集合。然后。
  39. /// 分别对2个子集合进行排序,终于将排好序的子集合合并成为所要求的排好序的集合.
  40. /// 核心算法时间复杂度:
  41. /// T(n)=O(nlogn)
  42. /// </summary>
  43. /// <param name="Array"></param>
  44. /// <param name="left"></param>
  45. /// <param name="right"></param>
  46. public void RecursiveMergeSort(int[] Array, int left, int right)
  47. {
  48. int middle = (left + right) / 2;
  49.  
  50. if (left < right)
  51. {
  52. //对前半部分递归拆分
  53. RecursiveMergeSort(Array, left, middle);
  54. //对后半部分递归拆分
  55. RecursiveMergeSort(Array, middle + 1, right);
  56. MergeOne(Array, left, middle, right);
  57. }
  58. }
  59. public void MergeOne(int[] Array, int left, int middle, int right)
  60. {
  61. int leftindex = left;
  62. int rightindex = middle + 1;
  63. //动态暂时二维数组存放切割为两个小Array的数组排列顺序后的数据
  64. int[] merge = new int[right + 1];
  65. int index = 0;
  66. //对两个小数组合并排序
  67. while (leftindex <= middle && rightindex <= right)
  68. merge[index++] = (Array[leftindex] - Array[rightindex]) >= 0 ? Array[rightindex++] : Array[leftindex++];
  69. //有一側子数列遍历完后,将另外一側子数列剩下的数依次放入暂存数组中(有序)
  70. if (leftindex <= middle)
  71. {
  72. for (int i = leftindex; i <= middle; i++)
  73. merge[index++] = Array[i];
  74. }
  75. if (rightindex <= right)
  76. {
  77. for (int i = rightindex; i <= right; i++)
  78. merge[index++] = Array[i];
  79. }
  80. //将有序的数列 写入目标数组 ,即原来把Array数组分为两个小Array数组后又一次有序组合起来(覆盖原数组)
  81. index = 0;
  82. for (int i = left; i <= right; i++)
  83. Array[i] = merge[index++];
  84. }
  85.  
  86. /// <summary>
  87. /// 归并排序(非递归)
  88. /// 核心思想:(分治)
  89. /// 对n个数的数列每相邻两个元素排序。组成n/2个或(n+1)/2个子数组,单个的不比了直接进入下一轮。
  90. /// 然后对每一个相邻的子数组再排序,以此类推最后得到排好序的数列
  91. /// forexample: 59 35 54 28 52
  92. /// 排序And分: 35 59. 28 54. 52
  93. /// 排序And分: 28 35 54 59. 52
  94. /// 结果: 28 35 52 54 59
  95. /// 核心算法时间复杂度:
  96. /// T(n)=O(nlogn)
  97. /// </summary>
  98. /// <param name="Array"></param>
  99. public void MergeSort(int[] Array)
  100. {
  101. //index固定的数组
  102. int[] merge = new int[Array.Length];
  103. int P = 0;
  104. while (true)
  105. {
  106. int index = 0;
  107. //子数组元素的个数
  108. int ENumb = (int)Math.Pow(2, P);
  109. //一个子数组中的元素个数与数组的一半元素个数比較大小
  110. //最糟糕的情况最右边的数组仅仅有一个元素
  111. if (ENumb < Array.Length)
  112. {
  113. while (true)
  114. {
  115. int TorFAndrightindex = index;
  116. //最后一个子数组的第一个元素的index与数组index相比較
  117. if (TorFAndrightindex <= Array.Length - 1)
  118. MergeTwo(Array, merge, index, ENumb);
  119. else
  120. break;
  121. index += 2 * ENumb;
  122. }
  123. }
  124. else
  125. break;
  126. P++;
  127. }
  128. }
  129. public void MergeTwo(int[] Array, int[] merge, int index, int ENumb)
  130. {
  131. //换分两个子数组的index(千万不能用middle = (right + left) / 2划分)
  132. // 1
  133. int left = index;
  134. int middle = left + ENumb - 1;
  135. //(奇数时)
  136. //排除middleindex越界
  137. if (middle >= Array.Length)
  138. {
  139. middle = index;
  140. }
  141. //同步化merge数组的index
  142. int mergeindex = index;
  143. // 2
  144. int right;
  145. int middleTwo = (index + ENumb - 1) + 1;
  146. right = index + ENumb + ENumb - 1;
  147. //排除最后一个子数组的index越界.
  148. if (right >= Array.Length - 1)
  149. {
  150. right = Array.Length - 1;
  151. }
  152. //排序两个子数组并拷贝到merge数组
  153. while (left <= middle && middleTwo <= right)
  154. {
  155. merge[mergeindex++] = Array[left] >= Array[middleTwo] ? Array[middleTwo++] : Array[left++];
  156. }
  157. //两个子数组中当中一个比較完了(Array[middleTwo++] 或Array[left++])。
  158. //把当中一个数组中剩下的元素复制进merge数组。
  159. if (left <= middle)
  160. {
  161. //排除空元素.
  162. while (left <= middle && mergeindex < merge.Length)
  163. merge[mergeindex++] = Array[left++];
  164. }
  165. if (middleTwo <= right)
  166. {
  167. while (middleTwo <= right)
  168. merge[mergeindex++] = Array[middleTwo++];
  169. }
  170. //推断是否合并至最后一个子数组了
  171. if (right + 1 >= Array.Length)
  172. Copy(Array, merge);
  173. }
  174.  
  175. /// <summary>
  176. /// 自然归并排序:
  177. /// 对于初始给定的数组,通常存在多个长度大于1的已自然排好序的子数组段.
  178. /// 比如,若数组a中元素为{4,8,3,7,1,5,6,2},则自然排好序的子数组段
  179. /// 有{4,8},{3,7},{1,5,6},{2}.
  180. /// 用一次对数组a的线性扫描就足以找出全部这些排好序的子数组段.
  181. /// 然后将相邻的排好序的子数组段两两合并,
  182. /// 构成更大的排好序的子数组段({3,4,7,8},{1,2,5,6}).
  183. /// 继续合并相邻排好序的子数组段,直至整个数组已排好序.
  184. /// 核心算法时间复杂度:
  185. /// T(n)=○(n);
  186. /// </summary>
  187. public void NaturalMergeSort(int[] Array)
  188. {
  189. //得到自然划分后的数组的index组(每行为一个自然子数组)
  190. int[,] PointsSymbol = LinearPoints(Array);
  191. //子数组仅仅有一个。
  192. if (PointsSymbol[0, 1] == Array.Length - 1)
  193. return;
  194. //多个(至少两个子数组)...
  195. else
  196. //能够堆栈调用吗?
  197. NaturalMerge(Array, PointsSymbol);
  198.  
  199. }
  200. public void NaturalMerge(int[] Array, int[,] PointsSymbol)
  201. {
  202. int left;
  203. int right;
  204. int leftend;
  205. int rightend;
  206.  
  207. mergerows = GNumberTwo(Groups);
  208. CopyGroups = Groups;
  209. //固定状态
  210. int[] TempArray = new int[Array.Length];
  211. //循环取每一个自然子数组的index
  212. while (true)
  213. {
  214. // int Temprow = 1;
  215. //仅仅记录合并后的子数组(”《应该为》“动态的)
  216. int[,] TempPointsSymbol = new int[mergerows, 2];
  217.  
  218. int row = 0;
  219. do
  220. {
  221. //最重要的推断:最后(一组子数组)是否可配对
  222. if (row != CopyGroups - 1)
  223. { //以上条件也能够含有(& 和&&的差别)短路运算
  224. //參考:http://msdn.microsoft.com/zh-cn/library/2a723cdk(VS.80).aspx
  225. left = PointsSymbol[row, 0];
  226. leftend = PointsSymbol[row, 1];
  227. right = PointsSymbol[row + 1, 0];
  228. rightend = PointsSymbol[row + 1, 1];
  229. MergeThree(Array, TempArray, left, leftend, right, rightend);
  230. MergePointSymbol(PointsSymbol, TempPointsSymbol, row);
  231. }
  232. else
  233. {
  234. ////默认剩下的单独一个子数组已经虚拟合并。然后Copy进TempArray。
  235. int TempRow = PointsSymbol[row, 0];
  236. int TempCol = PointsSymbol[row, 1];
  237. while (TempRow <= TempCol)
  238. TempArray[TempRow] = Array[TempRow++];
  239. //TempPointSymbol完整同步
  240. TempPointsSymbol[row / 2, 0] = PointsSymbol[row, 0];
  241. TempPointsSymbol[row / 2, 1] = PointsSymbol[row, 1];
  242. break;//又一次開始新一轮循环。
  243. }
  244. row += 2;
  245. // Temprow++;
  246. //合并到仅仅有一个子数组时结束循环
  247. if (TempPointsSymbol[0, 1] == Array.Length - 1)
  248. break;
  249. }//推断别进入越界循环(能够进孤单循环)这里指的是PointsSymbol的子数组个数
  250. while (row <= CopyGroups - 1);
  251. //
  252. Copy(Array, TempArray);
  253. //更新子数组index,row为跳出循环的条件(最后单个子数组或下一个越界的第一个)
  254. UpdatePointSymbol(PointsSymbol, TempPointsSymbol, row);
  255. //改变TempPointsSymbol的行数(合并后子数组数)
  256. mergerows = GNumber(mergerows);
  257. CopyGroups = GNumberTwo(CopyGroups);
  258. //合并到仅仅有一个子数组时结束循环
  259. if (PointsSymbol[0, 1] == Array.Length - 1)
  260. break;
  261. }
  262. //输出
  263. }
  264. public int GNumber(int Value)
  265. {
  266. if (Value % 2 == 0)
  267. Value /= 2;
  268. else
  269. Value -= 1;
  270.  
  271. return Value;
  272. }
  273. public int GNumberTwo(int Value)
  274. {
  275. if (Value % 2 == 0)
  276. mergerows = Value / 2;
  277. else
  278. mergerows = Value / 2 + 1;
  279. return mergerows;
  280. }
  281. public void MergeThree(int[] Array, int[] Temp, int left, int leftend, int right, int rightend)
  282. {
  283. //合并语句
  284. int index = left;
  285. while (left <= leftend && right <= rightend)
  286. Temp[index++] = Array[left] >= Array[right] ? Array[right++] : Array[left++];
  287. while (left <= leftend)
  288. Temp[index++] = Array[left++];
  289. while (right <= rightend)
  290. Temp[index++] = Array[right++];
  291. }
  292. public void MergePointSymbol(int[,] PointsSymbol, int[,] TempPointsSymbol, int row)
  293. {
  294. int rowindex = row / 2;
  295. TempPointsSymbol[rowindex, 0] = PointsSymbol[row, 0];
  296. TempPointsSymbol[rowindex, 1] = PointsSymbol[row + 1, 1];
  297. }
  298. public void UpdatePointSymbol(int[,] PointsSymbol, int[,] TempPointsSymbol, int rows)
  299. {
  300. int row = 0;
  301. //if (mergerows % 2 == 0)
  302. //{
  303. for (; row < TempPointsSymbol.GetLength(0); row++)
  304. {
  305. for (int col = 0; col < 2; col++)
  306. PointsSymbol[row, col] = TempPointsSymbol[row, col];
  307. }
  308. //后面的清零
  309. for (; row < PointsSymbol.GetLength(0); row++)
  310. {
  311. for (int col2 = 0; col2 < 2; col2++)
  312. PointsSymbol[row, col2] = 0;
  313. }
  314. //}
  315. ////补剩下的index组,
  316. //else
  317. //{
  318. // for (int row2 = 0; row2 < TempPointsSymbol.GetLength(0); row2++)
  319. // {
  320. // for (int col3 = 0; col3 < 2; col3++)
  321. // PointsSymbol[row2, col3] = TempPointsSymbol[row2, col3];
  322. // }
  323. // //最后一个子数组的index仅仅有一个。
  324.  
  325. // int row3 = TempPointsSymbol.GetLength(0);
  326. // PointsSymbol[row3, 0] = PointsSymbol[rows, 0];
  327. // PointsSymbol[row3, 1] = PointsSymbol[rows, 1];
  328. // //后面的清零
  329. // for (int row4 = row3 + 1; row4 < PointsSymbol.GetLength(0); row4++)
  330. // {
  331. // for (int col4 = 0; col4 < 2; col4++)
  332. // PointsSymbol[row4, col4] = 0;
  333. // }
  334. //}
  335.  
  336. }
  337. public int[,] LinearPoints(int[] Array)
  338. {
  339. Groups = 1;
  340. int StartPoint = 0;
  341. int row = 0;
  342. int col = 0;
  343. //最糟糕的情况就是有Array.Length行。
  344. int[,] PointsSet = new int[Array.Length, 2];
  345. //线性扫描Array,划分数组
  346. //初始前index=0
  347. PointsSet[row, col] = 0;
  348. do
  349. {
  350. //推断升序子数组终于的index开关
  351. bool Judge = false;
  352. //从Array第二个数推断是否要结束或者是否是升序子数组.
  353. while (++StartPoint < Array.Length && Array[StartPoint] < Array[StartPoint - 1])
  354. {
  355. //打开第一个升序子数组结束的index开关
  356. Judge = true;
  357. //又一次開始第二个升序子数组的前index
  358. PointsSet[row, col + 1] = StartPoint - 1;
  359. //计算子数组个数
  360. Groups++;
  361. //换行记录自然子数组的index
  362. row++;
  363. break;
  364. //--StartPoint;
  365. }
  366. //升序子数组结束index
  367. if (Judge)
  368. PointsSet[row, col] = StartPoint;
  369. //else
  370. // --StartPoint;
  371. } while (StartPoint < Array.Length);
  372. //终于index=StartPoint - 1,可是糟糕情况下还有剩余若干行为: 0,0 ...
  373. PointsSet[row, col + 1] = StartPoint - 1;
  374. //调用展示方法
  375. DisplaySubarray(Array, PointsSet, Groups);
  376. return PointsSet;
  377. }
  378. public void DisplaySubarray(int[] Array, int[,] PointsSet, int Groups)
  379. {
  380. Console.WriteLine("Subarray is {0}:", Groups);
  381. //展示子数组的前后index
  382. for (int r = 0; r < Groups; r++)
  383. {
  384. for (int c = 0; c < PointsSet.GetLength(1); c++)
  385. {
  386. Console.Write(PointsSet[r, c]);
  387. if (c < PointsSet.GetLength(1) - 1)
  388. Console.Write(",");
  389. }
  390. Console.Write("\t\t");
  391. }
  392. Console.WriteLine();
  393. //展示分出的子数组
  394. for (int v = 0; v < Groups; v++)
  395. {
  396. int i = 1;
  397. for (int r = PointsSet[v, 0]; r <= PointsSet[v, 1]; r++)
  398. {
  399. Console.Write(Array[r] + " ");
  400. i++;
  401. }
  402. if (i <= 3)
  403. Console.Write("\t\t");
  404. else
  405. Console.Write("\t");
  406. if (PointsSet[v, 1] == Array.Length)
  407. break;
  408. }
  409. }
  410.  
  411. public void Copy(int[] Array, int[] merge)
  412. {
  413. //一部分排好序的元素替换掉原来Array中的元素
  414. for (int i = 0; i < Array.Length; i++)
  415. {
  416. Array[i] = merge[i];
  417. }
  418. }
  419. //输出
  420. public override string ToString()
  421. {
  422. string temporary = string.Empty;
  423.  
  424. foreach (var element in Array27)
  425. temporary += element + " ";
  426.  
  427. temporary += "\n";
  428. return temporary;
  429. }
  430. }
  431.  
  432. class Program
  433. {
  434. static void Main(string[] args)
  435. {
  436. while (true)
  437. {
  438. Console.WriteLine("请选择:");
  439. Console.WriteLine("1.归并排序(非递归)");
  440. Console.WriteLine("2.归并排序(递归)");
  441. Console.WriteLine("3.归并排序(自然合并)");
  442. Console.WriteLine("4.退出");
  443. int Arraynum = Convert.ToInt32(Console.ReadLine());
  444. switch (Arraynum)
  445. {
  446. case 4:
  447. Environment.Exit(0);
  448. break;
  449. case 1:
  450. Console.WriteLine("Please Input Array Length");
  451. int Leng271 = Convert.ToInt32(Console.ReadLine());
  452. Function obj1 = new Function(Leng271);
  453.  
  454. Console.WriteLine("The original sequence:");
  455. Console.WriteLine(obj1);
  456. Console.WriteLine("'MergeSort' Finaly Sorting Result:");
  457. obj1.ToMergeSort();
  458. Console.WriteLine(obj1);
  459. break;
  460. case 2:
  461. Console.WriteLine("Please Input Array Length");
  462. int Leng272 = Convert.ToInt32(Console.ReadLine());
  463. Function obj2 = new Function(Leng272);
  464.  
  465. Console.WriteLine("The original sequence:");
  466. Console.WriteLine(obj2);
  467. Console.WriteLine("'RecursiveMergeSort' Finaly Sorting Result:");
  468. obj2.ToRecursiveMergeSort();
  469. Console.WriteLine(obj2);
  470. break;
  471. case 3:
  472. Console.WriteLine("Please Input Array Length");
  473. int Leng273 = Convert.ToInt32(Console.ReadLine());
  474. Function obj3 = new Function(Leng273);
  475.  
  476. Console.WriteLine("The original sequence:");
  477. Console.WriteLine(obj3);
  478. obj3.ToNaturalMergeSort();
  479. Console.WriteLine(); Console.WriteLine();
  480. Console.WriteLine("'NaturalMergeSort' Finaly Sorting Result:");
  481. Console.WriteLine(obj3);
  482. break;
  483. }
  484. }
  485. }
  486. }
  487. }

基数排序

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5.  
  6. namespace Merge
  7. {
  8. public class RadixSorter
  9. {
  10. //基数排序
  11. public int[] RadixSort(int[] ArrayToSort, int digit)
  12. {
  13. //low to high digit
  14. for (int k = 1; k <= digit; k++)
  15. {
  16. //temp array to store the sort result inside digit
  17. int[] tmpArray = new int[ArrayToSort.Length];
  18. //temp array for countingsort
  19. int[] tmpCountingSortArray = new int[10] { 0, 0, 0, 0, 0, 0, 0, 0, 0, 0 };
  20. //CountingSort
  21. for (int i = 0; i < ArrayToSort.Length; i++)
  22. {
  23. //split the specified digit from the element
  24. int tmpSplitDigit = ArrayToSort[i] / (int)Math.Pow(10, k - 1) - (ArrayToSort[i] / (int)Math.Pow(10, k)) * 10;
  25. tmpCountingSortArray[tmpSplitDigit] += 1;
  26. }
  27. for (int m = 1; m < 10; m++)
  28. {
  29. tmpCountingSortArray[m] += tmpCountingSortArray[m -
  30. 1];
  31. }
  32. //output the value to result
  33. for (int n = ArrayToSort.Length - 1; n >= 0; n--)
  34. {
  35. int tmpSplitDigit = ArrayToSort[n] / (int)Math.Pow(10, k - 1) -
  36. (ArrayToSort[n] / (int)Math.Pow(10, k)) * 10;
  37. tmpArray[tmpCountingSortArray[tmpSplitDigit] - 1] = ArrayToSort
  38. [n];
  39. tmpCountingSortArray[tmpSplitDigit] -= 1;
  40. }
  41. //copy the digit-inside sort result to source array
  42. for (int p = 0; p < ArrayToSort.Length; p++)
  43. {
  44. ArrayToSort[p] = tmpArray[p];
  45. }
  46. }
  47. return ArrayToSort;
  48. }
  49. }
  50.  
  51. class Program
  52. {
  53. static void Main(string[] args)
  54. {
  55. int[] intArray = new int[] { 5, 3, 7, 4, 8, 2, 9, 1, 0, 6 };
  56. int[] newIntArray = intArray;
  57. RadixSorter rS=new RadixSorter();
  58. newIntArray = rS.RadixSort(intArray, intArray.Length);
  59. foreach (int i in intArray)
  60. {
  61. Console.Write(i + " ");
  62. }
  63. Console.ReadKey();
  64. }
  65. }
  66. }

计数排序

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5.  
  6. namespace Merge
  7. {
  8. class Program
  9. {
  10. /// <summary>
  11. /// 计数排序。
  12.  
  13. /// 要求:
  14. /// arrayToSort的元素必须大于等于0。或者经过一定的转换使其元素在
  15. /// 大于等于0范围内。比如有例如以下序列(-1,-8,10,11),那么依据最小值8,
  16. /// 将各个数字加8转化为(7,0,18,19),然后进行计数排序。结果为(0,7,18,19),
  17. /// 然后再将结果个数字减8即为(-8,-1,10,11)
  18. /// </summary>
  19. /// <param name="arrayToSort">要排序的数组</param>
  20. /// <param name="maxValue">数组的最大值加一</param>
  21. /// <returns>计数排序后的结果</returns>
  22. public static int[] CountingSort(int[] arrayToSort, int k)
  23. {
  24. // 排序后的结果存储
  25. int[] sortedArray = new int[arrayToSort.Length];
  26. // 计数数组
  27. int[] countingArray = new int[k];
  28. // 计数数组初始化
  29. for (int i = 0; i < countingArray.Length; i++)
  30. {
  31. countingArray[i] = 0;
  32. }
  33.  
  34. // 单个元素计数(经过该步骤countingArray[i]的含义为数字i的个数为countingArray[i])
  35. for (int i = 0; i < arrayToSort.Length; i++)
  36. {
  37. countingArray[arrayToSort[i]] = countingArray[arrayToSort[i]] + 1;
  38. }
  39. // 计算小于等于某数的个数(经过该步骤countingArray[i]的含义为小于等于数字i的元素个数为countingArray[i])
  40. for (int i = 1; i < countingArray.Length; i++)
  41. {
  42. countingArray[i] += countingArray[i - 1];
  43. }
  44.  
  45. // 得到排序后的结果
  46. for (int i = 0; i < sortedArray.Length; i++)
  47. {
  48. int numIndex = countingArray[arrayToSort[i]] - 1;
  49. sortedArray[numIndex] = arrayToSort[i];
  50. countingArray[arrayToSort[i]] = countingArray[arrayToSort[i]] - 1;
  51. }
  52.  
  53. return sortedArray;
  54. }
  55.  
  56. static void Main(string[] args)
  57. {
  58. int[] intArray = new int[] { 5, 3, 7, 4, 8, 2, 9, 1, 0, 6 };
  59. int[] intNewArray = intArray;
  60. intNewArray = CountingSort(intArray, intArray.Length);
  61. foreach (int i in intNewArray)
  62. {
  63. Console.Write(i + " ");
  64. }
  65. Console.ReadKey();
  66. }
  67. }
  68. }

堆排序

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5.  
  6. namespace Merge
  7. {
  8. class Program
  9. {
  10. //堆排序算法(传递待排数组名,即:数组的地址。故形參数组的各种操作反应到实參数组上)
  11. private static void HeapSortFunction(int[] array)
  12. {
  13. try
  14. {
  15. BuildMaxHeap(array); //创建大顶推(初始状态看做:总体无序)
  16. for (int i = array.Length - 1; i > 0; i--)
  17. {
  18. Swap(ref array[0], ref array[i]); //将堆顶元素依次与无序区的最后一位交换(使堆顶元素进入有序区)
  19. MaxHeapify(array, 0, i); //又一次将无序区调整为大顶堆
  20. }
  21. }
  22. catch (Exception ex)
  23. {
  24. Console.Write(ex.Message);
  25. }
  26. }
  27.  
  28. ///<summary>
  29. /// 创建大顶推(根节点大于左右子节点)
  30. ///</summary>
  31. ///<param name="array">待排数组</param>
  32. private static void BuildMaxHeap(int[] array)
  33. {
  34. try
  35. {
  36. //依据大顶堆的性质可知:数组的前半段的元素为根节点,其余元素都为叶节点
  37. for (int i = array.Length / 2 - 1; i >= 0; i--) //从最底层的最后一个根节点開始进行大顶推的调整
  38. {
  39. MaxHeapify(array, i, array.Length); //调整大顶堆
  40. }
  41. }
  42. catch (Exception ex)
  43. {
  44. Console.Write(ex.Message);
  45. }
  46. }
  47.  
  48. ///<summary>
  49. /// 大顶推的调整过程
  50. ///</summary>
  51. ///<param name="array">待调整的数组</param>
  52. ///<param name="currentIndex">待调整元素在数组中的位置(即:根节点)</param>
  53. ///<param name="heapSize">堆中全部元素的个数</param>
  54. private static void MaxHeapify(int[] array, int currentIndex, int heapSize)
  55. {
  56. try
  57. {
  58. int left = 2 * currentIndex + 1; //左子节点在数组中的位置
  59. int right = 2 * currentIndex + 2; //右子节点在数组中的位置
  60. int large = currentIndex; //记录此根节点、左子节点、右子节点 三者中最大值的位置
  61.  
  62. if (left < heapSize && array[left] > array[large]) //与左子节点进行比較
  63. {
  64. large = left;
  65. }
  66. if (right < heapSize && array[right] > array[large]) //与右子节点进行比較
  67. {
  68. large = right;
  69. }
  70. if (currentIndex != large) //假设 currentIndex != large 则表明 large 发生变化(即:左右子节点中有大于根节点的情况)
  71. {
  72. Swap(ref array[currentIndex], ref array[large]); //将左右节点中的大者与根节点进行交换(即:实现局部大顶堆)
  73. MaxHeapify(array, large, heapSize); //以上次调整动作的large位置(为此次调整的根节点位置),进行递归调整
  74. }
  75. }
  76. catch (Exception ex)
  77. {
  78. Console.Write(ex.Message);
  79. }
  80. }
  81.  
  82. ///<summary>
  83. /// 交换函数
  84. ///</summary>
  85. ///<param name="a">元素a</param>
  86. ///<param name="b">元素b</param>
  87. private static void Swap(ref int a, ref int b)
  88. {
  89. int temp = 0;
  90. temp = a;
  91. a = b;
  92. b = temp;
  93. }
  94.  
  95. static void Main(string[] args)
  96. {
  97. int[] intArray = new int[] { 5, 3, 7, 4, 8, 2, 9, 1, 0, 6 };
  98. HeapSortFunction(intArray);
  99. foreach (int i in intArray)
  100. {
  101. Console.Write(i + " ");
  102. }
  103. Console.ReadKey();
  104. }
  105. }
  106. }

排序的分类/稳定性/时间复杂度和空间复杂度总结



版权声明:本文博客原创文章。博客,未经同意,不得转载。

C# 经典排序算法大全的更多相关文章

  1. C#字符串数组排序 C#排序算法大全 C#字符串比较方法 一个.NET通用JSON解析/构建类的实现(c#) C#处理Json文件 asp.net使用Jquery+iframe传值问题

    C#字符串数组排序   //排序只带字符的数组,不带数字的 private   string[]   aa   ={ "a ", "c ", "b & ...

  2. 经典排序算法 – 插入排序Insertion sort

    经典排序算法 – 插入排序Insertion sort  插入排序就是每一步都将一个待排数据按其大小插入到已经排序的数据中的适当位置,直到全部插入完毕. 插入排序方法分直接插入排序和折半插入排序两种, ...

  3. 经典排序算法总结与实现 ---python

    原文:http://wuchong.me/blog/2014/02/09/algorithm-sort-summary/ 经典排序算法在面试中占有很大的比重,也是基础,为了未雨绸缪,在寒假里整理并用P ...

  4. 经典排序算法及python实现

    今天我们来谈谈几种经典排序算法,然后用python来实现,最后通过数据来比较几个算法时间 选择排序 选择排序(Selection sort)是一种简单直观的排序算法.它的工作原理是每一次从待排序的数据 ...

  5. 经典排序算法 - 基数排序Radix sort

    经典排序算法 - 基数排序Radix sort 原理类似桶排序,这里总是须要10个桶,多次使用 首先以个位数的值进行装桶,即个位数为1则放入1号桶,为9则放入9号桶,临时忽视十位数 比如 待排序数组[ ...

  6. 经典排序算法 - 高速排序Quick sort

    经典排序算法 - 高速排序Quick sort 原理,通过一趟扫描将要排序的数据切割成独立的两部分,当中一部分的全部数据都比另外一部分的全部数据都要小,然后再按此方法对这两部分数据分别进行高速排序,整 ...

  7. 经典排序算法 - 归并排序Merge sort

    经典排序算法 - 归并排序Merge sort 原理,把原始数组分成若干子数组,对每个子数组进行排序, 继续把子数组与子数组合并,合并后仍然有序,直到所有合并完,形成有序的数组 举例 无序数组[6 2 ...

  8. Jerry 2017年的五一小长假:8种经典排序算法的ABAP实现

    2017年4月29日~5月1日,国际劳动节, 三天的小长假. 在国内,小长假往往是这样的: 然而我当时在戏称为"德村"(德国农村)的Walldorf出差并且住在Wiesloch, ...

  9. 【最全】经典排序算法(C语言)

    算法复杂度比较: 算法分类 一.直接插入排序 一个插入排序是另一种简单排序,它的思路是:每次从未排好的序列中选出第一个元素插入到已排好的序列中. 它的算法步骤可以大致归纳如下: 从未排好的序列中拿出首 ...

随机推荐

  1. Wix打包系列(七) 添加系统必备组件的安装程序

    原文:Wix打包系列(七) 添加系统必备组件的安装程序 我们知道在vs的打包工程中添加系统必备组件是一件很容易的事情,那么在wix中如何检测系统必备组件并在安装过程中安装这些组件.这里以.Net Fr ...

  2. CC ANUMLA(STL的运用)

    题目连接:http://www.codechef.com/problems/ANUMLA 题意:给一个序列所有子集和(2^n个子集),复原这个序列... 如:0 1 1 2 2 3 3 4 原序列为1 ...

  3. CCLuaObjcBridge调Objective-C方法传索引数组报invalid key to &#39;next&#39;错调试

    CCLuaObjcBridge是cocos2d-x系列引擎与Objective-C进行交互的"桥梁",老廖的quick-cocos2d-x在其framework进行了简单了封装,封 ...

  4. 移动开发平台-应用之星app制作教程

    目前在AppStore.GooglePlay等应用商店里已经有以百万计的Apps,应用程序使移动互联网空间得以无限拓展.很多人梦想着AngryBirds式的奇迹在自己身上发生,他们渴望自己开发的应用程 ...

  5. ThinkPHP中的volist标签中使用eq标签出错

    参考地址:http://blog.csdn.net/luquansen/article/details/18310855 源码: <volist id="v" name=&q ...

  6. 用java读写properties文件的代码

    package com.LY; import java.io.BufferedInputStream; import java.io.FileInputStream; import java.io.F ...

  7. kafka解释三的具体:发展Kafka应用

    一个.整体外观Kafka 我们知道.Kafka系统有三大组件:Producer.Consumer.broker . producers 生产(produce)消息(message)并推(push)送给 ...

  8. HTML5 RPG游戏引擎 地图实现篇

    一,话说全国年夜事   前没有暂看到lufy的专客上,有一名伴侣念要一个RPG游戏引擎,出于兴趣筹办入手做一做.因为我研讨lufylegend有冶时间了,对它有必然的依赖性,因而便筹办将那个引擎基于 ...

  9. ACM:回溯,八皇后问题,素数环

    (一)八皇后问题 (1)回溯 #include <iostream> #include <string> #define MAXN 100 using namespace st ...

  10. 【Android接口实现】ActionBar利用整理的一些细节

    转载请注明出处:http://blog.csdn.net/zhaokaiqiang1992 关于ActionBar的使用,非常多大神早就已经写了非常好的文章进行了介绍,所以ActionBar的基本使用 ...