我一直在使用此功能,但我想知道获得它的最有效和最准确的方法是什么。
function daysInMonth(iMonth, iYear) {
return 32 - new Date(iYear, iMonth, 32).getDate();
}
我一直在使用此功能,但我想知道获得它的最有效和最准确的方法是什么。
function daysInMonth(iMonth, iYear) {
return 32 - new Date(iYear, iMonth, 32).getDate();
}
function daysInMonth (month, year) { // Use 1 for January, 2 for February, etc.
return new Date(year, month, 0).getDate();
}
console.log(daysInMonth(2, 1999)); // February in a non-leap year.
console.log(daysInMonth(2, 2000)); // February in a leap year.
第 0 天是上个月的最后一天。因为月份构造函数是基于 0 的,所以这很好用。有点小技巧,但这基本上就是你通过减去 32 所做的。
查看更多: 当月的天数
一些答案(也在其他问题上)有闰年问题或使用了日期对象。尽管 javascriptDate object
涵盖了 1970 年 1 月 1 日左右的大约 285616 年(100,000,000 天),但我已经厌倦了不同浏览器(最显着的是 0 到 99 年)的各种意外日期不一致。我也很好奇如何计算。
所以我写了一个简单且最重要的小算法来计算正确的(Proleptic Gregorian / Astronomical / ISO 8601:2004 (clause 4.3.2.1),所以年份0
存在并且是闰年并且支持负年份)天数给定的月份和年份。
它使用短路位掩码-模leapYear算法(对js略有修改)和常见的mod- 8月算法。
请注意,在AD/BC
符号中,公元 0 年不存在:相反,年份1 BC
是闰年!
如果您需要考虑 BC 表示法,那么只需先减去(否则为正)年份值的一年!!(或减去年份1
以进一步计算年份。)
function daysInMonth(m, y){
return m===2?y&3||!(y%25)&&y&15?28:29:30+(m+(m>>3)&1);
}
<!-- example for the snippet -->
<input type="text" value="enter year" onblur="
for( var r='', i=0, y=+this.value
; 12>i++
; r+= 'Month: ' + i + ' has ' + daysInMonth(i, y) + ' days<br>'
);
this.nextSibling.innerHTML=r;
" /><div></div>
注意,月份必须以 1 为基础!
请注意,这是一种不同的算法,然后我在我的Javascript 中使用的幻数查找计算一年中的第几天 (1 - 366)答案,因为这里闰年的额外分支只需要在二月份进行。
如果您经常调用此函数,则缓存该值以获得更好的性能可能会很有用。
这是FlySwat 答案的缓存版本:
var daysInMonth = (function() {
var cache = {};
return function(month, year) {
var entry = year + '-' + month;
if (cache[entry]) return cache[entry];
return cache[entry] = new Date(year, month, 0).getDate();
}
})();
使用moment.js,您可以使用 daysInMonth() 方法:
moment().daysInMonth(); // number of days in the current month
moment("2012-02", "YYYY-MM").daysInMonth() // 29
moment("2012-01", "YYYY-MM").daysInMonth() // 31
为了消除混淆,我可能会基于月份字符串,因为它目前是基于 0 的。
function daysInMonth(month,year) {
monthNum = new Date(Date.parse(month +" 1,"+year)).getMonth()+1
return new Date(year, monthNum, 0).getDate();
}
daysInMonth('feb', 2015)
//28
daysInMonth('feb', 2008)
//29