我正在尝试为日期对象定义一个新的getter。但是它返回false。哪里是我的错误?
Date.prototype.__defineGetter__('ago', function(){
var diff = ((( new Date()).getTime() - this.getTime()) / 1000)
, day_diff = Math.floor(diff / 86400);
return day_diff == 0 && (
diff < 60 && "just now" ||
diff < 120 && "1 minute ago" ||
diff < 3600 && Math.floor( diff / 60 ) + " minutes ago" ||
diff < 7200 && "1 hour ago" ||
diff < 86400 && Math.floor( diff / 3600 ) + " hours ago") ||
day_diff == 1 && "Yesterday" ||
day_diff < 7 && day_diff + " days ago" ||
day_diff < 31 && Math.ceil( day_diff / 7 ) + " weeks ago";
});
var a = new Date('12/12/1990');
console.log(a.ago);
答案 0 :(得分:5)
您未在一个多月前进行过测试,因此只返回false
,这是||
操作中的最后一个值。
[...]
day_diff < 31 && Math.ceil( day_diff / 7 ) + " weeks ago" ||
'More than a month ago';
[...]
var a = new Date('12/12/1990');
console.log(a.ago()); //More than a month ago
此外,__defineGetter__
是非标准的并且已弃用,因此我已将其替换为小提琴中的标准原型方法属性。这是原始吸气剂的fiddle。
编辑:ES5提供标准Object.defineProperty
方法,请参阅以下评论中的@bfavaretto和@ Bergi版本:
Object.defineProperty(Date.prototype, "ago", {
get: function() {
[...]
}
});
原型方法似乎slightly faster而不是defineProperty
,但是考虑到最新稳定的Chrome V8的结果误差范围从60到2.3亿OPs /秒,没有明显的性能差异。属性查找非常快,因此即使在Node环境中也不会有任何明显的差异。