001/*
002 * Copyright (C) 2017 The Guava Authors
003 *
004 * Licensed under the Apache License, Version 2.0 (the "License"); you may not use this file except
005 * in compliance with the License. You may obtain a copy of the License at
006 *
007 * http://www.apache.org/licenses/LICENSE-2.0
008 *
009 * Unless required by applicable law or agreed to in writing, software distributed under the License
010 * is distributed on an "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express
011 * or implied. See the License for the specific language governing permissions and limitations under
012 * the License.
013 */
014
015package com.google.common.primitives;
016
017import static com.google.common.base.Preconditions.checkArgument;
018import static com.google.common.base.Preconditions.checkNotNull;
019
020import com.google.common.annotations.GwtCompatible;
021import com.google.common.base.Preconditions;
022import com.google.errorprone.annotations.CanIgnoreReturnValue;
023import com.google.errorprone.annotations.Immutable;
024import java.io.Serializable;
025import java.util.AbstractList;
026import java.util.Arrays;
027import java.util.Collection;
028import java.util.List;
029import java.util.RandomAccess;
030import java.util.Spliterator;
031import java.util.Spliterators;
032import java.util.function.IntConsumer;
033import java.util.stream.IntStream;
034import javax.annotation.CheckForNull;
035
036/**
037 * An immutable array of {@code int} values, with an API resembling {@link List}.
038 *
039 * <p>Advantages compared to {@code int[]}:
040 *
041 * <ul>
042 *   <li>All the many well-known advantages of immutability (read <i>Effective Java</i>, third
043 *       edition, Item 17).
044 *   <li>Has the value-based (not identity-based) {@link #equals}, {@link #hashCode}, and {@link
045 *       #toString} behavior you expect.
046 *   <li>Offers useful operations beyond just {@code get} and {@code length}, so you don't have to
047 *       hunt through classes like {@link Arrays} and {@link Ints} for them.
048 *   <li>Supports a copy-free {@link #subArray} view, so methods that accept this type don't need to
049 *       add overloads that accept start and end indexes.
050 *   <li>Can be streamed without "breaking the chain": {@code foo.getBarInts().stream()...}.
051 *   <li>Access to all collection-based utilities via {@link #asList} (though at the cost of
052 *       allocating garbage).
053 * </ul>
054 *
055 * <p>Disadvantages compared to {@code int[]}:
056 *
057 * <ul>
058 *   <li>Memory footprint has a fixed overhead (about 24 bytes per instance).
059 *   <li><i>Some</i> construction use cases force the data to be copied (though several construction
060 *       APIs are offered that don't).
061 *   <li>Can't be passed directly to methods that expect {@code int[]} (though the most common
062 *       utilities do have replacements here).
063 *   <li>Dependency on {@code com.google.common} / Guava.
064 * </ul>
065 *
066 * <p>Advantages compared to {@link com.google.common.collect.ImmutableList ImmutableList}{@code
067 * <Integer>}:
068 *
069 * <ul>
070 *   <li>Improved memory compactness and locality.
071 *   <li>Can be queried without allocating garbage.
072 *   <li>Access to {@code IntStream} features (like {@link IntStream#sum}) using {@code stream()}
073 *       instead of the awkward {@code stream().mapToInt(v -> v)}.
074 * </ul>
075 *
076 * <p>Disadvantages compared to {@code ImmutableList<Integer>}:
077 *
078 * <ul>
079 *   <li>Can't be passed directly to methods that expect {@code Iterable}, {@code Collection}, or
080 *       {@code List} (though the most common utilities do have replacements here, and there is a
081 *       lazy {@link #asList} view).
082 * </ul>
083 *
084 * @since 22.0
085 */
086@GwtCompatible
087@Immutable
088public final class ImmutableIntArray implements Serializable {
089  private static final ImmutableIntArray EMPTY = new ImmutableIntArray(new int[0]);
090
091  /** Returns the empty array. */
092  public static ImmutableIntArray of() {
093    return EMPTY;
094  }
095
096  /** Returns an immutable array containing a single value. */
097  public static ImmutableIntArray of(int e0) {
098    return new ImmutableIntArray(new int[] {e0});
099  }
100
101  /** Returns an immutable array containing the given values, in order. */
102  public static ImmutableIntArray of(int e0, int e1) {
103    return new ImmutableIntArray(new int[] {e0, e1});
104  }
105
106  /** Returns an immutable array containing the given values, in order. */
107  public static ImmutableIntArray of(int e0, int e1, int e2) {
108    return new ImmutableIntArray(new int[] {e0, e1, e2});
109  }
110
111  /** Returns an immutable array containing the given values, in order. */
112  public static ImmutableIntArray of(int e0, int e1, int e2, int e3) {
113    return new ImmutableIntArray(new int[] {e0, e1, e2, e3});
114  }
115
116  /** Returns an immutable array containing the given values, in order. */
117  public static ImmutableIntArray of(int e0, int e1, int e2, int e3, int e4) {
118    return new ImmutableIntArray(new int[] {e0, e1, e2, e3, e4});
119  }
120
121  /** Returns an immutable array containing the given values, in order. */
122  public static ImmutableIntArray of(int e0, int e1, int e2, int e3, int e4, int e5) {
123    return new ImmutableIntArray(new int[] {e0, e1, e2, e3, e4, e5});
124  }
125
126  // TODO(kevinb): go up to 11?
127
128  /**
129   * Returns an immutable array containing the given values, in order.
130   *
131   * <p>The array {@code rest} must not be longer than {@code Integer.MAX_VALUE - 1}.
132   */
133  // Use (first, rest) so that `of(someIntArray)` won't compile (they should use copyOf), which is
134  // okay since we have to copy the just-created array anyway.
135  public static ImmutableIntArray of(int first, int... rest) {
136    checkArgument(
137        rest.length <= Integer.MAX_VALUE - 1, "the total number of elements must fit in an int");
138    int[] array = new int[rest.length + 1];
139    array[0] = first;
140    System.arraycopy(rest, 0, array, 1, rest.length);
141    return new ImmutableIntArray(array);
142  }
143
144  /** Returns an immutable array containing the given values, in order. */
145  public static ImmutableIntArray copyOf(int[] values) {
146    return values.length == 0 ? EMPTY : new ImmutableIntArray(Arrays.copyOf(values, values.length));
147  }
148
149  /** Returns an immutable array containing the given values, in order. */
150  public static ImmutableIntArray copyOf(Collection<Integer> values) {
151    return values.isEmpty() ? EMPTY : new ImmutableIntArray(Ints.toArray(values));
152  }
153
154  /**
155   * Returns an immutable array containing the given values, in order.
156   *
157   * <p><b>Performance note:</b> this method delegates to {@link #copyOf(Collection)} if {@code
158   * values} is a {@link Collection}. Otherwise it creates a {@link #builder} and uses {@link
159   * Builder#addAll(Iterable)}, with all the performance implications associated with that.
160   */
161  public static ImmutableIntArray copyOf(Iterable<Integer> values) {
162    if (values instanceof Collection) {
163      return copyOf((Collection<Integer>) values);
164    }
165    return builder().addAll(values).build();
166  }
167
168  /**
169   * Returns an immutable array containing all the values from {@code stream}, in order.
170   *
171   * @since 33.4.0 (but since 22.0 in the JRE flavor)
172   */
173  @SuppressWarnings("Java7ApiChecker")
174  @IgnoreJRERequirement // Users will use this only if they're already using streams.
175  public static ImmutableIntArray copyOf(IntStream stream) {
176    // Note this uses very different growth behavior from copyOf(Iterable) and the builder.
177    int[] array = stream.toArray();
178    return (array.length == 0) ? EMPTY : new ImmutableIntArray(array);
179  }
180
181  /**
182   * Returns a new, empty builder for {@link ImmutableIntArray} instances, sized to hold up to
183   * {@code initialCapacity} values without resizing. The returned builder is not thread-safe.
184   *
185   * <p><b>Performance note:</b> When feasible, {@code initialCapacity} should be the exact number
186   * of values that will be added, if that knowledge is readily available. It is better to guess a
187   * value slightly too high than slightly too low. If the value is not exact, the {@link
188   * ImmutableIntArray} that is built will very likely occupy more memory than strictly necessary;
189   * to trim memory usage, build using {@code builder.build().trimmed()}.
190   */
191  public static Builder builder(int initialCapacity) {
192    checkArgument(initialCapacity >= 0, "Invalid initialCapacity: %s", initialCapacity);
193    return new Builder(initialCapacity);
194  }
195
196  /**
197   * Returns a new, empty builder for {@link ImmutableIntArray} instances, with a default initial
198   * capacity. The returned builder is not thread-safe.
199   *
200   * <p><b>Performance note:</b> The {@link ImmutableIntArray} that is built will very likely occupy
201   * more memory than necessary; to trim memory usage, build using {@code
202   * builder.build().trimmed()}.
203   */
204  public static Builder builder() {
205    return new Builder(10);
206  }
207
208  /**
209   * A builder for {@link ImmutableIntArray} instances; obtained using {@link
210   * ImmutableIntArray#builder}.
211   */
212  public static final class Builder {
213    private int[] array;
214    private int count = 0; // <= array.length
215
216    Builder(int initialCapacity) {
217      array = new int[initialCapacity];
218    }
219
220    /**
221     * Appends {@code value} to the end of the values the built {@link ImmutableIntArray} will
222     * contain.
223     */
224    @CanIgnoreReturnValue
225    public Builder add(int value) {
226      ensureRoomFor(1);
227      array[count] = value;
228      count += 1;
229      return this;
230    }
231
232    /**
233     * Appends {@code values}, in order, to the end of the values the built {@link
234     * ImmutableIntArray} will contain.
235     */
236    @CanIgnoreReturnValue
237    public Builder addAll(int[] values) {
238      ensureRoomFor(values.length);
239      System.arraycopy(values, 0, array, count, values.length);
240      count += values.length;
241      return this;
242    }
243
244    /**
245     * Appends {@code values}, in order, to the end of the values the built {@link
246     * ImmutableIntArray} will contain.
247     */
248    @CanIgnoreReturnValue
249    public Builder addAll(Iterable<Integer> values) {
250      if (values instanceof Collection) {
251        return addAll((Collection<Integer>) values);
252      }
253      for (Integer value : values) {
254        add(value);
255      }
256      return this;
257    }
258
259    /**
260     * Appends {@code values}, in order, to the end of the values the built {@link
261     * ImmutableIntArray} will contain.
262     */
263    @CanIgnoreReturnValue
264    public Builder addAll(Collection<Integer> values) {
265      ensureRoomFor(values.size());
266      for (Integer value : values) {
267        array[count++] = value;
268      }
269      return this;
270    }
271
272    /**
273     * Appends all values from {@code stream}, in order, to the end of the values the built {@link
274     * ImmutableIntArray} will contain.
275     *
276     * @since 33.4.0 (but since 22.0 in the JRE flavor)
277     */
278    @SuppressWarnings("Java7ApiChecker")
279    @IgnoreJRERequirement // Users will use this only if they're already using streams.
280    @CanIgnoreReturnValue
281    public Builder addAll(IntStream stream) {
282      Spliterator.OfInt spliterator = stream.spliterator();
283      long size = spliterator.getExactSizeIfKnown();
284      if (size > 0) { // known *and* nonempty
285        ensureRoomFor(Ints.saturatedCast(size));
286      }
287      spliterator.forEachRemaining((IntConsumer) this::add);
288      return this;
289    }
290
291    /**
292     * Appends {@code values}, in order, to the end of the values the built {@link
293     * ImmutableIntArray} will contain.
294     */
295    @CanIgnoreReturnValue
296    public Builder addAll(ImmutableIntArray values) {
297      ensureRoomFor(values.length());
298      System.arraycopy(values.array, values.start, array, count, values.length());
299      count += values.length();
300      return this;
301    }
302
303    private void ensureRoomFor(int numberToAdd) {
304      int newCount = count + numberToAdd; // TODO(kevinb): check overflow now?
305      if (newCount > array.length) {
306        array = Arrays.copyOf(array, expandedCapacity(array.length, newCount));
307      }
308    }
309
310    // Unfortunately this is pasted from ImmutableCollection.Builder.
311    private static int expandedCapacity(int oldCapacity, int minCapacity) {
312      if (minCapacity < 0) {
313        throw new AssertionError("cannot store more than MAX_VALUE elements");
314      }
315      // careful of overflow!
316      int newCapacity = oldCapacity + (oldCapacity >> 1) + 1;
317      if (newCapacity < minCapacity) {
318        newCapacity = Integer.highestOneBit(minCapacity - 1) << 1;
319      }
320      if (newCapacity < 0) {
321        newCapacity = Integer.MAX_VALUE; // guaranteed to be >= newCapacity
322      }
323      return newCapacity;
324    }
325
326    /**
327     * Returns a new immutable array. The builder can continue to be used after this call, to append
328     * more values and build again.
329     *
330     * <p><b>Performance note:</b> the returned array is backed by the same array as the builder, so
331     * no data is copied as part of this step, but this may occupy more memory than strictly
332     * necessary. To copy the data to a right-sized backing array, use {@code .build().trimmed()}.
333     */
334    public ImmutableIntArray build() {
335      return count == 0 ? EMPTY : new ImmutableIntArray(array, 0, count);
336    }
337  }
338
339  // Instance stuff here
340
341  // The array is never mutated after storing in this field and the construction strategies ensure
342  // it doesn't escape this class
343  @SuppressWarnings("Immutable")
344  private final int[] array;
345
346  /*
347   * TODO(kevinb): evaluate the trade-offs of going bimorphic to save these two fields from most
348   * instances. Note that the instances that would get smaller are the right set to care about
349   * optimizing, because the rest have the option of calling `trimmed`.
350   */
351
352  private final transient int start; // it happens that we only serialize instances where this is 0
353  private final int end; // exclusive
354
355  private ImmutableIntArray(int[] array) {
356    this(array, 0, array.length);
357  }
358
359  private ImmutableIntArray(int[] array, int start, int end) {
360    this.array = array;
361    this.start = start;
362    this.end = end;
363  }
364
365  /** Returns the number of values in this array. */
366  public int length() {
367    return end - start;
368  }
369
370  /** Returns {@code true} if there are no values in this array ({@link #length} is zero). */
371  public boolean isEmpty() {
372    return end == start;
373  }
374
375  /**
376   * Returns the {@code int} value present at the given index.
377   *
378   * @throws IndexOutOfBoundsException if {@code index} is negative, or greater than or equal to
379   *     {@link #length}
380   */
381  public int get(int index) {
382    Preconditions.checkElementIndex(index, length());
383    return array[start + index];
384  }
385
386  /**
387   * Returns the smallest index for which {@link #get} returns {@code target}, or {@code -1} if no
388   * such index exists. Equivalent to {@code asList().indexOf(target)}.
389   */
390  public int indexOf(int target) {
391    for (int i = start; i < end; i++) {
392      if (array[i] == target) {
393        return i - start;
394      }
395    }
396    return -1;
397  }
398
399  /**
400   * Returns the largest index for which {@link #get} returns {@code target}, or {@code -1} if no
401   * such index exists. Equivalent to {@code asList().lastIndexOf(target)}.
402   */
403  public int lastIndexOf(int target) {
404    for (int i = end - 1; i >= start; i--) {
405      if (array[i] == target) {
406        return i - start;
407      }
408    }
409    return -1;
410  }
411
412  /**
413   * Returns {@code true} if {@code target} is present at any index in this array. Equivalent to
414   * {@code asList().contains(target)}.
415   */
416  public boolean contains(int target) {
417    return indexOf(target) >= 0;
418  }
419
420  /**
421   * Invokes {@code consumer} for each value contained in this array, in order.
422   *
423   * @since 33.4.0 (but since 22.0 in the JRE flavor)
424   */
425  @SuppressWarnings("Java7ApiChecker")
426  @IgnoreJRERequirement // We rely on users not to call this without library desugaring.
427  public void forEach(IntConsumer consumer) {
428    checkNotNull(consumer);
429    for (int i = start; i < end; i++) {
430      consumer.accept(array[i]);
431    }
432  }
433
434  /**
435   * Returns a stream over the values in this array, in order.
436   *
437   * @since 33.4.0 (but since 22.0 in the JRE flavor)
438   */
439  @SuppressWarnings("Java7ApiChecker")
440  // If users use this when they shouldn't, we hope that NewApi will catch subsequent stream calls
441  @IgnoreJRERequirement
442  public IntStream stream() {
443    return Arrays.stream(array, start, end);
444  }
445
446  /** Returns a new, mutable copy of this array's values, as a primitive {@code int[]}. */
447  public int[] toArray() {
448    return Arrays.copyOfRange(array, start, end);
449  }
450
451  /**
452   * Returns a new immutable array containing the values in the specified range.
453   *
454   * <p><b>Performance note:</b> The returned array has the same full memory footprint as this one
455   * does (no actual copying is performed). To reduce memory usage, use {@code subArray(start,
456   * end).trimmed()}.
457   */
458  public ImmutableIntArray subArray(int startIndex, int endIndex) {
459    Preconditions.checkPositionIndexes(startIndex, endIndex, length());
460    return startIndex == endIndex
461        ? EMPTY
462        : new ImmutableIntArray(array, start + startIndex, start + endIndex);
463  }
464
465  @SuppressWarnings("Java7ApiChecker")
466  @IgnoreJRERequirement // used only from APIs that use streams
467  /*
468   * We declare this as package-private, rather than private, to avoid generating a synthetic
469   * accessor method (under -target 8) that would lack the Android flavor's @IgnoreJRERequirement.
470   */
471  Spliterator.OfInt spliterator() {
472    return Spliterators.spliterator(array, start, end, Spliterator.IMMUTABLE | Spliterator.ORDERED);
473  }
474
475  /**
476   * Returns an immutable <i>view</i> of this array's values as a {@code List}; note that {@code
477   * int} values are boxed into {@link Integer} instances on demand, which can be very expensive.
478   * The returned list should be used once and discarded. For any usages beyond that, pass the
479   * returned list to {@link com.google.common.collect.ImmutableList#copyOf(Collection)
480   * ImmutableList.copyOf} and use that list instead.
481   */
482  public List<Integer> asList() {
483    /*
484     * Typically we cache this kind of thing, but much repeated use of this view is a performance
485     * anti-pattern anyway. If we cache, then everyone pays a price in memory footprint even if
486     * they never use this method.
487     */
488    return new AsList(this);
489  }
490
491  static class AsList extends AbstractList<Integer> implements RandomAccess, Serializable {
492    private final ImmutableIntArray parent;
493
494    private AsList(ImmutableIntArray parent) {
495      this.parent = parent;
496    }
497
498    // inherit: isEmpty, containsAll, toArray x2, iterator, listIterator, stream, forEach, mutations
499
500    @Override
501    public int size() {
502      return parent.length();
503    }
504
505    @Override
506    public Integer get(int index) {
507      return parent.get(index);
508    }
509
510    @Override
511    public boolean contains(@CheckForNull Object target) {
512      return indexOf(target) >= 0;
513    }
514
515    @Override
516    public int indexOf(@CheckForNull Object target) {
517      return target instanceof Integer ? parent.indexOf((Integer) target) : -1;
518    }
519
520    @Override
521    public int lastIndexOf(@CheckForNull Object target) {
522      return target instanceof Integer ? parent.lastIndexOf((Integer) target) : -1;
523    }
524
525    @Override
526    public List<Integer> subList(int fromIndex, int toIndex) {
527      return parent.subArray(fromIndex, toIndex).asList();
528    }
529
530    // The default List spliterator is not efficiently splittable
531    @Override
532    @SuppressWarnings("Java7ApiChecker")
533    /*
534     * This is an override that is not directly visible to callers, so NewApi will catch calls to
535     * Collection.spliterator() where necessary.
536     */
537    @IgnoreJRERequirement
538    public Spliterator<Integer> spliterator() {
539      return parent.spliterator();
540    }
541
542    @Override
543    public boolean equals(@CheckForNull Object object) {
544      if (object instanceof AsList) {
545        AsList that = (AsList) object;
546        return this.parent.equals(that.parent);
547      }
548      // We could delegate to super now but it would still box too much
549      if (!(object instanceof List)) {
550        return false;
551      }
552      List<?> that = (List<?>) object;
553      if (this.size() != that.size()) {
554        return false;
555      }
556      int i = parent.start;
557      // Since `that` is very likely RandomAccess we could avoid allocating this iterator...
558      for (Object element : that) {
559        if (!(element instanceof Integer) || parent.array[i++] != (Integer) element) {
560          return false;
561        }
562      }
563      return true;
564    }
565
566    // Because we happen to use the same formula. If that changes, just don't override this.
567    @Override
568    public int hashCode() {
569      return parent.hashCode();
570    }
571
572    @Override
573    public String toString() {
574      return parent.toString();
575    }
576  }
577
578  /**
579   * Returns {@code true} if {@code object} is an {@code ImmutableIntArray} containing the same
580   * values as this one, in the same order.
581   */
582  @Override
583  public boolean equals(@CheckForNull Object object) {
584    if (object == this) {
585      return true;
586    }
587    if (!(object instanceof ImmutableIntArray)) {
588      return false;
589    }
590    ImmutableIntArray that = (ImmutableIntArray) object;
591    if (this.length() != that.length()) {
592      return false;
593    }
594    for (int i = 0; i < length(); i++) {
595      if (this.get(i) != that.get(i)) {
596        return false;
597      }
598    }
599    return true;
600  }
601
602  /** Returns an unspecified hash code for the contents of this immutable array. */
603  @Override
604  public int hashCode() {
605    int hash = 1;
606    for (int i = start; i < end; i++) {
607      hash *= 31;
608      hash += Ints.hashCode(array[i]);
609    }
610    return hash;
611  }
612
613  /**
614   * Returns a string representation of this array in the same form as {@link
615   * Arrays#toString(int[])}, for example {@code "[1, 2, 3]"}.
616   */
617  @Override
618  public String toString() {
619    if (isEmpty()) {
620      return "[]";
621    }
622    StringBuilder builder = new StringBuilder(length() * 5); // rough estimate is fine
623    builder.append('[').append(array[start]);
624
625    for (int i = start + 1; i < end; i++) {
626      builder.append(", ").append(array[i]);
627    }
628    builder.append(']');
629    return builder.toString();
630  }
631
632  /**
633   * Returns an immutable array containing the same values as {@code this} array. This is logically
634   * a no-op, and in some circumstances {@code this} itself is returned. However, if this instance
635   * is a {@link #subArray} view of a larger array, this method will copy only the appropriate range
636   * of values, resulting in an equivalent array with a smaller memory footprint.
637   */
638  public ImmutableIntArray trimmed() {
639    return isPartialView() ? new ImmutableIntArray(toArray()) : this;
640  }
641
642  private boolean isPartialView() {
643    return start > 0 || end < array.length;
644  }
645
646  Object writeReplace() {
647    return trimmed();
648  }
649
650  Object readResolve() {
651    return isEmpty() ? EMPTY : this;
652  }
653}