Sto cercando di usare JS per trasformare a date object
in una stringa in YYYYMMDD
formato. C'è un modo più semplice di concatenare Date.getYear()
, Date.getMonth()
e Date.getDay()
?
Sto cercando di usare JS per trasformare a date object
in una stringa in YYYYMMDD
formato. C'è un modo più semplice di concatenare Date.getYear()
, Date.getMonth()
e Date.getDay()
?
Risposte:
Pezzo di codice alterato che uso spesso:
Date.prototype.yyyymmdd = function() {
var mm = this.getMonth() + 1; // getMonth() is zero-based
var dd = this.getDate();
return [this.getFullYear(),
(mm>9 ? '' : '0') + mm,
(dd>9 ? '' : '0') + dd
].join('');
};
var date = new Date();
date.yyyymmdd();
[1]
con .length===2
, poiché un indicizzatore su una stringa non è completamente supportato. Vedi questa risposta per motivi.
[this.getFullYear(), mm<10 ? '0'+ mm: mm, dd<10 ? '0'+ dd : dd].join('.')
var mm = (this.getMonth() + 101).toString().substring(1, 3)
Non mi piaceva aggiungere al prototipo. Un'alternativa sarebbe:
var rightNow = new Date();
var res = rightNow.toISOString().slice(0,10).replace(/-/g,"");
<!-- Next line is for code snippet output only -->
document.body.innerHTML += res;
rightNow
variabile in giro, puoi racchiudere new Date
e recuperare tutto in una sola riga:(new Date()).toISOString().slice(0,10).replace(/-/g,"")
YYYYMMDDHHmmSSsss
, così ho fatto questo: var ds = (new Date()).toISOString().replace(/[^0-9]/g, "");
. Abbastanza semplice, ma dovrebbe essere incapsulato.
rightNow.setMinutes(rightNow.getMinutes() - rightNow.getTimezoneOffset()); rightNow.toISOString().slice(0,10)
Puoi usare la toISOString
funzione:
var today = new Date();
today.toISOString().substring(0, 10);
Ti darà un formato "aaaa-mm-gg".
var date = new Date();
var formattedDate = moment(date).format('YYYYMMDD');
var formattedDate = moment().format('YYYYMMDD');
Se non hai bisogno di una soluzione JS pura, puoi usare l'interfaccia utente jQuery per fare il lavoro in questo modo:
$.datepicker.formatDate('yymmdd', new Date());
Di solito non mi piace importare troppe librerie. Ma l'interfaccia utente di jQuery è così utile, probabilmente la userai da qualche altra parte nel tuo progetto.
Visita http://api.jqueryui.com/datepicker/ per ulteriori esempi
Questa è una singola riga di codice che puoi utilizzare per creare una YYYY-MM-DD
stringa della data odierna.
var d = new Date().toISOString().slice(0,10);
toISOString()
fornirà 2015-12-31T22: 00: 00 GMT +0 (due ore prima).
new Date('Jun 5 2016').
toLocaleString('en-us', {year: 'numeric', month: '2-digit', day: '2-digit'}).
replace(/(\d+)\/(\d+)\/(\d+)/, '$3-$1-$2');
// => '2016-06-05'
new Date('Sun Mar 31 2019 00:00:00.000').toLocaleString('en-us', {year: 'numeric', month: '2-digit', day: '2-digit'}).replace(/(\d+)\/(\d+)\/(\d+)/, '$3-$1-$2');
Oltre alla risposta di oo, vorrei raccomandare di separare le operazioni logiche dal ritorno e metterle invece come ternarie nelle variabili.
Inoltre, utilizzare concat()
per garantire la concatenazione sicura delle variabili
Date.prototype.yyyymmdd = function() {
var yyyy = this.getFullYear();
var mm = this.getMonth() < 9 ? "0" + (this.getMonth() + 1) : (this.getMonth() + 1); // getMonth() is zero-based
var dd = this.getDate() < 10 ? "0" + this.getDate() : this.getDate();
return "".concat(yyyy).concat(mm).concat(dd);
};
Date.prototype.yyyymmddhhmm = function() {
var yyyymmdd = this.yyyymmdd();
var hh = this.getHours() < 10 ? "0" + this.getHours() : this.getHours();
var min = this.getMinutes() < 10 ? "0" + this.getMinutes() : this.getMinutes();
return "".concat(yyyymmdd).concat(hh).concat(min);
};
Date.prototype.yyyymmddhhmmss = function() {
var yyyymmddhhmm = this.yyyymmddhhmm();
var ss = this.getSeconds() < 10 ? "0" + this.getSeconds() : this.getSeconds();
return "".concat(yyyymmddhhmm).concat(ss);
};
var d = new Date();
document.getElementById("a").innerHTML = d.yyyymmdd();
document.getElementById("b").innerHTML = d.yyyymmddhhmm();
document.getElementById("c").innerHTML = d.yyyymmddhhmmss();
<div>
yyyymmdd: <span id="a"></span>
</div>
<div>
yyyymmddhhmm: <span id="b"></span>
</div>
<div>
yyyymmddhhmmss: <span id="c"></span>
</div>
("00" + (this.getDate())).slice(-2)
per ottenere i numeri a due cifre. Non esiste alcuna istruzione "if" o "?:" E meno chiamate alla funzione .getX (). Se non un po 'più veloce, è almeno più leggibile.
Non mi piace modificare gli oggetti nativi e penso che la moltiplicazione sia più chiara della stringa che riempie la soluzione accettata.
function yyyymmdd(dateIn) {
var yyyy = dateIn.getFullYear();
var mm = dateIn.getMonth() + 1; // getMonth() is zero-based
var dd = dateIn.getDate();
return String(10000 * yyyy + 100 * mm + dd); // Leading zeros for mm and dd
}
var today = new Date();
console.log(yyyymmdd(today));
.replace('-', '')
per far sì che risponda alla domanda del PO), mentre tu eri fedele alla domanda originale del PO e non avrebbe richiesto quel passaggio in più. Eccellente!
Semplice soluzione JS (ES5) senza possibili problemi di salto della data causati dalla stampa di Date.toISOString () in UTC:
var now = new Date();
var todayUTC = new Date(Date.UTC(now.getFullYear(), now.getMonth(), now.getDate()));
return todayUTC.toISOString().slice(0, 10).replace(/-/g, '');
Questo in risposta al commento di @ weberste sulla risposta di @Pierre Guilbert.
toISOString
restituire più trattini successivi?
// UTC/GMT 0
document.write('UTC/GMT 0: ' + (new Date()).toISOString().slice(0, 19).replace(/[^0-9]/g, "")); // 20150812013509
// Client local time
document.write('<br/>Local time: ' + (new Date(Date.now()-(new Date()).getTimezoneOffset() * 60000)).toISOString().slice(0, 19).replace(/[^0-9]/g, "")); // 20150812113509
var someDate = new Date();
var dateFormated = someDate.toISOString().substr(0,10);
console.log(dateFormated);
new Date()
crea un nuovo oggetto data che è solo un wrapper attorno a nr. di ms dal 1970/01/01 00: 00: 00.000 UTC. Quindi toISOString
stampa nel fuso orario locale.
Un altro modo è utilizzare toLocaleDateString
con una locale che ha uno standard di formato data big-endian , come Svezia, Lituania, Ungheria, Corea del Sud, ...:
date.toLocaleDateString('se')
Rimuovere i delimitatori ( -
) è solo una questione di sostituzione delle non cifre:
console.log( new Date().toLocaleDateString('se').replace(/\D/g, '') );
Questo non ha il potenziale errore che puoi ottenere con i formati di data UTC: la data UTC potrebbe essere un giorno libero rispetto alla data nel fuso orario locale.
Puoi semplicemente usare questo codice a una riga per ottenere la data dell'anno
var date = new Date().getFullYear() + "-" + (parseInt(new Date().getMonth()) + 1) + "-" + new Date().getDate();
Versione un po 'semplificata per la risposta più popolare in questa discussione https://stackoverflow.com/a/3067896/5437379 :
function toYYYYMMDD(d) {
var yyyy = d.getFullYear().toString();
var mm = (d.getMonth() + 101).toString().slice(-2);
var dd = (d.getDate() + 100).toString().slice(-2);
return yyyy + mm + dd;
}
dateformat è un pacchetto molto usato.
Come usare:
Scarica e installa dateformat
da NPM. Richiedilo nel tuo modulo:
const dateFormat = require('dateformat');
e poi basta formattare le tue cose:
const myYYYYmmddDate = dateformat(new Date(), 'yyyy-mm-dd');
Questo ragazzo qui => http://blog.stevenlevithan.com/archives/date-time-format ha scritto una format()
funzione per JavascriptDate
oggetto , quindi può essere utilizzato con formati letterali familiari.
Se hai bisogno di una formattazione completa della data nel Javascript della tua app, usala. Altrimenti se quello che vuoi fare è una tantum, quindi concatenare getYear (), getMonth (), getDay () è probabilmente il più semplice.
Lavorando dalla risposta di @oo questo ti restituirà la stringa della data secondo una stringa di formato. Puoi facilmente aggiungere una regex di 2 cifre per l'anno e i millisecondi e simili se ne hai bisogno.
Date.prototype.getFromFormat = function(format) {
var yyyy = this.getFullYear().toString();
format = format.replace(/yyyy/g, yyyy)
var mm = (this.getMonth()+1).toString();
format = format.replace(/mm/g, (mm[1]?mm:"0"+mm[0]));
var dd = this.getDate().toString();
format = format.replace(/dd/g, (dd[1]?dd:"0"+dd[0]));
var hh = this.getHours().toString();
format = format.replace(/hh/g, (hh[1]?hh:"0"+hh[0]));
var ii = this.getMinutes().toString();
format = format.replace(/ii/g, (ii[1]?ii:"0"+ii[0]));
var ss = this.getSeconds().toString();
format = format.replace(/ss/g, (ss[1]?ss:"0"+ss[0]));
return format;
};
d = new Date();
var date = d.getFromFormat('yyyy-mm-dd hh:ii:ss');
alert(date);
Non so quanto sia efficiente, soprattutto se si usa molto regex. Probabilmente potrebbe usare un po 'di lavoro che non conosco puro js.
Sembra che mootools fornisca Date().format()
: https://mootools.net/more/docs/1.6.0/Types/Date
Non sono sicuro se valga la pena includerlo solo per questo compito specifico.
Di solito uso il codice qui sotto quando devo farlo.
var date = new Date($.now());
var dateString = (date.getFullYear() + '-'
+ ('0' + (date.getMonth() + 1)).slice(-2)
+ '-' + ('0' + (date.getDate())).slice(-2));
console.log(dateString); //Will print "2015-09-18" when this comment was written
Per spiegare, .slice (-2) ci dà gli ultimi due caratteri della stringa.
Quindi, qualunque cosa accada, possiamo aggiungere "0" al giorno o al mese e chiedere solo gli ultimi due poiché quelli sono sempre i due che vogliamo.
Quindi, se MyDate.getMonth () restituisce 9, sarà:
("0" + "9") // Giving us "09"
quindi aggiungendo .slice (-2) su che ci dà gli ultimi due caratteri che è:
("0" + "9").slice(-2)
"09"
Ma se date.getMonth () restituisce 10, sarà:
("0" + "10") // Giving us "010"
quindi aggiungendo .slice (-2) ci danno gli ultimi due caratteri, oppure:
("0" + "10").slice(-2)
"10"
Se si utilizza AngularJs (fino a 1.5) è possibile utilizzare il filtro data :
var formattedDate = $filter('date')(myDate, 'yyyyMMdd')
Rispondere a un altro per semplicità e leggibilità.
Inoltre, non è consigliabile modificare membri di classi predefinite esistenti con nuovi metodi:
function getDateInYYYYMMDD() {
let currentDate = new Date();
// year
let yyyy = '' + currentDate.getFullYear();
// month
let mm = ('0' + (currentDate.getMonth() + 1)); // prepend 0 // +1 is because Jan is 0
mm = mm.substr(mm.length - 2); // take last 2 chars
// day
let dd = ('0' + currentDate.getDate()); // prepend 0
dd = dd.substr(dd.length - 2); // take last 2 chars
return yyyy + "" + mm + "" + dd;
}
var currentDateYYYYMMDD = getDateInYYYYMMDD();
console.log('currentDateYYYYMMDD: ' + currentDateYYYYMMDD);
Che ne dici di Day.js ?
È solo 2KB e puoi anche dayjs().format('YYYY-MM-DD')
.
Se non ti dispiace includere una libreria aggiuntiva (ma piccola), Sugar.js offre molte funzionalità utili per lavorare con le date in JavaScript. Per formattare una data, utilizzare la funzione di formattazione :
new Date().format("{yyyy}{MM}{dd}")
yyyymmdd=x=>(f=x=>(x<10&&'0')+x,x.getFullYear()+f(x.getMonth()+1)+f(x.getDate()));
alert(yyyymmdd(new Date));
shortcode per il salvataggio!
const dateShortcode = require('date-shortcode')
dateShortcode.parse('{YYYYMMDD}', new Date())
//=> '20180304'
Ecco un approccio più generico che consente sia componenti di data che ora ed è identicamente ordinabile come numero o stringa.
In base all'ordine numerico del formato ISO data, converti in un fuso orario locale e rimuovi le cifre non cifre. vale a dire:
// monkey patch version
Date.prototype.IsoNum = function (n) {
var tzoffset = this.getTimezoneOffset() * 60000; //offset in milliseconds
var localISOTime = (new Date(this - tzoffset)).toISOString().slice(0,-1);
return localISOTime.replace(/[-T:\.Z]/g, '').substring(0,n || 20); // YYYYMMDD
}
uso
var d = new Date();
// Tue Jul 28 2015 15:02:53 GMT+0200 (W. Europe Daylight Time)
console.log(d.IsoNum(8)); // "20150728"
console.log(d.IsoNum(12)); // "201507281502"
console.log(d.IsoNum()); // "20150728150253272"
Javascript nativo:
new Date().toLocaleString('zu-ZA').slice(0,10).replace(/-/g,'');