I want to subtract 1 month from a given date in (DD/MM/YYYY) format, but when I do that using moment.js, it gives me the result as 01/12/2020. How can I resolve this? Basically when I click on the left-arrow, the month should be subtracted by 1 every
JavaScript
x
6
1
var startOfMonth = moment().clone().startOf('month').format('DD/MM/YYYY');
2
3
leftArrow.on('click', function(){
4
var start = moment(startOfMonth).subtract(1, 'months').format("DD/MM/YYYY");
5
});
6
Advertisement
Answer
How can I subtract one month using moment.js?
tl,dr;
JavaScript
1
3
1
moment(date).add(-1, 'months');
2
// or: moment(date).subtract(1, 'months');
3
initial answer:
Here’s a basic example.
It stores the date as a moment object, which you then modify by adding or subtracting a month without ever caring what its current value is. You could also store it as a JavaScript Date object, which is useful when you have to communicate it to an external entity (a db, the browser, etc…).
Take away points:
- the date is not stored as text
- the mods to the date are minimal
- the date is parsed to text in only one place: before updating DOM (in
setDate
function)
JavaScript
1
17
17
1
// set initial date
2
let storedDate = moment.now();
3
4
// update DOM
5
setDate(storedDate);
6
7
function setDate(date) {
8
document.getElementById('text').innerText = moment(date).format('MMMM YYYY');
9
}
10
11
function addMonths(months) {
12
// change stored date
13
storedDate = moment(storedDate).add(months, 'months');
14
15
// update DOM
16
setDate(storedDate);
17
}
JavaScript
1
8
1
#text {
2
min-width: 120px;
3
text-align: center;
4
display: inline-block
5
}
6
button {
7
cursor: pointer;
8
}
JavaScript
1
7
1
<script src="https://cdnjs.cloudflare.com/ajax/libs/moment.js/2.29.1/moment.min.js"></script>
2
3
<div>
4
<button onclick="addMonths(-1)"><</button>
5
<span id="text"></span>
6
<button onclick="addMonths(1)">></button>
7
</div>