web-dev-qa-db-ja.com

順序を維持するセットに収集するコレクターはありますか?

Collectors.toSet()は順序を保持しません。代わりにリストを使用することもできますが、結果のコレクションでは要素の複製が許可されていないことを示したいと思います。これはSetインターフェイスの目的です。

98
gvlasov

toCollectionを使用して、必要なセットの具体的なインスタンスを提供できます。たとえば、広告掲載順序を維持する場合:

Set<MyClass> set = myStream.collect(Collectors.toCollection(LinkedHashSet::new));

例えば:

public class Test {    
    public static final void main(String[] args) {
        List<String> list = Arrays.asList("b", "c", "a");

        Set<String> linkedSet = 
            list.stream().collect(Collectors.toCollection(LinkedHashSet::new));

        Set<String> collectorToSet = 
            list.stream().collect(Collectors.toSet());

        System.out.println(linkedSet); //[b, c, a]
        System.out.println(collectorToSet); //[a, b, c]
    }
}
186
Alexis C.