不可变类就是创造以后就不能有任何改变的类,比如String
既然是不可变的,那么天然是线程安全的,而且可以缓存
1.class必须被声明为final
禁止继承,如果有子类,子类就可以覆盖掉field,重写method,变成一个随便怎么样的类,然后还属于父类这个类型,那么父类就可以不是不可变类了
2.field都是private final,不能提供它们的set方法
3.构造器初始化初始化field的时,深拷贝
不能初始化的环境中还有这个对象的引用,不然就可以通过这个引用在外面改变这个对象的值
4.get方法中,不给field的引用,只深拷贝一份返回
原因和3一样
@Slf4j
@ThreadSafe
public class ImmutableExample2 {
private static Map<Integer, Integer> map;
static {
Map<Integer, Integer> m = Maps.newHashMap();
m.put(1, 2);
m.put(3, 4);
m.put(5, 6);
map = Collections.unmodifiableMap( m);
}
public static void main(String[] args) {
map.put(1, 3); //这行报错
log.info("{}", map.get(1));
}
}
内部实现是 重写了put等修改的方法
public V put(K key, V value) {
throw new UnsupportedOperationException();
}
public V remove(Object key) {
throw new UnsupportedOperationException();
}
public void putAll(Map<? extends K, ? extends V> m) {
throw new UnsupportedOperationException();
}
public void clear() {
throw new UnsupportedOperationException();
}
@ThreadSafe
public class ImmutableExample3 {
private final static ImmutableList<Integer> list = ImmutableList.of(1, 2, 3);
private final static ImmutableSet set = ImmutableSet.copyOf(list);
private final static ImmutableMap<Integer, Integer> map = ImmutableMap.of(1, 2, 3, 4);
private final static ImmutableMap<Integer, Integer> map2 = ImmutableMap.<Integer, Integer>builder()
.put(1, 2).put(3, 4).put(5, 6).build();
public static void main(String[] args) {
System.out.println(map2.get(3));
}
}