Sto cercando il modo più semplice e pulito per aggiungere X mesi a una data JavaScript.
Preferirei non gestire il rollover dell'anno o scrivere la mia funzione .
C'è qualcosa che può fare questo?
Sto cercando il modo più semplice e pulito per aggiungere X mesi a una data JavaScript.
Preferirei non gestire il rollover dell'anno o scrivere la mia funzione .
C'è qualcosa che può fare questo?
Risposte:
La seguente funzione aggiunge mesi a una data in JavaScript ( sorgente ). Tiene conto del roll-over dell'anno e della durata variabile dei mesi:
function addMonths(date, months) {
var d = date.getDate();
date.setMonth(date.getMonth() + +months);
if (date.getDate() != d) {
date.setDate(0);
}
return date;
}
// Add 12 months to 29 Feb 2016 -> 28 Feb 2017
console.log(addMonths(new Date(2016,1,29),12).toString());
// Subtract 1 month from 1 Jan 2017 -> 1 Dec 2016
console.log(addMonths(new Date(2017,0,1),-1).toString());
// Subtract 2 months from 31 Jan 2017 -> 30 Nov 2016
console.log(addMonths(new Date(2017,0,31),-2).toString());
// Add 2 months to 31 Dec 2016 -> 28 Feb 2017
console.log(addMonths(new Date(2016,11,31),2).toString());
La soluzione di cui sopra copre il caso limite di passare da un mese con un numero maggiore di giorni rispetto al mese di destinazione. per esempio.
Se il giorno del mese cambia durante l'applicazione setMonth
, allora sappiamo che abbiamo traboccato nel mese successivo a causa di una differenza nella lunghezza del mese. In questo caso, usiamo setDate(0)
per tornare all'ultimo giorno del mese precedente.
Nota: questa versione di questa risposta sostituisce una versione precedente (di seguito) che non gestiva con grazia lunghezze di mese diverse.
var x = 12; //or whatever offset
var CurrentDate = new Date();
console.log("Current date:", CurrentDate);
CurrentDate.setMonth(CurrentDate.getMonth() + x);
console.log("Date after " + x + " months:", CurrentDate);
Sto usando la libreria moment.js per manipolazioni di data e ora . Codice di esempio da aggiungere un mese:
var startDate = new Date(...);
var endDateMoment = moment(startDate); // moment(...) can also be used to parse dates in string format
endDateMoment.add(1, 'months');
Questa funzione gestisce i casi limite ed è veloce:
function addMonthsUTC (date, count) {
if (date && count) {
var m, d = (date = new Date(+date)).getUTCDate()
date.setUTCMonth(date.getUTCMonth() + count, 1)
m = date.getUTCMonth()
date.setUTCDate(d)
if (date.getUTCMonth() !== m) date.setUTCDate(0)
}
return date
}
test:
> d = new Date('2016-01-31T00:00:00Z');
Sat Jan 30 2016 18:00:00 GMT-0600 (CST)
> d = addMonthsUTC(d, 1);
Sun Feb 28 2016 18:00:00 GMT-0600 (CST)
> d = addMonthsUTC(d, 1);
Mon Mar 28 2016 18:00:00 GMT-0600 (CST)
> d.toISOString()
"2016-03-29T00:00:00.000Z"
Aggiornamento per date non UTC: (di A.Hatchkins)
function addMonths (date, count) {
if (date && count) {
var m, d = (date = new Date(+date)).getDate()
date.setMonth(date.getMonth() + count, 1)
m = date.getMonth()
date.setDate(d)
if (date.getMonth() !== m) date.setDate(0)
}
return date
}
test:
> d = new Date(2016,0,31);
Sun Jan 31 2016 00:00:00 GMT-0600 (CST)
> d = addMonths(d, 1);
Mon Feb 29 2016 00:00:00 GMT-0600 (CST)
> d = addMonths(d, 1);
Tue Mar 29 2016 00:00:00 GMT-0600 (CST)
> d.toISOString()
"2016-03-29T06:00:00.000Z"
Considerando che nessuna di queste risposte rappresenterà l'anno corrente in cui il mese cambia, puoi trovare quello che ho fatto di seguito che dovrebbe gestirlo:
Il metodo:
Date.prototype.addMonths = function (m) {
var d = new Date(this);
var years = Math.floor(m / 12);
var months = m - (years * 12);
if (years) d.setFullYear(d.getFullYear() + years);
if (months) d.setMonth(d.getMonth() + months);
return d;
}
Uso:
return new Date().addMonths(2);
Tratto dalle risposte di @bmpsini e @Jazaret , ma senza estendere i prototipi: usare funzioni semplici ( Perché l'estensione degli oggetti nativi è una cattiva pratica? ):
function isLeapYear(year) {
return (((year % 4 === 0) && (year % 100 !== 0)) || (year % 400 === 0));
}
function getDaysInMonth(year, month) {
return [31, (isLeapYear(year) ? 29 : 28), 31, 30, 31, 30, 31, 31, 30, 31, 30, 31][month];
}
function addMonths(date, value) {
var d = new Date(date),
n = date.getDate();
d.setDate(1);
d.setMonth(d.getMonth() + value);
d.setDate(Math.min(n, getDaysInMonth(d.getFullYear(), d.getMonth())));
return d;
}
Usalo:
var nextMonth = addMonths(new Date(), 1);
Dalle risposte sopra, l'unico che gestisce i casi limite (la libreria bmpasini di datejs) ha un problema:
var date = new Date("03/31/2015");
var newDate = date.addMonths(1);
console.log(newDate);
// VM223:4 Thu Apr 30 2015 00:00:00 GMT+0200 (CEST)
ok ma:
newDate.toISOString()
//"2015-04-29T22:00:00.000Z"
peggio :
var date = new Date("01/01/2015");
var newDate = date.addMonths(3);
console.log(newDate);
//VM208:4 Wed Apr 01 2015 00:00:00 GMT+0200 (CEST)
newDate.toISOString()
//"2015-03-31T22:00:00.000Z"
Ciò è dovuto al fatto che l'ora non è stata impostata, ripristinando quindi le 00:00:00, che possono quindi presentare anomalie al giorno precedente a causa del fuso orario o delle modifiche che fanno risparmiare tempo o altro ...
Ecco la mia soluzione proposta, che non presenta questo problema ed è anche, a mio avviso, più elegante in quanto non si basa su valori codificati.
/**
* @param isoDate {string} in ISO 8601 format e.g. 2015-12-31
* @param numberMonths {number} e.g. 1, 2, 3...
* @returns {string} in ISO 8601 format e.g. 2015-12-31
*/
function addMonths (isoDate, numberMonths) {
var dateObject = new Date(isoDate),
day = dateObject.getDate(); // returns day of the month number
// avoid date calculation errors
dateObject.setHours(20);
// add months and set date to last day of the correct month
dateObject.setMonth(dateObject.getMonth() + numberMonths + 1, 0);
// set day number to min of either the original one or last day of month
dateObject.setDate(Math.min(day, dateObject.getDate()));
return dateObject.toISOString().split('T')[0];
};
Unità testata con successo con:
function assertEqual(a,b) {
return a === b;
}
console.log(
assertEqual(addMonths('2015-01-01', 1), '2015-02-01'),
assertEqual(addMonths('2015-01-01', 2), '2015-03-01'),
assertEqual(addMonths('2015-01-01', 3), '2015-04-01'),
assertEqual(addMonths('2015-01-01', 4), '2015-05-01'),
assertEqual(addMonths('2015-01-15', 1), '2015-02-15'),
assertEqual(addMonths('2015-01-31', 1), '2015-02-28'),
assertEqual(addMonths('2016-01-31', 1), '2016-02-29'),
assertEqual(addMonths('2015-01-01', 11), '2015-12-01'),
assertEqual(addMonths('2015-01-01', 12), '2016-01-01'),
assertEqual(addMonths('2015-01-01', 24), '2017-01-01'),
assertEqual(addMonths('2015-02-28', 12), '2016-02-28'),
assertEqual(addMonths('2015-03-01', 12), '2016-03-01'),
assertEqual(addMonths('2016-02-29', 12), '2017-02-28')
);
Come la maggior parte delle risposte ha evidenziato, potremmo usare il metodo setMonth () insieme a getMonth () per aggiungere un numero specifico di mesi a una determinata data.
Esempio: (come menzionato da @ChadD nella sua risposta.)
var x = 12; //or whatever offset var CurrentDate = new Date(); CurrentDate.setMonth(CurrentDate.getMonth() + x);
Ma dovremmo usare attentamente questa soluzione poiché avremo problemi con i casi limite.
Per gestire i casi limite, è utile la risposta fornita nel seguente link.
https://stackoverflow.com/a/13633692/3668866
Soluzione semplice: 2678400000
è di 31 giorni in millisecondi
var oneMonthFromNow = new Date((+new Date) + 2678400000);
Aggiornare:
Usa questi dati per costruire la nostra funzione:
2678400000
- 31 giorni2592000000
- 30 giorni2505600000
- 29 giorni2419200000
- 28 giorniSolo per aggiungere la risposta accettata e i commenti.
var x = 12; //or whatever offset
var CurrentDate = new Date();
//For the very rare cases like the end of a month
//eg. May 30th - 3 months will give you March instead of February
var date = CurrentDate.getDate();
CurrentDate.setDate(1);
CurrentDate.setMonth(CurrentDate.getMonth()+X);
CurrentDate.setDate(date);
Ho scritto questa soluzione alternativa che funziona bene per me. È utile quando si desidera calcolare la fine di un contratto. Ad esempio, inizio = 2016-01-15, mesi = 6, fine = 2016-7-14 (ovvero ultimo giorno - 1):
<script>
function daysInMonth(year, month)
{
return new Date(year, month + 1, 0).getDate();
}
function addMonths(date, months)
{
var target_month = date.getMonth() + months;
var year = date.getFullYear() + parseInt(target_month / 12);
var month = target_month % 12;
var day = date.getDate();
var last_day = daysInMonth(year, month);
if (day > last_day)
{
day = last_day;
}
var new_date = new Date(year, month, day);
return new_date;
}
var endDate = addMonths(startDate, months);
</script>
Esempi:
addMonths(new Date("2016-01-01"), 1); // 2016-01-31
addMonths(new Date("2016-01-01"), 2); // 2016-02-29 (2016 is a leap year)
addMonths(new Date("2016-01-01"), 13); // 2017-01-31
addMonths(new Date("2016-01-01"), 14); // 2017-02-28
Di seguito è riportato un esempio di come calcolare una data futura in base all'immissione della data (membershipssignup_date) + mesi aggiunti (membershipsmonths) tramite i campi del modulo.
Il campo membershipsmonths ha un valore predefinito di 0
Trigger link (può essere un evento onchange associato al campo del termine dell'iscrizione):
<a href="#" onclick="calculateMshipExp()"; return false;">Calculate Expiry Date</a>
function calculateMshipExp() {
var calcval = null;
var start_date = document.getElementById("membershipssignup_date").value;
var term = document.getElementById("membershipsmonths").value; // Is text value
var set_start = start_date.split('/');
var day = set_start[0];
var month = (set_start[1] - 1); // January is 0 so August (8th month) is 7
var year = set_start[2];
var datetime = new Date(year, month, day);
var newmonth = (month + parseInt(term)); // Must convert term to integer
var newdate = datetime.setMonth(newmonth);
newdate = new Date(newdate);
//alert(newdate);
day = newdate.getDate();
month = newdate.getMonth() + 1;
year = newdate.getFullYear();
// This is British date format. See below for US.
calcval = (((day <= 9) ? "0" + day : day) + "/" + ((month <= 9) ? "0" + month : month) + "/" + year);
// mm/dd/yyyy
calcval = (((month <= 9) ? "0" + month : month) + "/" + ((day <= 9) ? "0" + day : day) + "/" + year);
// Displays the new date in a <span id="memexp">[Date]</span> // Note: Must contain a value to replace eg. [Date]
document.getElementById("memexp").firstChild.data = calcval;
// Stores the new date in a <input type="hidden" id="membershipsexpiry_date" value="" name="membershipsexpiry_date"> for submission to database table
document.getElementById("membershipsexpiry_date").value = calcval;
}
Come dimostrato da molte delle risposte complicate e brutte presentate, Date e Times possono essere un incubo per i programmatori che usano qualsiasi lingua. Il mio approccio è convertire le date e i valori 'delta t' in Epoch Time (in ms), eseguire qualsiasi aritmetica, quindi riconvertire in "tempo umano".
// Given a number of days, return a Date object
// that many days in the future.
function getFutureDate( days ) {
// Convert 'days' to milliseconds
var millies = 1000 * 60 * 60 * 24 * days;
// Get the current date/time
var todaysDate = new Date();
// Get 'todaysDate' as Epoch Time, then add 'days' number of mSecs to it
var futureMillies = todaysDate.getTime() + millies;
// Use the Epoch time of the targeted future date to create
// a new Date object, and then return it.
return new Date( futureMillies );
}
// Use case: get a Date that's 60 days from now.
var twoMonthsOut = getFutureDate( 60 );
Questo è stato scritto per un caso d'uso leggermente diverso, ma dovresti essere in grado di adattarlo facilmente alle attività correlate.
EDIT: fonte completa qui !
Tutto ciò sembra troppo complicato e immagino che entri in un dibattito su cosa significhi esattamente aggiungere "un mese". Significa 30 giorni? Significa dal 1 ° al 1 °? Dall'ultimo giorno all'ultimo giorno?
Se quest'ultimo, l'aggiunta di un mese al 27 febbraio ti porta al 27 marzo, ma l'aggiunta di un mese al 28 febbraio ti porta al 31 marzo (tranne negli anni bisestili, dove ti porta al 28 marzo). Quindi sottraendo un mese dal 30 marzo si ottiene ... 27 febbraio? Chissà...
Per coloro che cercano una soluzione semplice, basta aggiungere millisecondi ed essere fatto.
function getDatePlusDays(dt, days) {
return new Date(dt.getTime() + (days * 86400000));
}
o
Date.prototype.addDays = function(days) {
this = new Date(this.getTime() + (days * 86400000));
};
d.setMonth(d.getMonth()+1)
? Quindi questa non è nemmeno l'idea più semplice.
addDateMonate : function( pDatum, pAnzahlMonate )
{
if ( pDatum === undefined )
{
return undefined;
}
if ( pAnzahlMonate === undefined )
{
return pDatum;
}
var vv = new Date();
var jahr = pDatum.getFullYear();
var monat = pDatum.getMonth() + 1;
var tag = pDatum.getDate();
var add_monate_total = Math.abs( Number( pAnzahlMonate ) );
var add_jahre = Number( Math.floor( add_monate_total / 12.0 ) );
var add_monate_rest = Number( add_monate_total - ( add_jahre * 12.0 ) );
if ( Number( pAnzahlMonate ) > 0 )
{
jahr += add_jahre;
monat += add_monate_rest;
if ( monat > 12 )
{
jahr += 1;
monat -= 12;
}
}
else if ( Number( pAnzahlMonate ) < 0 )
{
jahr -= add_jahre;
monat -= add_monate_rest;
if ( monat <= 0 )
{
jahr = jahr - 1;
monat = 12 + monat;
}
}
if ( ( Number( monat ) === 2 ) && ( Number( tag ) === 29 ) )
{
if ( ( ( Number( jahr ) % 400 ) === 0 ) || ( ( Number( jahr ) % 100 ) > 0 ) && ( ( Number( jahr ) % 4 ) === 0 ) )
{
tag = 29;
}
else
{
tag = 28;
}
}
return new Date( jahr, monat - 1, tag );
}
testAddMonate : function( pDatum , pAnzahlMonate )
{
var datum_js = fkDatum.getDateAusTTMMJJJJ( pDatum );
var ergebnis = fkDatum.addDateMonate( datum_js, pAnzahlMonate );
app.log( "addDateMonate( \"" + pDatum + "\", " + pAnzahlMonate + " ) = \"" + fkDatum.getStringAusDate( ergebnis ) + "\"" );
},
test1 : function()
{
app.testAddMonate( "15.06.2010", 10 );
app.testAddMonate( "15.06.2010", -10 );
app.testAddMonate( "15.06.2010", 37 );
app.testAddMonate( "15.06.2010", -37 );
app.testAddMonate( "15.06.2010", 1234 );
app.testAddMonate( "15.06.2010", -1234 );
app.testAddMonate( "15.06.2010", 5620 );
app.testAddMonate( "15.06.2010", -5120 );
}
A volte utile creare data da un operatore come nei parametri BIRT
Sono tornato indietro di 1 mese con:
new Date(new Date().setMonth(new Date().getMonth()-1));