具有一组数字setOfNumbers = [0, 3, 3, 2, 7, 1, -2, 9]
,我希望将此集合排序为在sortedSetNumbers = [0, 2, 3, 9, 7, 3, 1, -2]
这样的排序集合的末尾和开头都有最小的数字,在中间有最大的数字。 / p>
const setOfNumbers = [0, 3, 3, 2, 7, 1, -2, 9];
const result = [0, 2, 3, 9, 7, 3, 1, -2];
function sortNormal(a, b) {
return true; // Please, change this line
}
const sortedSetNumbers = setOfNumbers.sort((a, b) => sortNormal(a, b));
if (sortedSetNumbers === result) {
console.info('Succeeded Normal Distributed');
} else {
console.warn('Failed Normal Distribution');
}
console.log(sortedSetNumbers);
我确定可以使用Array.prototype.sort()
方法对这些数字进行排序,但是此排序函数应如何显示?
编辑:不必使用.sort()
解决该解决方案。那只是个主意。
答案 0 :(得分:6)
这可能是最幼稚的方法,但不是在排序后简单地向左,向右,向左,向右...
const input = [0, 3, 3, 2, 7, 1, -2, 9];
const expected = [0, 2, 3, 9, 7, 3, 1, -2];
const sorted = input.slice().sort();
const output = [];
let side = true;
while (sorted.length) {
output[side ? 'unshift' : 'push'](sorted.pop());
side = !side;
}
console.log(expected.join());
console.log(output.join());
或者简单地:
const input = [0, 3, 3, 2, 7, 1, -2, 9];
const output = input.slice().sort().reduceRight((acc, val, i) => {
return i % 2 === 0 ? [...acc, val] : [val, ...acc];
}, []);
console.log(output.join());
答案 1 :(得分:2)
一种稍微不同的方法是对数组升序进行排序。
获取另一个索引数组,并用倒置的 butterfly shuffle 将赔率按前半部分升序排序,将偶数值按末尾降序排序。
然后通过获取已排序索引的值来映射已排序数组。
[-2, 0, 1, 2, 3, 3, 7, 9] // sorted array [ 1, 3, 5, 7, 6, 4, 2, 0] // sorted indices [ 0, 2, 3, 9, 7, 3, 1, -2] // rebuild sorted array
var array = [0, 3, 3, 2, 7, 1, -2, 9].sort((a, b) => a - b);
array = Array
.from(array, (_, i) => i)
.sort((a, b) => b % 2 - a % 2 || (a % 2 ? a - b : b - a))
.map(i => array[i]);
console.log(array);
答案 2 :(得分:0)
这种解决方案并不是很优雅,但是确实可以。
const setOfNumbers = [0, 3, 3, 2, 7, 1, -2, 9];
const alternation = alternate();
const sortedSetNumbers = sortNormal(setOfNumbers);
function sortNormal(start) {
const result = [];
const interim = start.sort((a, b) => {
return b - a;
});
interim.map(n => {
if (alternation.next().value) {
result.splice(0, 0, n);
} else {
result.splice(result.length, 0, n);
}
});
return result;
}
function* alternate() {
let i = true;
while (true) {
yield i;
i = !i;
}
}
console.log(sortedSetNumbers);