Streams.java

  1. /*
  2.  * Licensed to the Apache Software Foundation (ASF) under one or more
  3.  * contributor license agreements.  See the NOTICE file distributed with
  4.  * this work for additional information regarding copyright ownership.
  5.  * The ASF licenses this file to You under the Apache License, Version 2.0
  6.  * (the "License"); you may not use this file except in compliance with
  7.  * the License.  You may obtain a copy of the License at
  8.  *
  9.  *      http://www.apache.org/licenses/LICENSE-2.0
  10.  *
  11.  * Unless required by applicable law or agreed to in writing, software
  12.  * distributed under the License is distributed on an "AS IS" BASIS,
  13.  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  14.  * See the License for the specific language governing permissions and
  15.  * limitations under the License.
  16.  */
  17. package org.apache.commons.lang3.stream;

  18. import java.util.ArrayList;
  19. import java.util.Collection;
  20. import java.util.Collections;
  21. import java.util.Enumeration;
  22. import java.util.Iterator;
  23. import java.util.List;
  24. import java.util.Objects;
  25. import java.util.Set;
  26. import java.util.Spliterator;
  27. import java.util.Spliterators;
  28. import java.util.Spliterators.AbstractSpliterator;
  29. import java.util.function.BiConsumer;
  30. import java.util.function.BinaryOperator;
  31. import java.util.function.Consumer;
  32. import java.util.function.Function;
  33. import java.util.function.Predicate;
  34. import java.util.function.Supplier;
  35. import java.util.stream.Collector;
  36. import java.util.stream.Collectors;
  37. import java.util.stream.Stream;
  38. import java.util.stream.StreamSupport;

  39. import org.apache.commons.lang3.ArrayUtils;
  40. import org.apache.commons.lang3.function.Failable;
  41. import org.apache.commons.lang3.function.FailableConsumer;
  42. import org.apache.commons.lang3.function.FailableFunction;
  43. import org.apache.commons.lang3.function.FailablePredicate;

  44. /**
  45.  * Provides utility functions, and classes for working with the {@link java.util.stream} package, or more generally, with Java 8 lambdas. More specifically, it
  46.  * attempts to address the fact that lambdas are supposed not to throw Exceptions, at least not checked Exceptions, AKA instances of {@link Exception}. This
  47.  * enforces the use of constructs like:
  48.  *
  49.  * <pre>{@code
  50.  * Consumer<java.lang.reflect.Method> consumer = m -> {
  51.  *     try {
  52.  *         m.invoke(o, args);
  53.  *     } catch (Throwable t) {
  54.  *         throw Failable.rethrow(t);
  55.  *     }
  56.  * };
  57.  * stream.forEach(consumer);
  58.  * }</pre>
  59.  * <p>
  60.  * Using a {@link FailableStream}, this can be rewritten as follows:
  61.  * </p>
  62.  *
  63.  * <pre>{@code
  64.  * Streams.failable(stream).forEach(m -> m.invoke(o, args));
  65.  * }</pre>
  66.  * <p>
  67.  * Obviously, the second version is much more concise and the spirit of Lambda expressions is met better than in the first version.
  68.  * </p>
  69.  *
  70.  * @see Stream
  71.  * @see Failable
  72.  * @since 3.11
  73.  */
  74. public class Streams {

  75.     /**
  76.      * A Collector type for arrays.
  77.      *
  78.      * @param <E> The array type.
  79.      */
  80.     public static class ArrayCollector<E> implements Collector<E, List<E>, E[]> {
  81.         private static final Set<Characteristics> characteristics = Collections.emptySet();
  82.         private final Class<E> elementType;

  83.         /**
  84.          * Constructs a new instance for the given element type.
  85.          *
  86.          * @param elementType The element type.
  87.          */
  88.         public ArrayCollector(final Class<E> elementType) {
  89.             this.elementType = Objects.requireNonNull(elementType, "elementType");
  90.         }

  91.         @Override
  92.         public BiConsumer<List<E>, E> accumulator() {
  93.             return List::add;
  94.         }

  95.         @Override
  96.         public Set<Characteristics> characteristics() {
  97.             return characteristics;
  98.         }

  99.         @Override
  100.         public BinaryOperator<List<E>> combiner() {
  101.             return (left, right) -> {
  102.                 left.addAll(right);
  103.                 return left;
  104.             };
  105.         }

  106.         @Override
  107.         public Function<List<E>, E[]> finisher() {
  108.             return list -> list.toArray(ArrayUtils.newInstance(elementType, list.size()));
  109.         }

  110.         @Override
  111.         public Supplier<List<E>> supplier() {
  112.             return ArrayList::new;
  113.         }
  114.     }

  115.     /**
  116.      * Helps implement {@link Streams#of(Enumeration)}.
  117.      *
  118.      * @param <T> The element type.
  119.      */
  120.     private static final class EnumerationSpliterator<T> extends AbstractSpliterator<T> {

  121.         private final Enumeration<T> enumeration;

  122.         /**
  123.          * Creates a spliterator reporting the given estimated size and additionalCharacteristics.
  124.          *
  125.          * @param estimatedSize the estimated size of this spliterator if known, otherwise {@code Long.MAX_VALUE}.
  126.          * @param additionalCharacteristics properties of this spliterator's source or elements. If {@code SIZED} is reported then this spliterator will
  127.          *        additionally report {@code SUBSIZED}.
  128.          * @param enumeration The Enumeration to wrap.
  129.          */
  130.         protected EnumerationSpliterator(final long estimatedSize, final int additionalCharacteristics, final Enumeration<T> enumeration) {
  131.             super(estimatedSize, additionalCharacteristics);
  132.             this.enumeration = Objects.requireNonNull(enumeration, "enumeration");
  133.         }

  134.         @Override
  135.         public void forEachRemaining(final Consumer<? super T> action) {
  136.             while (enumeration.hasMoreElements()) {
  137.                 next(action);
  138.             }
  139.         }

  140.         private boolean next(final Consumer<? super T> action) {
  141.             action.accept(enumeration.nextElement());
  142.             return true;

  143.         }

  144.         @Override
  145.         public boolean tryAdvance(final Consumer<? super T> action) {
  146.             return enumeration.hasMoreElements() && next(action);
  147.         }
  148.     }

  149.     /**
  150.      * A reduced, and simplified version of a {@link Stream} with failable method signatures.
  151.      *
  152.      * @param <T> The streams element type.
  153.      */
  154.     public static class FailableStream<T> {

  155.         private Stream<T> stream;
  156.         private boolean terminated;

  157.         /**
  158.          * Constructs a new instance with the given {@code stream}.
  159.          *
  160.          * @param stream The stream.
  161.          */
  162.         public FailableStream(final Stream<T> stream) {
  163.             this.stream = stream;
  164.         }

  165.         /**
  166.          * Returns whether all elements of this stream match the provided predicate. May not evaluate the predicate on all
  167.          * elements if not necessary for determining the result. If the stream is empty then {@code true} is returned and the
  168.          * predicate is not evaluated.
  169.          *
  170.          * <p>
  171.          * This is a short-circuiting terminal operation.
  172.          * </p>
  173.          *
  174.          * Note This method evaluates the <em>universal quantification</em> of the predicate over the elements of the stream
  175.          * (for all x P(x)). If the stream is empty, the quantification is said to be <em>vacuously satisfied</em> and is always
  176.          * {@code true} (regardless of P(x)).
  177.          *
  178.          * @param predicate A non-interfering, stateless predicate to apply to elements of this stream
  179.          * @return {@code true} If either all elements of the stream match the provided predicate or the stream is empty,
  180.          *         otherwise {@code false}.
  181.          */
  182.         public boolean allMatch(final FailablePredicate<T, ?> predicate) {
  183.             assertNotTerminated();
  184.             return stream().allMatch(Failable.asPredicate(predicate));
  185.         }

  186.         /**
  187.          * Returns whether any elements of this stream match the provided predicate. May not evaluate the predicate on all
  188.          * elements if not necessary for determining the result. If the stream is empty then {@code false} is returned and the
  189.          * predicate is not evaluated.
  190.          *
  191.          * <p>
  192.          * This is a short-circuiting terminal operation.
  193.          * </p>
  194.          *
  195.          * Note This method evaluates the <em>existential quantification</em> of the predicate over the elements of the stream
  196.          * (for some x P(x)).
  197.          *
  198.          * @param predicate A non-interfering, stateless predicate to apply to elements of this stream
  199.          * @return {@code true} if any elements of the stream match the provided predicate, otherwise {@code false}
  200.          */
  201.         public boolean anyMatch(final FailablePredicate<T, ?> predicate) {
  202.             assertNotTerminated();
  203.             return stream().anyMatch(Failable.asPredicate(predicate));
  204.         }

  205.         /**
  206.          * Throws IllegalStateException if this stream is already terminated.
  207.          *
  208.          * @throws IllegalStateException if this stream is already terminated.
  209.          */
  210.         protected void assertNotTerminated() {
  211.             if (terminated) {
  212.                 throw new IllegalStateException("This stream is already terminated.");
  213.             }
  214.         }

  215.         /**
  216.          * Performs a mutable reduction operation on the elements of this stream using a {@link Collector}. A {@link Collector}
  217.          * encapsulates the functions used as arguments to {@link #collect(Supplier, BiConsumer, BiConsumer)}, allowing for
  218.          * reuse of collection strategies and composition of collect operations such as multiple-level grouping or partitioning.
  219.          *
  220.          * <p>
  221.          * If the underlying stream is parallel, and the {@link Collector} is concurrent, and either the stream is unordered or
  222.          * the collector is unordered, then a concurrent reduction will be performed (see {@link Collector} for details on
  223.          * concurrent reduction.)
  224.          * </p>
  225.          *
  226.          * <p>
  227.          * This is a terminal operation.
  228.          * </p>
  229.          *
  230.          * <p>
  231.          * When executed in parallel, multiple intermediate results may be instantiated, populated, and merged so as to maintain
  232.          * isolation of mutable data structures. Therefore, even when executed in parallel with non-thread-safe data structures
  233.          * (such as {@link ArrayList}), no additional synchronization is needed for a parallel reduction.
  234.          * </p>
  235.          *
  236.          * Note The following will accumulate strings into an ArrayList:
  237.          *
  238.          * <pre>
  239.          * {@code
  240.          *     List<String> asList = stringStream.collect(Collectors.toList());
  241.          * }
  242.          * </pre>
  243.          *
  244.          * <p>
  245.          * The following will classify {@code Person} objects by city:
  246.          * </p>
  247.          *
  248.          * <pre>
  249.          * {@code
  250.          *     Map<String, List<Person>> peopleByCity = personStream.collect(Collectors.groupingBy(Person::getCity));
  251.          * }
  252.          * </pre>
  253.          *
  254.          * <p>
  255.          * The following will classify {@code Person} objects by state and city, cascading two {@link Collector}s together:
  256.          * </p>
  257.          *
  258.          * <pre>
  259.          * {@code
  260.          *     Map<String, Map<String, List<Person>>> peopleByStateAndCity = personStream
  261.          *         .collect(Collectors.groupingBy(Person::getState, Collectors.groupingBy(Person::getCity)));
  262.          * }
  263.          * </pre>
  264.          *
  265.          * @param <R> the type of the result
  266.          * @param <A> the intermediate accumulation type of the {@link Collector}
  267.          * @param collector the {@link Collector} describing the reduction
  268.          * @return the result of the reduction
  269.          * @see #collect(Supplier, BiConsumer, BiConsumer)
  270.          * @see Collectors
  271.          */
  272.         public <A, R> R collect(final Collector<? super T, A, R> collector) {
  273.             makeTerminated();
  274.             return stream().collect(collector);
  275.         }

  276.         /**
  277.          * Performs a mutable reduction operation on the elements of this FailableStream. A mutable reduction is one in which
  278.          * the reduced value is a mutable result container, such as an {@link ArrayList}, and elements are incorporated by
  279.          * updating the state of the result rather than by replacing the result. This produces a result equivalent to:
  280.          * <pre>
  281.          * {@code
  282.          *     R result = supplier.get();
  283.          *     for (T element : this stream)
  284.          *         accumulator.accept(result, element);
  285.          *     return result;
  286.          * }
  287.          * </pre>
  288.          * <p>
  289.          * Like {@link #reduce(Object, BinaryOperator)}, {@code collect} operations can be parallelized without requiring
  290.          * additional synchronization.
  291.          * </p>
  292.          * <p>
  293.          * This is a terminal operation.
  294.          * </p>
  295.          * <p>
  296.          * Note There are many existing classes in the JDK whose signatures are well-suited for use with method references as
  297.          * arguments to {@code collect()}. For example, the following will accumulate strings into an {@link ArrayList}:
  298.          * </p>
  299.          * <pre>
  300.          * {@code
  301.          *     List<String> asList = stringStream.collect(ArrayList::new, ArrayList::add, ArrayList::addAll);
  302.          * }
  303.          * </pre>
  304.          * <p>
  305.          * The following will take a stream of strings and concatenates them into a single string:
  306.          * </p>
  307.          * <pre>
  308.          * {@code
  309.          *     String concat = stringStream.collect(StringBuilder::new, StringBuilder::append, StringBuilder::append).toString();
  310.          * }
  311.          * </pre>
  312.          *
  313.          * @param <R> type of the result
  314.          * @param <A> Type of the accumulator.
  315.          * @param supplier a function that creates a new result container. For a parallel execution, this function may be called
  316.          *        multiple times and must return a fresh value each time.
  317.          * @param accumulator An associative, non-interfering, stateless function for incorporating an additional element into a
  318.          *        result
  319.          * @param combiner An associative, non-interfering, stateless function for combining two values, which must be
  320.          *        compatible with the accumulator function
  321.          * @return The result of the reduction
  322.          */
  323.         public <A, R> R collect(final Supplier<R> supplier, final BiConsumer<R, ? super T> accumulator, final BiConsumer<R, R> combiner) {
  324.             makeTerminated();
  325.             return stream().collect(supplier, accumulator, combiner);
  326.         }

  327.         /**
  328.          * Returns a FailableStream consisting of the elements of this stream that match the given FailablePredicate.
  329.          * <p>
  330.          * This is an intermediate operation.
  331.          * </p>
  332.          *
  333.          * @param predicate a non-interfering, stateless predicate to apply to each element to determine if it should be
  334.          *        included.
  335.          * @return the new stream
  336.          */
  337.         public FailableStream<T> filter(final FailablePredicate<T, ?> predicate) {
  338.             assertNotTerminated();
  339.             stream = stream.filter(Failable.asPredicate(predicate));
  340.             return this;
  341.         }

  342.         /**
  343.          * Performs an action for each element of this stream.
  344.          * <p>
  345.          * This is a terminal operation.
  346.          * </p>
  347.          * <p>
  348.          * The behavior of this operation is explicitly nondeterministic. For parallel stream pipelines, this operation does
  349.          * <em>not</em> guarantee to respect the encounter order of the stream, as doing so would sacrifice the benefit of
  350.          * parallelism. For any given element, the action may be performed at whatever time and in whatever thread the library
  351.          * chooses. If the action accesses shared state, it is responsible for providing the required synchronization.
  352.          * </p>
  353.          *
  354.          * @param action a non-interfering action to perform on the elements
  355.          */
  356.         public void forEach(final FailableConsumer<T, ?> action) {
  357.             makeTerminated();
  358.             stream().forEach(Failable.asConsumer(action));
  359.         }

  360.         /**
  361.          * Marks this stream as terminated.
  362.          *
  363.          * @throws IllegalStateException if this stream is already terminated.
  364.          */
  365.         protected void makeTerminated() {
  366.             assertNotTerminated();
  367.             terminated = true;
  368.         }

  369.         /**
  370.          * Returns a stream consisting of the results of applying the given function to the elements of this stream.
  371.          *
  372.          * <p>
  373.          * This is an intermediate operation.
  374.          * </p>
  375.          *
  376.          * @param <R> The element type of the new stream
  377.          * @param mapper A non-interfering, stateless function to apply to each element
  378.          * @return the new stream
  379.          */
  380.         public <R> FailableStream<R> map(final FailableFunction<T, R, ?> mapper) {
  381.             assertNotTerminated();
  382.             return new FailableStream<>(stream.map(Failable.asFunction(mapper)));
  383.         }

  384.         /**
  385.          * Performs a reduction on the elements of this stream, using the provided identity value and an associative
  386.          * accumulation function, and returns the reduced value. This is equivalent to:
  387.          *
  388.          * <pre>
  389.          * {@code
  390.          *     T result = identity;
  391.          *     for (T element : this stream)
  392.          *         result = accumulator.apply(result, element)
  393.          *     return result;
  394.          * }
  395.          * </pre>
  396.          *
  397.          * but is not constrained to execute sequentially.
  398.          *
  399.          * <p>
  400.          * The {@code identity} value must be an identity for the accumulator function. This means that for all {@code t},
  401.          * {@code accumulator.apply(identity, t)} is equal to {@code t}. The {@code accumulator} function must be an associative
  402.          * function.
  403.          * </p>
  404.          *
  405.          * <p>
  406.          * This is a terminal operation.
  407.          * </p>
  408.          *
  409.          * Note Sum, min, max, average, and string concatenation are all special cases of reduction. Summing a stream of numbers
  410.          * can be expressed as:
  411.          *
  412.          * <pre>
  413.          * {@code
  414.          *     Integer sum = integers.reduce(0, (a, b) -> a + b);
  415.          * }
  416.          * </pre>
  417.          *
  418.          * or:
  419.          *
  420.          * <pre>
  421.          * {@code
  422.          *     Integer sum = integers.reduce(0, Integer::sum);
  423.          * }
  424.          * </pre>
  425.          *
  426.          * <p>
  427.          * While this may seem a more roundabout way to perform an aggregation compared to simply mutating a running total in a
  428.          * loop, reduction operations parallelize more gracefully, without needing additional synchronization and with greatly
  429.          * reduced risk of data races.
  430.          * </p>
  431.          *
  432.          * @param identity the identity value for the accumulating function
  433.          * @param accumulator an associative, non-interfering, stateless function for combining two values
  434.          * @return the result of the reduction
  435.          */
  436.         public T reduce(final T identity, final BinaryOperator<T> accumulator) {
  437.             makeTerminated();
  438.             return stream().reduce(identity, accumulator);
  439.         }

  440.         /**
  441.          * Converts the FailableStream into an equivalent stream.
  442.          *
  443.          * @return A stream, which will return the same elements, which this FailableStream would return.
  444.          */
  445.         public Stream<T> stream() {
  446.             return stream;
  447.         }
  448.     }

  449.     /**
  450.      * Converts the given {@link Collection} into a {@link FailableStream}. This is basically a simplified, reduced version
  451.      * of the {@link Stream} class, with the same underlying element stream, except that failable objects, like
  452.      * {@link FailablePredicate}, {@link FailableFunction}, or {@link FailableConsumer} may be applied, instead of
  453.      * {@link Predicate}, {@link Function}, or {@link Consumer}. The idea is to rewrite a code snippet like this:
  454.      *
  455.      * <pre>
  456.      * {@code
  457.      * final List<O> list;
  458.      * final Method m;
  459.      * final Function<O, String> mapper = (o) -> {
  460.      *     try {
  461.      *         return (String) m.invoke(o);
  462.      *     } catch (Throwable t) {
  463.      *         throw Failable.rethrow(t);
  464.      *     }
  465.      * };
  466.      * final List<String> strList = list.stream().map(mapper).collect(Collectors.toList());
  467.      * }
  468.      * </pre>
  469.      *
  470.      * as follows:
  471.      *
  472.      * <pre>
  473.      * {@code
  474.      * final List<O> list;
  475.      * final Method m;
  476.      * final List<String> strList = Failable.stream(list.stream()).map((o) -> (String) m.invoke(o)).collect(Collectors.toList());
  477.      * }
  478.      * </pre>
  479.      *
  480.      * While the second version may not be <em>quite</em> as efficient (because it depends on the creation of additional,
  481.      * intermediate objects, of type FailableStream), it is much more concise, and readable, and meets the spirit of Lambdas
  482.      * better than the first version.
  483.      *
  484.      * @param <T> The streams element type.
  485.      * @param stream The stream, which is being converted.
  486.      * @return The {@link FailableStream}, which has been created by converting the stream.
  487.      * @since 3.13.0
  488.      */
  489.     public static <T> FailableStream<T> failableStream(final Collection<T> stream) {
  490.         return failableStream(of(stream));
  491.     }

  492.     /**
  493.      * Converts the given {@link Stream stream} into a {@link FailableStream}. This is basically a simplified, reduced
  494.      * version of the {@link Stream} class, with the same underlying element stream, except that failable objects, like
  495.      * {@link FailablePredicate}, {@link FailableFunction}, or {@link FailableConsumer} may be applied, instead of
  496.      * {@link Predicate}, {@link Function}, or {@link Consumer}. The idea is to rewrite a code snippet like this:
  497.      *
  498.      * <pre>
  499.      * {@code
  500.      * final List<O> list;
  501.      * final Method m;
  502.      * final Function<O, String> mapper = (o) -> {
  503.      *     try {
  504.      *         return (String) m.invoke(o);
  505.      *     } catch (Throwable t) {
  506.      *         throw Failable.rethrow(t);
  507.      *     }
  508.      * };
  509.      * final List<String> strList = list.stream().map(mapper).collect(Collectors.toList());
  510.      * }
  511.      * </pre>
  512.      *
  513.      * as follows:
  514.      *
  515.      * <pre>
  516.      * {@code
  517.      * final List<O> list;
  518.      * final Method m;
  519.      * final List<String> strList = Failable.stream(list.stream()).map((o) -> (String) m.invoke(o)).collect(Collectors.toList());
  520.      * }
  521.      * </pre>
  522.      *
  523.      * While the second version may not be <em>quite</em> as efficient (because it depends on the creation of additional,
  524.      * intermediate objects, of type FailableStream), it is much more concise, and readable, and meets the spirit of Lambdas
  525.      * better than the first version.
  526.      *
  527.      * @param <T> The streams element type.
  528.      * @param stream The stream, which is being converted.
  529.      * @return The {@link FailableStream}, which has been created by converting the stream.
  530.      * @since 3.13.0
  531.      */
  532.     public static <T> FailableStream<T> failableStream(final Stream<T> stream) {
  533.         return new FailableStream<>(stream);
  534.     }

  535.     /**
  536.      * Shorthand for {@code Streams.failableStream(value == null ? Stream.empty() : Stream.of(value))}.
  537.      *
  538.      * @param <T> the type of stream elements.
  539.      * @param value the single element of the new stream, may be {@code null}.
  540.      * @return the new FailableStream on {@code value} or an empty stream.
  541.      * @since 3.15.0
  542.      */
  543.     public static <T> FailableStream<T> failableStream(final T value) {
  544.         return failableStream(streamOf(value));
  545.     }

  546.     /**
  547.      * Shorthand for {@code Streams.failableStream(Streams.of(arrayValues))}.
  548.      *
  549.      * @param <T> the type of stream elements.
  550.      * @param values the elements of the new stream, may be {@code null}.
  551.      * @return the new FailableStream on {@code values} or an empty stream.
  552.      * @since 3.14.0
  553.      */
  554.     @SafeVarargs // Creating a stream from an array is safe
  555.     public static <T> FailableStream<T> failableStream(final T... values) {
  556.         return failableStream(of(values));
  557.     }

  558.     /**
  559.      * Streams only instances of the give Class in a collection.
  560.      * <p>
  561.      * This method shorthand for:
  562.      * </p>
  563.      * <pre>
  564.      * {@code (Stream<E>) Streams.toStream(collection).filter(collection, SomeClass.class::isInstance);}
  565.      * </pre>
  566.      *
  567.      * @param <E> the type of elements in the collection we want to stream.
  568.      * @param clazz the type of elements in the collection we want to stream.
  569.      * @param collection the collection to stream or null.
  570.      * @return A non-null stream that only provides instances we want.
  571.      * @since 3.13.0
  572.      */
  573.     public static <E> Stream<E> instancesOf(final Class<? super E> clazz, final Collection<? super E> collection) {
  574.         return instancesOf(clazz, of(collection));
  575.     }

  576.     @SuppressWarnings("unchecked") // After the isInstance check, we still need to type-cast.
  577.     private static <E> Stream<E> instancesOf(final Class<? super E> clazz, final Stream<?> stream) {
  578.         return (Stream<E>) of(stream).filter(clazz::isInstance);
  579.     }

  580.     /**
  581.      * Streams the non-null elements of a collection.
  582.      *
  583.      * @param <E> the type of elements in the collection.
  584.      * @param collection the collection to stream or null.
  585.      * @return A non-null stream that filters out null elements.
  586.      * @since 3.13.0
  587.      */
  588.     public static <E> Stream<E> nonNull(final Collection<E> collection) {
  589.         return of(collection).filter(Objects::nonNull);
  590.     }

  591.     /**
  592.      * Streams the non-null element.
  593.      *
  594.      * @param <E> the type of elements in the collection.
  595.      * @param array the element to stream or null.
  596.      * @return A non-null stream that filters out a null element.
  597.      * @since 3.15.0
  598.      */
  599.     public static <E> Stream<E> nonNull(final E array) {
  600.         return nonNull(streamOf(array));
  601.     }

  602.     /**
  603.      * Streams the non-null elements of an array.
  604.      *
  605.      * @param <E> the type of elements in the collection.
  606.      * @param array the array to stream or null.
  607.      * @return A non-null stream that filters out null elements.
  608.      * @since 3.13.0
  609.      */
  610.     @SafeVarargs
  611.     public static <E> Stream<E> nonNull(final E... array) {
  612.         return nonNull(of(array));
  613.     }

  614.     /**
  615.      * Streams the non-null elements of a stream.
  616.      *
  617.      * @param <E> the type of elements in the collection.
  618.      * @param stream the stream to stream or null.
  619.      * @return A non-null stream that filters out null elements.
  620.      * @since 3.13.0
  621.      */
  622.     public static <E> Stream<E> nonNull(final Stream<E> stream) {
  623.         return of(stream).filter(Objects::nonNull);
  624.     }

  625.     /**
  626.      * Delegates to {@link Collection#stream()} or returns {@link Stream#empty()} if the collection is null.
  627.      *
  628.      * @param <E> the type of elements in the collection.
  629.      * @param collection the collection to stream or null.
  630.      * @return {@link Collection#stream()} or {@link Stream#empty()} if the collection is null.
  631.      * @since 3.13.0
  632.      */
  633.     public static <E> Stream<E> of(final Collection<E> collection) {
  634.         return collection == null ? Stream.empty() : collection.stream();
  635.     }

  636.     /**
  637.      * Streams the elements of the given enumeration in order.
  638.      *
  639.      * @param <E> The enumeration element type.
  640.      * @param enumeration The enumeration to stream.
  641.      * @return a new stream.
  642.      * @since 3.13.0
  643.      */
  644.     public static <E> Stream<E> of(final Enumeration<E> enumeration) {
  645.         return StreamSupport.stream(new EnumerationSpliterator<>(Long.MAX_VALUE, Spliterator.ORDERED, enumeration), false);
  646.     }

  647.     /**
  648.      * Creates a stream on the given Iterable.
  649.      *
  650.      * @param <E> the type of elements in the Iterable.
  651.      * @param iterable the Iterable to stream or null.
  652.      * @return a new Stream or {@link Stream#empty()} if the Iterable is null.
  653.      * @since 3.13.0
  654.      */
  655.     public static <E> Stream<E> of(final Iterable<E> iterable) {
  656.         return iterable == null ? Stream.empty() : StreamSupport.stream(iterable.spliterator(), false);
  657.     }

  658.     /**
  659.      * Creates a stream on the given Iterator.
  660.      *
  661.      * @param <E> the type of elements in the Iterator.
  662.      * @param iterator the Iterator to stream or null.
  663.      * @return a new Stream or {@link Stream#empty()} if the Iterator is null.
  664.      * @since 3.13.0
  665.      */
  666.     public static <E> Stream<E> of(final Iterator<E> iterator) {
  667.         return iterator == null ? Stream.empty() : StreamSupport.stream(Spliterators.spliteratorUnknownSize(iterator, Spliterator.ORDERED), false);
  668.     }

  669.     /**
  670.      * Returns the stream or {@link Stream#empty()} if the stream is null.
  671.      *
  672.      * @param <E> the type of elements in the collection.
  673.      * @param stream the stream to stream or null.
  674.      * @return the stream or {@link Stream#empty()} if the stream is null.
  675.      * @since 3.13.0
  676.      */
  677.     private static <E> Stream<E> of(final Stream<E> stream) {
  678.         return stream == null ? Stream.empty() : stream;
  679.     }

  680.     /**
  681.      * Null-safe version of {@link Stream#of(Object[])}.
  682.      *
  683.      * @param <T> the type of stream elements.
  684.      * @param values the elements of the new stream, may be {@code null}.
  685.      * @return the new stream on {@code values} or {@link Stream#empty()}.
  686.      * @since 3.13.0
  687.      */
  688.     @SafeVarargs // Creating a stream from an array is safe
  689.     public static <T> Stream<T> of(final T... values) {
  690.         return values == null ? Stream.empty() : Stream.of(values);
  691.     }

  692.     /**
  693.      * Converts the given {@link Collection} into a {@link FailableStream}. This is basically a simplified, reduced version
  694.      * of the {@link Stream} class, with the same underlying element stream, except that failable objects, like
  695.      * {@link FailablePredicate}, {@link FailableFunction}, or {@link FailableConsumer} may be applied, instead of
  696.      * {@link Predicate}, {@link Function}, or {@link Consumer}. The idea is to rewrite a code snippet like this:
  697.      *
  698.      * <pre>
  699.      * {@code
  700.      * final List<O> list;
  701.      * final Method m;
  702.      * final Function<O, String> mapper = (o) -> {
  703.      *     try {
  704.      *         return (String) m.invoke(o);
  705.      *     } catch (Throwable t) {
  706.      *         throw Failable.rethrow(t);
  707.      *     }
  708.      * };
  709.      * final List<String> strList = list.stream().map(mapper).collect(Collectors.toList());
  710.      * }
  711.      * </pre>
  712.      *
  713.      * as follows:
  714.      *
  715.      * <pre>
  716.      * {@code
  717.      * final List<O> list;
  718.      * final Method m;
  719.      * final List<String> strList = Failable.stream(list.stream()).map((o) -> (String) m.invoke(o)).collect(Collectors.toList());
  720.      * }
  721.      * </pre>
  722.      *
  723.      * While the second version may not be <em>quite</em> as efficient (because it depends on the creation of additional,
  724.      * intermediate objects, of type FailableStream), it is much more concise, and readable, and meets the spirit of Lambdas
  725.      * better than the first version.
  726.      *
  727.      * @param <E> The streams element type.
  728.      * @param collection The stream, which is being converted.
  729.      * @return The {@link FailableStream}, which has been created by converting the stream.
  730.      * @deprecated Use {@link #failableStream(Collection)}.
  731.      */
  732.     @Deprecated
  733.     public static <E> FailableStream<E> stream(final Collection<E> collection) {
  734.         return failableStream(collection);
  735.     }

  736.     /**
  737.      * Converts the given {@link Stream stream} into a {@link FailableStream}. This is basically a simplified, reduced
  738.      * version of the {@link Stream} class, with the same underlying element stream, except that failable objects, like
  739.      * {@link FailablePredicate}, {@link FailableFunction}, or {@link FailableConsumer} may be applied, instead of
  740.      * {@link Predicate}, {@link Function}, or {@link Consumer}. The idea is to rewrite a code snippet like this:
  741.      *
  742.      * <pre>
  743.      * {@code
  744.      * final List<O> list;
  745.      * final Method m;
  746.      * final Function<O, String> mapper = (o) -> {
  747.      *     try {
  748.      *         return (String) m.invoke(o);
  749.      *     } catch (Throwable t) {
  750.      *         throw Failable.rethrow(t);
  751.      *     }
  752.      * };
  753.      * final List<String> strList = list.stream().map(mapper).collect(Collectors.toList());
  754.      * }
  755.      * </pre>
  756.      *
  757.      * as follows:
  758.      *
  759.      * <pre>
  760.      * {@code
  761.      * final List<O> list;
  762.      * final Method m;
  763.      * final List<String> strList = Failable.stream(list.stream()).map((o) -> (String) m.invoke(o)).collect(Collectors.toList());
  764.      * }
  765.      * </pre>
  766.      *
  767.      * While the second version may not be <em>quite</em> as efficient (because it depends on the creation of additional,
  768.      * intermediate objects, of type FailableStream), it is much more concise, and readable, and meets the spirit of Lambdas
  769.      * better than the first version.
  770.      *
  771.      * @param <T> The streams element type.
  772.      * @param stream The stream, which is being converted.
  773.      * @return The {@link FailableStream}, which has been created by converting the stream.
  774.      * @deprecated Use {@link #failableStream(Stream)}.
  775.      */
  776.     @Deprecated
  777.     public static <T> FailableStream<T> stream(final Stream<T> stream) {
  778.         return failableStream(stream);
  779.     }

  780.     private static <T> Stream<T> streamOf(final T value) {
  781.         return value == null ? Stream.empty() : Stream.of(value);
  782.     }

  783.     /**
  784.      * Returns a {@link Collector} that accumulates the input elements into a new array.
  785.      *
  786.      * @param elementType Type of an element in the array.
  787.      * @param <T> the type of the input elements
  788.      * @return a {@link Collector} which collects all the input elements into an array, in encounter order
  789.      */
  790.     public static <T> Collector<T, ?, T[]> toArray(final Class<T> elementType) {
  791.         return new ArrayCollector<>(elementType);
  792.     }

  793.     /**
  794.      * Constructs a new instance.
  795.      *
  796.      * @deprecated Will be private in 4.0.0.
  797.      */
  798.     @Deprecated
  799.     public Streams() {
  800.         // empty
  801.     }
  802. }