我正试图形成一个日期,这是3个月前的当前日期。我通过下面的代码得到当前月份

var currentDate = new Date();
var currentMonth = currentDate.getMonth()+1;

你能给我提供一个逻辑来计算和形成一个日期(date数据类型的对象),考虑到当月份是一月(1)时,日期前3个月将是十月(10)吗?


当前回答

我建议使用一个名为Moment.js的库。

它经过了良好的测试,可以跨浏览器和服务器端工作(我在Angular和Node项目中都使用它)。它对区域日期有很好的支持。

http://momentjs.com/

var threeMonthsAgo = moment().subtract(3, 'months');

console.log(threeMonthsAgo.format()); // 2015-10-13T09:37:35+02:00

.format()返回ISO 8601格式的日期字符串表示形式。你也可以像这样使用自定义日期格式:format('dddd, MMMM Do YYYY, h:mm:ss a')

其他回答

为了让事情变得简单,你可以使用DateJS,一个JavaScript的日期库:

http://www.datejs.com/

示例代码:

Date.today().add({ months: -1 });

对于今天之前三个月的获取日期:

let d = new Date(new Date().setMonth(new Date().getMonth() - 3))
console.log(d.toISOString().slice(0, 10))
// 2022-05-24 (today is 2022-08-24)
var d = new Date();
d.setMonth(d.getMonth() - 3);

这适用于一月份。运行这段代码:

var d =新日期(2012年1月14日); 游戏机。d . toLocaleDateString log (()); d.setMonth(d.getMonth) - 3; 游戏机。d . toLocaleDateString log (());


这里有一些警告……

一个月是一个奇怪的东西。你如何定义1个月?30天吗?大多数人会说,一个月前是指需要引用的前一个月的同一天。但超过一半的时间,是31天前,而不是30天前。如果今天是这个月的31号(而不是8月或12月),那么这个月的这一天在前一个月是不存在的。

有趣的是,如果你问谷歌哪个月比哪个月早,它会同意JavaScript的说法:

它还说一个月有30.4167天:

那么,3月31日之前的一个月和3月28日之前的一个月是同一天吗?这完全取决于你对“一个月前”的定义。去和你的产品负责人谈谈。

如果你想像momentjs那样做,并通过移动到本月的最后一天来纠正这些错误,你可以这样做:

const d =新的日期(“2019年3月31日”); console.log (d.toLocaleDateString ()); const month = d.getMonth(); d.setMonth(d.getMonth() - 1); while (d.getMonth() === month) { d.setDate(d.getDate() - 1); } console.log (d.toLocaleDateString ());

如果您的需求比这更复杂,请使用一些数学并编写一些代码。你是一个开发人员!你不需要安装一个库!你不需要从stackoverflow复制和粘贴!您可以自己开发代码来完成您所需要的工作!

Following code give me Just Previous Month From Current Month even the date is 31/30 of current date and last month is 30/29/28 days:

   <!DOCTYPE html>
<html>
<body>

<p>Click the button to display the date after changing the month.</p>

<button onclick="myFunction()">Try it</button>

<p id="demo"></p>

<script>
function myFunction() {

var d = new Date("March 29, 2017"); // Please Try the result also for "March 31, 2017" Or "March 30, 2017"
var OneMonthBefore =new Date(d);

OneMonthBefore.setMonth(d.getMonth(),0);
if(OneMonthBefore.getDate() < d.getDate()  )
{
d.setMonth(d.getMonth(),0);
}else
{
d.setMonth(d.getMonth()-1);

}

    document.getElementById("demo").innerHTML = d;
}
</script>

</body>
</html>

已经有了一个优雅的答案,但我发现它很难读,所以我自己做了一个函数。出于我的目的,我不需要一个消极的结果,但它也不难修改。

    var subtractMonths = function (date1,date2) {
        if (date1-date2 <=0) {
            return 0;
        }
        var monthCount = 0;
        while (date1 > date2){
            monthCount++;
            date1.setMonth(date1.getMonth() -1);
        }
        return monthCount;
    }