📌  相关文章
📜  在Java中将 Iterable 转换为 Stream

📅  最后修改于: 2022-05-13 01:54:39.335000             🧑  作者: Mango

在Java中将 Iterable 转换为 Stream

给定一个 Iterable,任务是将其转换为Java中的 Stream。

例子:

Input: Iterable = [1, 2, 3, 4, 5]
Output: {1, 2, 3, 4, 5}

Input: Iterable = ['G', 'e', 'e', 'k', 's']
Output: {'G', 'e', 'e', 'k', 's'}

方法:

  1. 获取可迭代对象。
  2. 使用 Iterable.spliterator() 方法将 Iterable 转换为 Spliterator。
  3. 使用 StreamSupport.stream() 方法将形成的 Spliterator 转换为 Sequential Stream。
  4. 返回流。

下面是上述方法的实现:

// Java program to get a Stream
// from a given Iterable
  
import java.util.*;
import java.util.stream.*;
  
class GFG {
  
    // Function to get the Stream
    public static  Stream
    getStreamFromIterable(Iterable iterable)
    {
  
        // Convert the Iterable to Spliterator
        Spliterator
            spliterator = iterable.spliterator();
  
        // Get a Sequential Stream from spliterator
        return StreamSupport.stream(spliterator, false);
    }
  
    // Driver code
    public static void main(String[] args)
    {
  
        // Get the Iterator
        Iterable
            iterable = Arrays.asList(1, 2, 3, 4, 5);
  
        // Get the Stream from the Iterable
        Stream
            stream = getStreamFromIterable(iterable);
  
        // Print the elements of stream
        stream.forEach(s -> System.out.println(s));
    }
}
输出:
1
2
3
4
5