JavaScript冒泡排序

1、依次比较相邻的两个值,如果后面的比前面的小,就把小元素放在前面。一轮下来,最后一个数字是最大的。

2、按照这个规则进行多次递减迭代,直到顺序正确。

3、排序可以通过执行n-1轮来完成。

实例

Array.prototype.bubbleSort = function () {
  for (let i = 0; i < this.length - 1; i += 1) {
    for (let j = 0; j < this.length - 1 - i; j += 1) {
      if (this[j] > this[j + 1]) {
        const temp = this[j];
        this[j] = this[j + 1];
        this[j + 1] = temp;
      }
    }
  }
};
 
const arr = [5, 4, 3, 2, 1];
arr.bubbleSort();

1、顺序搜索算法是最常见、最基本的搜索算法。2、遍历数组,找到与目标值相等的元素,然后返回下标。3、如果没有搜索到目标值,遍历后返回-1。实例Array.prototype.sequentialSearch = ...