美文网首页
Guava记录 - Collections(一) - 不可变集合

Guava记录 - Collections(一) - 不可变集合

作者: 一点温柔 | 来源:发表于2019-10-16 21:06 被阅读0次

一、简介

官网对Immutable Collections的简介如下:

Immutable collections, for defensive programming, constant collections, and improved efficiency.
大致意思就是可以通过不可变集合应用于防御式编程、常量集合以及提高效率.

二、为什么使用 Immutable Collections?

guava gitlab wiki上给出的解释是不可变对象有很多优点,包括:

1、对于不受信任的库来说是安全的。
2、线程安全:可以由许多线程使用,没有竞争条件的风险。
3、不需要支持变异,可以节省时间和空间的假设。所有不可变集合实现都比它们的可变同类型的实现更节省内存。(分析)
3、可以用作常数,期望它保持不变。
4、创建对象的不可变副本是一种很好的防御性编程技术。Guava提供每个标准集合类型的简单、易于使用的不可变版本,包括Guava自己的集合变体。

当我们不期望修改一个集合,或者期望一个集合保持不变时,将它复制到一个不可变的集合是一个很好的办法。

重要提示:每个Guava不可变集合实现都拒绝null值的。谷歌的内部代码库进行了详尽的研究,结果表明,在大约5%的情况下,集合中允许使用null元素,而在95%的情况下,在null上快速失败是最好的方法。如果需要使用null值,可以考虑使用集合。

三、如何使用 Immutable Collections?

Immutable Collections支持多种创建方式

1、通过of()方法创建

通过of()方法创建的不可变集合,除了已排序的集合外,其他的都是按照时间构建来排序的;

简单实验:

 ImmutableList<String> createByOf = ImmutableList.of("a", "b");

思考点 - 为什么是以这种方式创建?为什么当节点是13个节点的时候使用数组?

/**
   * Returns an immutable list containing a single element. This list behaves
   * and performs comparably to {@link Collections#singleton}, but will not
   * accept a null element. It is preferable mainly for consistency and
   * maintainability of your code.
   *
   * @throws NullPointerException if {@code element} is null
   */
  public static <E> ImmutableList<E> of(E element) {
    return new SingletonImmutableList<E>(element);
  }

  /**
   * Returns an immutable list containing the given elements, in order.
   *
   * @throws NullPointerException if any element is null
   */
  public static <E> ImmutableList<E> of(E e1, E e2) {
    return construct(e1, e2);
  }


  /**
   * Returns an immutable list containing the given elements, in order.
   *
   * @throws NullPointerException if any element is null
   * @since 3.0 (source-compatible since 2.0)
   */
  @SafeVarargs // For Eclipse. For internal javac we have disabled this pointless type of warning.
  public static <E> ImmutableList<E> of(
      E e1, E e2, E e3, E e4, E e5, E e6, E e7, E e8, E e9, E e10, E e11, E e12, E... others) {
    Object[] array = new Object[12 + others.length];
    array[0] = e1;
    array[1] = e2;
    array[2] = e3;
    array[3] = e4;
    array[4] = e5;
    array[5] = e6;
    array[6] = e7;
    array[7] = e8;
    array[8] = e9;
    array[9] = e10;
    array[10] = e11;
    array[11] = e12;
    System.arraycopy(others, 0, array, 12, others.length);
    return construct(array);
  }

2、通过copyOf()方法创建

简单实验:

  ImmutableList<String> createByOf = ImmutableList.of("a", "b");

  ImmutableList<String> createByCopyOf = ImmutableList.copyOf(normalList);
3、通过builder()方法创建

简单实验

  ImmutableList<String> createByBuilder = ImmutableList.<String>builder()
                .add("A")
                .add("B")
                .build();

未完待续......

相关文章

网友评论

      本文标题:Guava记录 - Collections(一) - 不可变集合

      本文链接:https://www.haomeiwen.com/subject/suzumctx.html