使用Java 9,新的工厂方法被添加到Set接口以创建不可变实例。这些工厂方法是方便的工厂方法,用于以较少的冗长和简洁的方式创建集合。
import java.util.Collections; import java.util.HashSet; import java.util.Set; public class Tester { public static void main(String []args) { Set<String> set = new HashSet<>(); set.add("A"); set.add("B"); set.add("C"); Set<String> readOnlySet = Collections.unmodifiableSet(set); System.out.println(readOnlySet); try { readOnlySet.remove(0); } catch (Exception e) { e.printStackTrace(); } } }
它将打印以下输出。
[A, B, C] java.lang.UnsupportedOperationException at java.util.Collections$UnmodifiableCollection.remove(Collections.java:1058) at Tester.main(Tester.java:15)
使用Java 9,会将以下方法及其重载的对应方法添加到Set接口。
static <E> Set<E> of(); // returns immutable set of zero element static <E> Set<E> of(E e1); // returns immutable set of one element static <E> Set<E> of(E e1, E e2); // returns immutable set of two elements static <E> Set<E> of(E e1, E e2, E e3); //...--- static <E> Set<E> of(E e1, E e2, E e3, E e4, E e5, E e6, E e7, E e8, E e9, E e10); static <E> Set<E> of(E...--- elements);// returns immutable set of arbitrary number of elements.
对于Set接口,of(...---)方法将重载为0到10个参数,其中一个带有var args参数。
这些方法返回不可变的集合,并且无法添加,删除或替换元素。调用任何mutator方法都将始终引发UnsupportedOperationException。
import java.util.Collections; import java.util.HashSet; import java.util.Set; public class Tester { public static void main(String []args) { Set<String> set = Set.of("A","B","C"); Set<String> readOnlySet = Collections.unmodifiableSet(set); System.out.println(readOnlySet); try { readOnlySet.remove(0); } catch (Exception e) { e.printStackTrace(); } } }
它将打印以下输出。
[A, B, C] java.lang.UnsupportedOperationException at java.util.Collections$UnmodifiableCollection.remove(Collections.java:1058) at Tester.main(Tester.java:10)