Is there a better functional way of converting an array of Strings in the form of "key:value" to a Map
using the Java 8 lambda syntax?
Arrays.asList("a:1.0", "b:2.0", "c:3.0")
.stream()
.map(elem -> elem.split(":")
.collect(Collectors.toMap(keyMapper?, valueMapper?));
The solution I have right now does not seem really functional:
Map<String, Double> kvs = new HashMap<>();
Arrays.asList("a:1.0", "b:2.0", "c:3.0")
.stream()
.map(elem -> elem.split(":"))
.forEach(elem -> kvs.put(elem[0], Double.parseDouble(elem[1])));
Partial answer, as you are looking for improvements:
Error reporting with a stream seems difficult.
A map builder might make more sence, if
"a", 1.0
were allowable.You can modify your solution to collect the
Stream
ofString
arrays into aMap
(instead of usingforEach
) :Of course this solution has no protection against invalid input. Perhaps you should add a filter just in case the split String has no separator :
This still doesn't protect you against all invalid inputs (for example
"c:3r"
would causeNumberFormatException
to be thrown byparseDouble
).