Java 8 Stream API map method with examples
In this blog post, I will be demonstrating the Java 8 Stream API map method. In order to understand the Stream API in detail, refer to this blog post.
Introduction
The map method in the Stream API can be applied on an existing Stream. It applies some logic to each element in the input stream and produces an output stream. For example, if there is an integer stream, you can you the map operation to multiply each element by 5. Or if you have a Stream of String values, you can use the map operation to convert each element in the Stream to uppercase.
The map operation accepts a Function instance which is an in-built functional interface. Refer this blog post for a detailed Function example.
Code Sample with Integer
Consider the following code sample:
public class MapIntegerDemo { public static void main(String[] args) { List<Integer> input = Arrays.asList(5, 3, 11, 15, 9, 2, 5, 11); System.out.println("Input list:"); input.forEach(num -> System.out.println(num)); System.out.println("Squared list:"); input.stream().map(num -> num*num).forEach(num -> System.out.println(num)); }}
This code operates on an Integer stream. It uses the map operation to create a new stream that has the squares of all the elements in the input stream. So when you execute this code, it will print the following output:
Input list:53111592511Squared list:25912122581425121
Code Sample that converts String to a custom class
The map operation can be used to convert an object of one type to an object of a different type. Consider the following code:
public class Vehicle { private String type; private String make; private String model; public Vehicle(String type){ this.type = type; }//getters and setters}
Here, the Vehicle class has fields corresponding to type, make and model. It also has a constructor that accepts the type as a String.
Now consider the following code:
public class MapVehicleDemo { public static void main(String[] args) { List<String> vehicleTypes = Arrays.asList("Car","Aeroplane","Bicycle"); List<Vehicle> vehicles = vehicleTypes.stream().map(str->new Vehicle(str)).collect(Collectors.toList()); vehicles.forEach(vehicle -> System.out.println("Vehicle is of type:"+vehicle.getType())); }}
Here, we have a String List vehicleTypes that stores different types of Vehicles. A Stream instance is obtained on the vehicleTypes and the map operation is invoked. The map operation uses the Vehicle constructor to create a Vehicle object for each Vehicle type. The collect method then converts the Stream to a List. So when you execute this code, it will print the following output:
Vehicle is of type:CarVehicle is of type:AeroplaneVehicle is of type:Bicycle
I hope this post on the Java 8 Stream API Map example was useful to to to understand the map operation. You can get the source code for this example along with the code for other Java 8 examples at the Github repository here.
Comments
Post a Comment