Java9新特性系列(便利的集合工厂方法)

Java8前时代

在Java8版本以前,创建一个只读不可变的集合,先要初始化,然后塞数据,然后置为只读:

Set set = new HashSet<>();
set.add("a");
set.add("b");
set.add("c");
set = Collections.unmodifiableSet(set);
复制代码

上面的方式占用太多行,能不能用单行表达式呢?用如下方式:

Set set = Collections.unmodifiableSet(new HashSet<>(Arrays.asList("a", "b", "c")));
Set set = Collections.unmodifiableSet(new HashSet() {{
    add("a"); add("b"); add("c");
}});
复制代码

Java8

在Java8中可以用流的方法创建,具体可以看之前的一篇文章Java8新特性系列(Stream),实现方法如下:

Set set = Collections.unmodifiableSet(Stream.of("a", "b", "c").collect(toSet()));
复制代码

Java9

Java9中引入了很多方便的API,Convenience Factory Methods for Collections,即集合工厂方法,官方Feature,上述的实现中Java9中有如下实现方式:

Set set = Collections.unmodifiableSet(new HashSet() {{
    add("a"); add("b"); add("c");
}});
复制代码

也可以用如下方式:

Set set = Set.of("a", "b", "c");
复制代码

Java9中List提供了一系列类似的方法:

/**
 * Returns an immutable list containing zero elements.
 * @since 9
 */
static  List of() {
    return ImmutableCollections.List0.instance();
}

/**
 * Returns an immutable list containing one element.
 * @since 9
 */
static  List of(E e1) {
    return new ImmutableCollections.List1<>(e1);
}

/**
 * Returns an immutable list containing one element.
 * @since 9
 */
static  List of(E e1) {
    return new ImmutableCollections.List1<>(e1);
}

/**
 * Returns an immutable list containing three elements.
 * @since 9
 */
static  List of(E e1, E e2, E e3) {
    return new ImmutableCollections.ListN<>(e1, e2, e3);
}

...

/**
 * Returns an immutable list containing ten elements.
 * @since 9
 */
static  List of(E e1, E e2, E e3, E e4, E e5, E e6, E e7, E e8, E e9, E e10) {
    return new ImmutableCollections.ListN<>(e1, e2, e3, e4, e5, e6, e7, e8, e9, e10);
}

@SafeVarargs
@SuppressWarnings("varargs")
static  List of(E... elements) {
    switch (elements.length) { // implicit null check of elements
        case 0:
            return ImmutableCollections.List0.instance();
        case 1:
            return new ImmutableCollections.List1<>(elements[0]);
        case 2:
            return new ImmutableCollections.List2<>(elements[0], elements[1]);
        default:
            return new ImmutableCollections.ListN<>(elements);
    }
}
复制代码

Java9中Set、Map都有类似的方法,创建只读不可变的集合:

Set.of()
...
Map.of()
Map.of(k1, v1)
Map.of(k1, v1, k2, v2)
Map.of(k1, v1, k2, v2, k3, v3)
...
Map.ofEntries(Map.Entry...)
Map.Entry entry(K k, V v)
Map.ofEntries(
    entry(k1, v1),
    entry(k2, v2),
    entry(k3, v3),
    // ...
    entry(kn, vn)
);
复制代码

微信公众号: 码上论剑
请关注我的个人技术微信公众号,订阅更多内容

你可能感兴趣的:(Java9新特性系列(便利的集合工厂方法))