2

我有一个要输入 Instant 的 ArrayList,但无论我尝试在数组上做什么,它都不允许我将其转换为 Instant 格式。错误在于它试图将字符串添加到 Instant 的 ArrayList。

@Data
@RequiredArgsConstructor
@AllArgsConstructor
public static class LiveData {
    private final String location;
    private final String metric;
    private Double data = null;
    private Instant timestamp = null;
}

private void onConnectionOpened() {
        try {
            int i = 0;
            final List<Sensor> sensors = clientConnection.querySensors().get();
            final List<String> metric = sensors.stream().map(sensor -> sensor.getLocation()).collect(Collectors.toList());
            final List<String> location = sensors.stream().map(sensor -> sensor.getMetric()).collect(Collectors.toList());
            List<Instant> timestamps = new ArrayList<>();
            List<Instant> times = new ArrayList<>();
            List<Double> datavalues = new ArrayList<>();
            while (i < sensors.size()) {
                final DataPoint data = clientConnection.queryValue(new Sensor(location.get(i), metric.get(i))).get();
                timestamps.add((Util.TIME_FORMAT.format((new Date(data.getTime()).toInstant()))));
                datavalues.add(data.getValue());
                i++;
            }

            i = 0;
            List<LiveData> testcol = new ArrayList<>();
            while (i < sensors.size()) {
                //LiveData temporary = new LiveData(location.get(i), metric.get(i));
                LiveData temporary = new LiveData(location.get(i), metric.get(i), datavalues.get(i), timestamps.get(i));
                testcol.add(temporary);
                i++;
            }
            ObservableList<LiveData> livedata = FXCollections.observableArrayList(testcol);
            Platform.runLater(() ->
                    tvData.setItems(livedata));
            //Thread.sleep(10000);
            //onConnectionOpened();
        } catch (InterruptedException e) {
            e.printStackTrace();
        } catch (ExecutionException e) {
            e.printStackTrace();
        }
    }

我希望能够拥有 Instants 的 ArrayList,而不是像这样使用它:

LiveData temporary = new LiveData(location.get(i), metric.get(i), datavalues.get(i), timestamps.get(i));

供以后在 TableView 中使用。

我正在格式化Instant对象。我使用该格式是为了更好地输出实际时间戳,因为现在它看起来像这样:2019-07-18T05:35:00Z。我希望它是 2019-07-18 07:35:00。

4

1 回答 1

3

假设data.getTime()返回 a long,你只想要

    timestamps.add(Instant.ofEpochMilli(data.getTime()));

无需混入陈旧且设计不佳的Date类,这只会使事情不必要地复杂化。尝试格式化也没有用。Instant不能有格式。

如果没有完整的上下文,它并不完全清楚,但可能会Util.TIME_FORMAT.format()返回 a String,因此您试图将其添加String到您的列表中,这导致了您提到的错误消息:

错误在于它试图将字符串添加到 Instant 的 ArrayList。

在您的评论中,您说:

我使用这种格式是为了更好地输出实际时间戳,因为现在它看起来像这样2019-07-18T05:35:00Z:我希望它是2019-07-18 07:35:00

对不起,那是错误的。除了最简单的一次性程序之外,您应该将模型和 UI 分开。Instant对象属于您的模型。你漂亮的输出——当然你应该有一个漂亮的输出,只有它属于你的用户界面。因此,您想要并且需要做的是Instant在输出之前格式化(而不是在将其放入列表之前)。我再说一遍:一个Instant不能有格式。

相关问题,只询问现在已经过时Date的格式:

于 2019-10-31T18:24:25.627 回答