Answers:
Date.now()
给出自纪元以来的毫秒数。无需使用new
。
在此处查看参考:https : //developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Date/now
(IE8不支持。)
使用new Date().getTime() / 1000
是获取秒数的不完整解决方案,因为它会产生带有浮点数单位的时间戳。
const timestamp = new Date() / 1000; // 1405792936.933
// Technically, .933 would be milliseconds.
更好的解决方案是:
// Rounds the value
const timestamp = Math.round(new Date() / 1000); // 1405792937
// - OR -
// Floors the value
const timestamp = new Date() / 1000 | 0; // 1405792936
对于条件语句,不带浮点数的值也更安全,因为浮点数可能会产生不需要的结果。使用浮点数获得的粒度可能超出了所需。
if (1405792936.993 < 1405792937) // true
Math.round(new Date() / 1000)
// The Current Unix Timestamp
// 1443535752 seconds since Jan 01 1970. (UTC)
// Current time in seconds
console.log(Math.floor(new Date().valueOf() / 1000)); // 1443535752
console.log(Math.floor(Date.now() / 1000)); // 1443535752
console.log(Math.floor(new Date().getTime() / 1000)); // 1443535752
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
jQuery的
console.log(Math.floor($.now() / 1000)); // 1443535752
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
这些JavaScript解决方案为您提供自1970年1月1日午夜以来的毫秒数或秒数。
IE 9+解决方案(IE 8或更旧的版本不支持此功能。):
var timestampInMilliseconds = Date.now();
var timestampInSeconds = Date.now() / 1000; // A float value; not an integer.
timestampInSeconds = Math.floor(Date.now() / 1000); // Floor it to get the seconds.
timestampInSeconds = Date.now() / 1000 | 0; // Also you can do floor it like this.
timestampInSeconds = Math.round(Date.now() / 1000); // Round it to get the seconds.
要获取有关Date.now()
以下信息的更多信息:https : //developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Date/now
通用解决方案:
// ‘+’ operator makes the operand numeric.
// And ‘new’ operator can be used without the arguments ‘(……)’.
var timestampInMilliseconds = +new Date;
var timestampInSeconds = +new Date / 1000; // A float value; not an intger.
timestampInSeconds = Math.floor(+new Date / 1000); // Floor it to get the seconds.
timestampInSeconds = +new Date / 1000 | 0; // Also you can do floor it like this.
timestampInSeconds = Math.round(+new Date / 1000); // Round it to get the seconds.
如果您不想要这种情况,请小心使用。
if(1000000 < Math.round(1000000.2)) // false.
Date.now()-Math.floor(Date.now()/1000/60/60/24)*24*60*60*1000
这应该给您从一天开始起的毫秒数。
(Date.now()-Math.floor(Date.now()/1000/60/60/24)*24*60*60*1000)/1000
这应该给您几秒钟。
(Date.now()-(Date.now()/1000/60/60/24|0)*24*60*60*1000)/1000
除使用按位运算符限制天数外,其余与之前相同。
自1970年1月1日以来,您可以找到另一种以秒/毫秒为单位的时间获取方式:
var milliseconds = +new Date;
var seconds = milliseconds / 1000;
但是使用这种方法时要小心,因为阅读和理解它可能很棘手。
要获取当天的总秒数:
getTodaysTotalSeconds(){
let date = new Date();
return +(date.getHours() * 60 * 60) + (date.getMinutes() * 60);
}
我有加+
的回报,其中有回报int
。这可能对其他开发人员有所帮助。:)