Reputation: 43023
I have a text file like this:
ids.txt
1000
999
745
123
...
I want to read this file and load it in a two dimensional array. I expect to have an array similar to the one below:
Object[][] data = new Object[][] { //
{ new Integer(1000) }, //
{ new Integer(999) }, //
{ new Integer(745) }, //
{ new Integer(123) }, //
...
};
Here is the code I wrote:
File idsFile = ... ;
try (Stream<String> idsStream = Files.lines(idsFile.toPath(), StandardCharsets.US_ASCII)) {
Object[][] ids = idsStream
.filter(s -> s.trim().length() > 0)
.toArray(size -> new Object[size][]);
// Process ids array here...
}
When running this code, an exception is raised:
java.lang.ArrayStoreException: null
at java.lang.System.arraycopy(Native Method) ~[na:1.8.0_45]
at java.util.stream.SpinedBuffer.copyInto(Unknown Source) ~[na:1.8.0_45]
at java.util.stream.Nodes$SpinedNodeBuilder.copyInto(Unknown Source) ~[na:1.8.0_45]
at java.util.stream.SpinedBuffer.asArray(Unknown Source) ~[na:1.8.0_45]
at java.util.stream.Nodes$SpinedNodeBuilder.asArray(Unknown Source) ~[na:1.8.0_45]
at java.util.stream.ReferencePipeline.toArray(Unknown Source) ~[na:1.8.0_45]
...
How can resolve this exception?
Upvotes: 9
Views: 8774
Reputation: 328618
Your last line should probably be size -> new Object[size]
, but you would need to provide arrays of Integers of size one and you would also need to parse the strings into Integers.
I suggest the following:
try (Stream<String> idsStream = Files.lines(idsFile.toPath(), StandardCharsets.US_ASCII)) {
Object[][] ids = idsStream
.map(String::trim)
.filter(s -> !s.isEmpty())
.map(Integer::valueOf)
.map(i -> new Integer[] { i })
.toArray(Object[][]::new);
// Process ids array here...
}
Upvotes: 5
Reputation: 61148
Given a Stream<String>
you can parse each item to an int
and wrap it into an Object[]
using:
strings
.filter(s -> s.trim().length() > 0)
.map(Integer::parseInt)
.map(i -> new Object[]{i})
Now to turn that result into a Object[][]
you can simply do:
Object[][] result = strings
.filter(s -> s.trim().length() > 0)
.map(Integer::parseInt)
.map(i -> new Object[]{i})
.toArray(Object[][]::new);
For the input:
final Stream<String> strings = Stream.of("1000", "999", "745", "123");
Output:
[[1000], [999], [745], [123]]
Upvotes: 16