假设有一个班级:
class Person
{
String name;
int age;
City location;
}
是否有一些库可以让我创建一个包含列表中每个名称的字符串列表 一行中的人而不是创建一个新列表并循环浏览另一个列表?
类似的东西:
List<Person> people = getAllOfThePeople();
List<String> names = CoolLibrary.createList("name", people);
而不是:
List<Person> people = getAllOfThePeople();
List<String> names = new LinkedList<String>();
for(Person person : people)
{
names.add(person.getName());
}
答案 0 :(得分:11)
您可以将Java 8与lambda expressions一起使用:
List<String> listNames = people.stream().map(u -> u.getName()).collect(Collectors.toList());
import java.util.*;
import java.util.function.*;
import java.util.stream.*;
public class Test {
public static void main(String args[]){
List<Person> people = Arrays.asList(new Person("Bob",25,"Geneva"),new Person("Alice",27,"Paris"));
List<String> listNames = people.stream().map(u -> u.getName()).collect(Collectors.toList());
System.out.println(listNames);
}
}
class Person
{
private String name;
private int age;
private String location;
public Person(String name, int age, String location){
this.name = name;
this.age = age;
this.location = location;
}
public String getName(){
return this.name;
}
}
输出:
[Bob, Alice]
演示here。
<小时/> 或者,您可以定义一个方法,该方法将您的列表作为参数以及要为此列表的每个元素应用的函数:
public static <X, Y> List<Y> processElements(Iterable<X> source, Function <X, Y> mapper) {
List<Y> l = new ArrayList<>();
for (X p : source)
l.add(mapper.apply(p));
return l;
}
然后就这样做:
List<String> lNames = processElements(people, p -> p.getName()); //for the names
List<Integer> lAges = processElements(people, p -> p.getAge()); //for the ages
//etc.
如果您想按年龄对人进行分组,Collectors
类提供了很好的实用程序(示例):
Map<Integer, List<Person>> byAge = people.stream()
.collect(Collectors.groupingBy(Person::getAge));
答案 1 :(得分:4)
你可以使用Guava库(我认为你应该使用的终极Java库)做一个小技巧:
class Person
{
String name;
int age;
City location;
public static final Function<Person, String> getName = new Function<Person, String>() {
public String apply(Person person) {
return person.name;
}
}
}
List<Person> people = getAllOfThePeople();
List<String> names = FluentIterable.from(people).transform(Person.getName).toList();
诀窍是定义getName
类中的Function
公共静态Person
。