快速排序(泛型版)

作者:追风剑情 发布于:2019-3-15 23:08 分类:Algorithms

示例

  1. using System;
  2. using System.Collections.Generic;
  3. using System.Linq;
  4. using System.Text;
  5.  
  6. namespace TSortTest
  7. {
  8. class Program
  9. {
  10. static void Main(string[] args)
  11. {
  12. // 生成测试数据
  13. List<Foo> foos = new List<Foo>();
  14. Random random = new Random();
  15. for (int i = 0; i < 10; i++)
  16. {
  17. Foo foo = new Foo();
  18. foo.score = random.Next(0, 100);
  19. foos.Add(foo);
  20. }
  21.  
  22. Foo[] arr = foos.ToArray();
  23.  
  24. Console.WriteLine("排序前:");
  25.  
  26. foreach (var foo in arr)
  27. {
  28. Console.Write(foo.score + " ");
  29. }
  30.  
  31. QuickSortHelper<Foo>.Sort(arr);
  32.  
  33. Console.WriteLine("\n排序后:");
  34.  
  35. foreach (var foo in arr)
  36. {
  37. Console.Write(foo.score+" ");
  38. }
  39.  
  40. Console.Read();
  41. }
  42. }
  43.  
  44. public class QuickSortHelper<T> where T : IComparer<T>
  45. {
  46.  
  47. public static void Sort(T[] arr)
  48. {
  49. RecursionSort(arr, 0, arr.Length - 1);
  50. }
  51.  
  52. // 递归方式实现
  53. private static void RecursionSort(T[] arr, int p, int r)
  54. {
  55. if (p >= r) //结束递归
  56. return;
  57. int q = Partition(arr, p, r);
  58. RecursionSort(arr, p, q - 1); //对左侧排序
  59. RecursionSort(arr, q + 1, r); //对右侧排序
  60. }
  61.  
  62. /// <summary>
  63. /// 将主元arr[r]放到合适的位置
  64. /// </summary>
  65. /// <returns>返回主元所在的新位置</returns>
  66. private static int Partition(T[] arr, int p, int r)
  67. {
  68. T x = arr[r];//主元
  69. int i = p;
  70. for (int j = p; j < r; j++)
  71. {
  72. if (arr[j].Compare(arr[j], x) < 0)
  73. {
  74. Exchange(arr, i, j);
  75. i++;
  76. }
  77. }
  78. //将主元放入正确的位置
  79. //此时,主元左侧的数据都小于主元,主元右侧的数据都大于主元
  80. Exchange(arr, i, r);
  81. return i;
  82. }
  83.  
  84. // 将第r号元素插入到i号位置,其它元素依次后移
  85. private static void Exchange(T[] arr, int i, int r)
  86. {
  87. if (i >= r)
  88. return;
  89. T x = arr[r];
  90. for (int j = r; j > i; j--)
  91. {
  92. arr[j] = arr[j - 1];
  93. }
  94. arr[i] = x;
  95. }
  96. }
  97.  
  98. public class Foo : IComparer<Foo>
  99. {
  100. public int score;
  101.  
  102. public int Compare(Foo a, Foo b)
  103. {
  104. if (a.score > b.score)
  105. return 1;
  106. else if (a.score < b.score)
  107. return -1;
  108. return 0;
  109. }
  110. }
  111. }

运行测试

111.png

标签: Algorithms

Powered by emlog  蜀ICP备18021003号-1   sitemap

川公网安备 51019002001593号