How can I call a method on each element of a List?
Java 8 will (hopefully) have some form of lambda expression, which will make code like this more feasible. (Whether there'll be anything like list comprehensions is another matter.)
Your wish has been granted!
---EDIT---
lol as if on cue: forEach()
Definitely check this out.
For your question specifically, it becomes the folowing:
// Suppose that I have already init the list of car
List<Car> cars = //...
List<String> names = new ArrayList<String>();
// LAMBDA EXPRESSION
cars.forEach( (car) -> names.add(car.getName()) );
It's really quite incredible what they've done here. I'm excited to see this used in the future.
---EDIT---
I should have seen this sooner but I can't resist but to post about it.
The Stream functionality added in jdk8 allows for the map method.
// Suppose that I have already init the list of car
List<Car> cars = //...
// LAMBDA EXPRESSION
List<String> names = cars.stream().map( car -> car.getName() ).collect( Collectors.toList() );
Even more concise would be to use Java 8's method references (oracle doc).
List<String> names = cars.stream().map( Car::getName ).collect( Collectors.toList() );
other than getting rid of the braces and/or moving all the code to one line, which might not be a good idea, you can't.
UPDATE:
See aaiezza's answer for a Java 8 solution using a lambda expression.
Original pre-Java 8 answer:
The effect can be achieved with Guava, the Function
implementation is already more verbose than what you have:
List<Car> cars = //...
Function<Car, String> carsToNames = new Function<Car, String>() {
@Override
public String apply(Car car) {
return car.getName();
}
}
List<String> names = Lists.transform(cars, carsToNames);
(Keep in mind that Lists.transform
returns a view that will apply the function lazily - if you want an immediate copy, you need to copy the returned list into a new list.)
So this doesn't help you shorten your code, but it's an example of how verbose it is to achieve your desired affect in Java.
Edit: You might have a look at lambdaj, a library that seems to approach what you're looking for. I haven't tried this out myself, but the homepage shows this example:
List<Person> personInFamily = asList(new Person("Domenico"), new Person("Mario"), new Person("Irma"));
forEach(personInFamily).setLastName("Fusco");