是否有一种简单的方法可以在java 8中使用lambda进行转换
来自这个对象:
"coords" : [ {
"x" : -73.72573187081096,
"y" : 40.71033050649526
}, {
"x" : -73.724263,
"y" : 40.709908}
]
到这个对象:
"coordinates":[
[
[
-73.72573187081096,
40.71033050649526
],
[
-73.724263,
40.709908
]]
我尝试使用transform()
函数但是如何从列表转换为2D数组呢?
这是我的尝试, 但我收到了一个错误:
coordinates =
Lists.newArrayList(
Lists.newArrayList(
Lists.newArrayList(
coords.stream()
.map( item -> Lists.newArrayList(ImmutableList.of(item.x, item.y))))));
答案 0 :(得分:1)
不是100%肯定你在问什么,但我会试一试。假设你有一个点列表...
List<Point2D> points = Arrays.asList(new Point2D.Double(12., 34.),
new Point2D.Double(56., 78.));
...您可以将该列表转换为2D数组:
double[][] array = points.stream()
.map(p -> new double[] {p.getX(), p.getY()})
.toArray(double[][]::new);
...或者进入这样的嵌套列表:
List<List<Double>> list = points.stream()
.map(p -> Arrays.asList(p.getX(), p.getY()))
.collect(Collectors.toList());
在这两种情况下,结果看起来都像[[12.0, 34.0], [56.0, 78.0]]
,分别作为数组或列表。
答案 1 :(得分:1)
还有另一个将列表转换为2D数组的选项:
double[][] array;
array = points
.stream()
.map(l -> l.stream()
.mapToDouble(Double::doubleValue)
.toArray())
.toArray(double[][]::new);