|
Stream Mapping Function
Author: Venkata Sudhakar
The below example shows how to alter the stream by applying transformation or mapping function. This returns a stream consisting of the results of applying the given function to the elements of this stream
01 | package com.bethecoder.java8.streams; |
03 | import java.util.stream.Stream; |
05 | public class StreamMapExample { |
07 | public static void main(String[] args) { |
08 | Stream.of( 1 , 2 , 3 , 4 ).map(n -> n * n).forEach(System.out::println); |
09 | Stream.of( 1 , 2 , 3 , 4 ).map(n -> "Student#" + n).forEach(System.out::println); |
10 | Stream.of( 1 , 2 , 3 , 4 ).map(n -> Double.valueOf(n)).forEach(System.out::println); |
It gives the following output,
1
4
9
16
Student#1
Student#2
Student#3
Student#4
1.0
2.0
3.0
4.0
|
|