Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> Java

การใช้เมธอด Optional.stream () ใน Java 9 คืออะไร?


ใน Java 9 สตรีม () เพิ่มเมธอดใน ตัวเลือก . แล้ว คลาสเพื่อปรับปรุงการทำงาน สตรีม () สามารถใช้เมธอดเพื่อแปลงสตรีมขององค์ประกอบทางเลือกเป็นสตรีมขององค์ประกอบมูลค่าปัจจุบัน หาก ไม่บังคับ มีค่าแล้วส่งคืนสตรีมที่มีค่า มิฉะนั้น จะส่งคืน ว่างเปล่า สตรีม .

ไวยากรณ์

public Stream<T> stream()

ตัวอย่าง

import java.util.Arrays;
import java.util.List;
import java.util.Optional;
import java.util.stream.Collectors;
import java.util.stream.Stream;
public class StreamMethodTest {
   public static void main(String[] args) {
      List<Optional<String>> list = Arrays.asList(
            Optional.empty(),
            Optional.of("TutorialsPoint"),
            Optional.empty(),
            Optional.of("Tutorix"));
      // If optional is non-empty, get the value in stream, otherwise return empty
      List<String> filteredListJava8 = list.stream()
            .flatMap(o -> o.isPresent() ? Stream.of(o.get()) : Stream.empty())
            .collect(Collectors.toList());
      // Optional::stream method can return a stream of either one or zero element if data is present or not.
      List<String> filteredListJava9 = list.stream()
            .flatMap(Optional::stream)
            .collect(Collectors.toList());
      System.out.println(filteredListJava8);
      System.out.println(filteredListJava9);
   }
}

ผลลัพธ์

[TutorialsPoint, Tutorix]
[TutorialsPoint, Tutorix]