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

แปลง Iterable เป็น Collection ใน Java


สมมติว่าต่อไปนี้คือ Iterable ของเรา -

Iterable<Integer> i = Arrays.asList(50, 100, 150, 200, 250, 300, 500, 800, 1000);

ตอนนี้ สร้างคอลเล็กชัน -

Collection<Integer> c = convertIterable(i);

ด้านบน เรามีวิธีการกำหนดเอง convertIterable() สำหรับการแปลง ต่อไปนี้เป็นวิธีการ -

public static <T> Collection<T> convertIterable(Iterable<T> iterable) {
   if (iterable instanceof List) {
      return (List<T>) iterable;
   }
   return StreamSupport.stream(iterable.spliterator(), false).collect(Collectors.toList());
}

ตัวอย่าง

ต่อไปนี้เป็นโปรแกรมแปลง Iterable เป็น Collection ใน Java -

import java.util.*;
import java.util.stream.*;
public class Demo {
   public static <T> Collection<T> convertIterable(Iterable<T> iterable) {
      if (iterable instanceof List) {
         return (List<T>) iterable;
      }
      return StreamSupport.stream(iterable.spliterator(), false).collect(Collectors.toList());
   }
   public static void main(String[] args) {
      Iterable<Integer> i = Arrays.asList(50, 100, 150, 200, 250, 300, 500, 800, 1000);
      Collection<Integer> c = convertIterable(i);
      System.out.println("Collection (Iterable to Collection) = "+c);
   }
}

ผลลัพธ์

Collection (Iterable to Collection) = [50, 100, 150, 200, 250, 300, 500, 800, 1000]