我希望将PHP创建并存储在我们数据库中的time()转换到几分钟之前,当JSON请求我们的JavaScript捕获它时。
http://media.queerdio.com/mobileDevice/?uri=nowplaying/1
你可以看到我们存储时间,如
"airtime":1382526339
我们想要转向的是
3 minutes ago
这就是我们所知道的。
我们首先需要运行这样的东西
function convert_time(ts) {
return new Date(ts * 1000)
}
通过播放时间并通过该功能运行它使得它符合我所读的JavaScript(我可能是错的)Unix time javascript
然后我不知道如何从JavaScript日期时间到几分钟前。我们目前没有使用jQuery,如果我们可以继续沿着这条路走下去会很棒,因为这是我完成编码之前的最后一个问题。
答案 0 :(得分:6)
不需要任何依赖,只需普通的旧javascript就足够了。要将unix时间戳转换为“X time ago” -like标签,您只需使用以下内容:
function time2TimeAgo(ts) {
// This function computes the delta between the
// provided timestamp and the current time, then test
// the delta for predefined ranges.
var d=new Date(); // Gets the current time
var nowTs = Math.floor(d.getTime()/1000); // getTime() returns milliseconds, and we need seconds, hence the Math.floor and division by 1000
var seconds = nowTs-ts;
// more that two days
if (seconds > 2*24*3600) {
return "a few days ago";
}
// a day
if (seconds > 24*3600) {
return "yesterday";
}
if (seconds > 3600) {
return "a few hours ago";
}
if (seconds > 1800) {
return "Half an hour ago";
}
if (seconds > 60) {
return Math.floor(seconds/60) + " minutes ago";
}
}
当然,您可以根据需要更改文本/范围。
希望这会有所帮助,我的观点是你不需要使用任何库来实现这类事情:)
答案 1 :(得分:4)
我建议你Moment.js一个小的(8.8 kb缩小的)javascript库来格式化日期对象。它工作得很好,没有进一步的依赖。
答案 2 :(得分:1)
如果需要更多详细信息,可以使用类似以下的方法:
function timeAgo(someDateInThePast) {
var result = '';
var difference = Date.now() - someDateInThePast;
if (difference < 5 * 1000) {
return 'just now';
} else if (difference < 90 * 1000) {
return 'moments ago';
}
//it has minutes
if ((difference % 1000 * 3600) > 0) {
if (Math.floor(difference / 1000 / 60 % 60) > 0) {
let s = Math.floor(difference / 1000 / 60 % 60) == 1 ? '' : 's';
result = `${Math.floor(difference / 1000 / 60 % 60)} minute${s} `;
}
}
//it has hours
if ((difference % 1000 * 3600 * 60) > 0) {
if (Math.floor(difference / 1000 / 60 / 60 % 24) > 0) {
let s = Math.floor(difference / 1000 / 60 / 60 % 24) == 1 ? '' : 's';
result = `${Math.floor(difference / 1000 / 60 / 60 % 24)} hour${s}${result == '' ? '' : ','} ` + result;
}
}
//it has days
if ((difference % 1000 * 3600 * 60 * 24) > 0) {
if (Math.floor(difference / 1000 / 60 / 60 / 24) > 0) {
let s = Math.floor(difference / 1000 / 60 / 60 / 24) == 1 ? '' : 's';
result = `${Math.floor(difference / 1000 / 60 / 60 / 24)} day${s}${result == '' ? '' : ','} ` + result;
}
}
return result + ' ago';
}
document.write(timeAgo(Date.parse('2019-10-10 13:10')));
答案 3 :(得分:0)
我建议使用Datejs。它将浏览器扩展为其原生Date对象。
答案 4 :(得分:0)
回应罗素的最后评论:
如果你使用带有unix时间戳(以秒为单位的纪元)的Moment.js,那么说
moment.unix(unixtime).startOf('hour').fromNow()
否则,如果您使用毫秒时间戳(java System.currentTimeMillis()
),则说
moment(millis).startOf('hour').fromNow()