首页 > 解决方案 > 如何按原样将 UTC 时间戳导入 Luxon?(从瞬间迁移)

问题描述

我的应用程序中有这一行:

const createdOn: moment.Moment = moment.utc(created_on)

created_on来自如下格式的 api 端点:

{ 
  ...,
  created_on: "2019-03-08T15:32:26.285Z",
}

这基本上created_on作为 UTC 时区导入。created_on也是UTC。因此,此方法不会破坏时区并正确导入 UTC。我也有这个:

这会在 UTC 时区生成当前时间戳。

moment.utc()

请注意,如果我只是将日期导入时刻,然后将其转换为 UTC,我的时间就会出错。默认情况下,Moment 假定给定日期等于当前访问者时区。我需要按原样导入时间。一直是UTC。

什么是等价物Luxon

标签: javascriptdatetimeecmascript-6momentjsluxon

解决方案


您可以使用DateTime.utc并且可以查看Luxon 手册的For Moment users部分。

您可以在创建部分找到:

Operation           | Moment            | Luxon                   | Notes
------------------------------------------------------------------------------------
From UTC civil time | moment.utc(Array) | DateTime.utc(Number...) | Moment also uses moment.utc() to take other arguments. In Luxon, use the appropriate method and pass in the { zone: 'utc'} option

所以,如果你的输入是一个字符串,你可以使用from方法(如fromISO)使用{zone: 'utc'}选项

这是一个现场样本:

const DateTime = luxon.DateTime;
const nowLuxon = DateTime.utc();
console.log(nowLuxon.toISO(), nowLuxon.toMillis());

const nowMoment = moment.utc();
console.log(nowMoment.format(), nowLuxon.valueOf());

const created_on = "2019-03-08T15:32:26.285Z";
const createdOnLuxon = DateTime.fromISO(created_on, { zone: 'utc'});
console.log(createdOnLuxon.toISO(), createdOnLuxon.toMillis());

const createdOnMoment = moment.utc(created_on);
console.log(createdOnMoment.format(), createdOnMoment.valueOf());
<script src="https://cdn.jsdelivr.net/npm/luxon@1.21.3/build/global/luxon.js"></script>
<script src="https://cdnjs.cloudflare.com/ajax/libs/moment.js/2.24.0/moment.min.js"></script>


推荐阅读