我如何排序一个 ES6‘ Set’?

如何对 Set进行排序以确保特定的迭代顺序?

92956 次浏览

集合不是有序的抽象数据结构。

然而,Set总是具有相同的迭代顺序-元素插入顺序[1] ,因此当您迭代它时(通过迭代方法、通过调用 Symbol.iterator或通过 for。.循环)你总是可以期待。

您总是可以将集合转换为数组并对其进行排序。

Array.from(new Set(["b","a","c"])).sort();
[...(new Set(["b","a","c"]))].sort(); // with spread.

[1] forEach and CreateSetIterator

在某些情况下,类似于 array.sort(),对集合进行“排序”可能更好,可以这样做:

function sortSet(set) {
const entries = [];
for (const member of set) {
entries.push(member);
}
set.clear();
for (const entry of entries.sort()) {
set.add(entry);
}
return set;
};


sortSet(new Set([3,2,1]))
// => Set(3) { 1, 2, 3 }

最简单的方法。

console.log(new Set(['b', 'a', 'c'].sort()))
//Set(3) {"a", "b", "c"}

那个。Sort 函数是一个高阶函数,这意味着它内部可以有另一个函数。首先。Sort ()可以处理字符或字符串,但它会给数字带来错误。我已经在视频中讨论了集合和排序函数。我希望你能理解。https://www.youtube.com/watch?v=ztw4Gh8eogw

//This is sort() for getting numbers in ascending order:
const setC = new Set(([58,12,11,10,5,32]).sort((a,b)=>a -b));
//This is sort() for getting numbers in descending order:
const setC = new Set(([58,12,11,10,5,32]).sort((a,b)=>b -a));
//This is sort() for strings
const setD=new Set((['mangoes','bananas', 'apples','oranages']).sort());
// This is sort() for characters
const setD=new Set((['m', 'b', 'a', 'r']).sort());
You can convert the set to an array too and then sort it but that is not
required in your case.
const arrayofsetA = Array.from(setA);
//for strings or characters
arrayofsetA.sort();
//for numbers or floating point numbers
arrayofsetA.sort((a,b) => a-b);