我想为特定日期添加天数并格式化输出。所以我有以下内容:
addDays(date){
return moment(date).add(365, 'd').format("DD/MM/YYYY");
}
我用下面的
测试了上面的代码console.log(addDays("24/05/2021")) //this returns invalid date
console.log(addDays("05/06/2021")) //returns 06/05/2022
在第一个日期,它返回invalid date
,第二个我希望它返回05/06/2022
,但它返回错误的日期。
我错过了什么工作。我的日期格式为dd/mm/yyyy
由于momentjs
无法解析该日期,因此失败。
你必须指定你传递的格式:
moment(inputDate, 'DD/MM/YYYY')
MomentJS字符串+格式文档
请参见下面的示例,这将是预期的输出:
function addDays(inputDate){
return moment(inputDate, 'DD/MM/YYYY').add(365, 'd').format("DD/MM/YYYY");
}
console.log(addDays("24/05/2021"));
console.log(addDays("05/06/2021"));
<script src="https://cdnjs.cloudflare.com/ajax/libs/moment.js/2.29.1/moment.min.js"></script>
24/05/2022
05/06/2022
也就是说,我仍然建议使用moment().add(1, 'year')
:
function addDays(inputDate){
return moment(inputDate, 'DD/MM/YYYY').add(1, 'year').format("DD/MM/YYYY");
}
function addDays(inputDate){
return moment(inputDate, 'DD/MM/YYYY').add(1, 'year').format("DD/MM/YYYY");
}
console.log(addDays("24/05/2021"));
console.log(addDays("05/06/2021"));
<script src="https://cdnjs.cloudflare.com/ajax/libs/moment.js/2.29.1/moment.min.js"></script>
是吗?如果你真的想加一年,那就加.add(1, 'year')
,而不是365天。
您可以通过两种方式做到这一点:使用day
和year
let addNYears = function(years = 1, date) {
return moment(date, 'DD/MM/YYYY').add(years, 'year').format("DD/MM/YYYY");
}
let addNDays = function(days = 1, date) {
return moment(date, 'DD/MM/YYYY').add(days, 'day').format("DD/MM/YYYY");
}
console.log(addNYears(1, new Date())); // +1 year
// this is not the best way as each 4 years we have a leap year.
console.log(addNDays(365, new Date())); // +365 days
console.log(addNDays(5, new Date())); // +5 days
<script src="https://cdnjs.cloudflare.com/ajax/libs/moment.js/2.29.1/moment.min.js" integrity="sha512-qTXRIMyZIFb8iQcfjXWCO8+M5Tbc38Qi5WzdPOYZHIlZpzBHG3L3by84BBBOiRGiEb7KKtAOAs5qYdUiZiQNNQ==" crossorigin="anonymous" referrerpolicy="no-referrer"></script>