DoubleStream map(DoubleUnaryOperator mapper) returns a stream consisting of the results of applying the given function to the elements of this stream. This is an intermediate operation. These operations are always lazy. Intermediate operations are invoked on a Stream instance and after they finish their processing, they give a Stream instance as output.
Syntax :
DoubleStream map(DoubleUnaryOperator mapper)
Parameters :
- DoubleStream : A sequence of primitive double-valued elements.
- DoubleUnaryOperator : An operation on a single double-valued operand that produces an double-valued result.
- mapper : A stateless function which is applied to each element and the function returns the new stream.
Return Value : DoubleStream map(DoubleUnaryOperator mapper) returns a stream by applying the given function.
Example 1 : Using DoubleStream map() to get the negative of square of elements of DoubleStream.
import java.util.*;
import java.util.stream.DoubleStream;
class GFG {
public static void main(String[] args)
{
DoubleStream stream1 = DoubleStream.of( 4.4 , 5.5 , 6.3 , 7.1 );
DoubleStream stream2 = stream1.map(num -> (-num * num));
stream2.forEach(System.out::println);
}
}
|
Output:
-19.360000000000003
-30.25
-39.69
-50.41
Example 2 :Using DoubleStream map() to get the half of elements of DoubleStream.
import java.util.*;
import java.util.stream.DoubleStream;
class GFG {
public static void main(String[] args)
{
DoubleStream stream1 = DoubleStream.of( 2.2 , 7.3 , 8.2 , 1.4 );
DoubleStream stream2 = stream1.map(num -> (num / 2 ));
stream2.forEach(System.out::println);
}
}
|