插入排序(Insertion-Sort)-- 初级排序算法

1 插入排序(Insertion-Sort)

插入排序(Insertion-Sort)的算法描述是一种简单直观的排序算法。它的工作原理是通过构建有序序列,对于未排序数据,在已排序序列中从后向前扫描,找到相应位置并插入。

算法描述
一般来说,插入排序都采用in-place在数组上实现。具体算法描述如下:

  • 从第一个元素开始,该元素可以认为已经被排序;
  • 取出下一个元素,在已经排序的元素序列中从后向前扫描;
  • 如果该元素(已排序)大于新元素,将该元素移到下一位置;
  • 重复步骤3,直到找到已排序的元素小于或者等于新元素的位置;
  • 将新元素插入到该位置后;
  • 重复步骤2~5。

动图演示
插入排序(Insertion-Sort)-- 初级排序算法_第1张图片
代码实现

class Solution:
    def sortArray(self, nums: List[int]) -> List[int]:
        n = len(nums)
        if not nums or n==0: return []
        for i in range(1,n):
            preIndex = i-1
            current = nums[i]
            while preIndex >= 0 and nums[preIndex] > current:
                nums[preIndex + 1] = nums[preIndex]
                preIndex = preIndex - 1
            nums[preIndex + 1] = current
        return nums

算法特性

  • 时间复杂度(最好): O ( n ) O(n) O(n)
  • 时间复杂度(最坏): O ( n 2 ) O(n^2) O(n2)
  • 时间复杂度(平均): O ( n 2 ) O(n^2) O(n2)
  • 空间复杂度: O ( 1 ) O(1) O(1)
  • 稳定性:稳定

参考资料

十大经典排序算法(动图演示)

你可能感兴趣的:(算法模型,数据结构,排序算法,插入排序,python)