数组中的奇偶排序-JavaScript

我们需要编写一个JavaScript函数,该函数接受一个数字数组并对该数组进行排序,以使所有偶数数字都首先以升序出现,然后所有奇数都以升序出现。

例如:如果输入数组是-

const arr = [2, 5, 2, 6, 7, 1, 8, 9];

那么输出应该是-

const output = [2, 2, 6, 8, 1, 5, 7, 9];

示例

以下是代码-

const arr = [2, 5, 2, 6, 7, 1, 8, 9];

const isEven = num => num % 2 === 0;

const sorter = ((a, b) => {

   if(isEven(a) && !isEven(b)){

      return -1;

   };

   if(!isEven(a) && isEven(b)){

      return 1;

   };

   return a - b;

});

const oddEvenSort = arr => {

   arr.sort(sorter);

};

oddEvenSort(arr);

console.log(arr);

输出结果

以下是控制台中的输出-

[

   2, 2, 6, 8,

   1, 5, 7, 9

]

以上是 数组中的奇偶排序-JavaScript 的全部内容, 来源链接: utcz.com/z/361564.html

回到顶部