用于初始化数组的 Lambda 表达式

2022-09-01 15:12:42

有没有办法通过使用简单的 lambda 表达式来初始化数组或集合?

类似的东西

// What about this?
Person[] persons = new Person[15];
persons = () -> {return new Person()};

// I know, you need to say how many objects
ArrayList<Person> persons = () -> {return new Person()};

答案 1

当然 - 我不知道它有多大用处,但它肯定是可行的:

import java.util.*;
import java.util.function.*;
import java.util.stream.*;

public class Test
{
    public static void main(String[] args)
    {
        Supplier<Test> supplier = () -> new Test();
        List<Test> list = Stream
            .generate(supplier)
            .limit(10)
            .collect(Collectors.toList());
        System.out.println(list.size()); // 10
        // Prints false, showing it really is calling the supplier
        // once per iteration.
        System.out.println(list.get(0) == list.get(1));
    }
}

答案 2

如果您已经有一个预分配的数组,则可以使用 lambda 表达式通过 Arrays.setAll 或 Arrays.parallelSetAll填充它:

Arrays.setAll(persons, i -> new Person()); // i is the array index

要创建新数组,可以使用

Person[] persons = IntStream.range(0, 15)  // 15 is the size
    .mapToObj(i -> new Person())
    .toArray(Person[]::new);

推荐