我已经为此挣扎了一段时间。我正在尝试将epoch转换为日期对象。纪元以UTC格式发送给我。无论何时向new Date()传递一个epoch,它都假定它是本地epoch。我尝试创建一个UTC对象,然后使用setTime()将其调整为适当的epoch,但唯一有用的方法是toUTCString()和字符串对我没有帮助。如果我将这个字符串传递给一个新的日期,它应该注意到它是UTC,但它没有。

new Date( new Date().toUTCString() ).toLocaleString()

我的下一个尝试是试图获得本地当前epoch和UTC当前epoch之间的差异,但我也无法得到。

new Date( new Date().toUTCString() ).getTime() - new Date().getTime()

它只给了我非常小的差别,在1000以下,单位是毫秒。

有什么建议吗?


当前回答

我认为我有一个更简单的解决方案——将初始日期设置为epoch并添加UTC单位。假设您有一个以秒为单位存储的UTC epoch var。1234567890怎么样?要将该日期转换为本地时区的正确日期:

var utcSeconds = 1234567890;
var d = new Date(0); // The 0 there is the key, which sets the date to the epoch
d.setUTCSeconds(utcSeconds);

d现在是一个日期(在我的时区)设置为2009年2月13日星期五18:31:30 GMT-0500 (EST)

其他回答

EDIT

var utcDate = new Date(incomingUTCepoch);
var date = new Date();
date.setUTCDate(utcDate.getDate());
date.setUTCHours(utcDate.getHours());
date.setUTCMonth(utcDate.getMonth());
date.setUTCMinutes(utcDate.getMinutes());
date.setUTCSeconds(utcDate.getSeconds());
date.setUTCMilliseconds(utcDate.getMilliseconds());

编辑固定

纪元时间(即Unix纪元时间)几乎总是自1970年1月1日00:00:00 (UTC时间)以来已经过期的秒数,而不是这里的一些答案所暗示的毫秒数。

https://en.wikipedia.org/wiki/Unix_time

因此,如果给您一个Unix Epoch时间值,它可能以秒为单位,看起来像1547035195。如果你想让这个值在JavaScript中成为人类可读的,你需要将值转换为毫秒,并将该值传递到Date(value)构造函数中,例如:

const unixEpochTimeMS = 1547035195 * 1000;
const d = new Date(unixEpochTimeMS);
// Careful, the string output here can vary by implementation...
const strDate = d.toLocaleString();

您不需要在接受的答案中执行d.setUTCMilliseconds(0)步骤,因为JavaScript Date(value)构造函数采用以毫秒为单位的UTC值(而不是本地时间)。

https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Date#Syntax

还要注意,你应该避免使用Date(…)构造函数,它接受一个字符串日期时间表示,这是不建议的(参见上面的链接)。

纪元时间是从1970年1月1日开始的,单位为秒。date.getTime()返回1970年1月1日的毫秒数,因此..如果你有一个epoch时间戳,通过乘以1000将其转换为javascript时间戳。

   function epochToJsDate(ts){
        // ts = epoch timestamp
        // returns date obj
        return new Date(ts*1000);
   }

   function jsDateToEpoch(d){
        // d = javascript date obj
        // returns epoch timestamp
        return (d.getTime()-d.getMilliseconds())/1000;
   }

最简单的方法

如果unix纪元以毫秒为单位,在我的例子中是1601209912824

将其转换为日期对象

const dateObject = new Date(milliseconds)
const humanDateFormat = dateObject.toString() 

输出-

Sun Sep 27 2020 18:01:52 GMT+0530 (India Standard Time)

如果您想要UTC -的日期

const dateObject = new Date(milliseconds)
const humanDateFormat = dateObject.toUTCString() 

现在你可以根据自己的喜好来设置格式了。

除了上面@djechlin的回答

d = '1394104654000';
new Date(parseInt(d));

将EPOCH时间转换为人类可读的日期。只是不要忘记,EPOCH时间类型必须是整数。