Usando NodeJS, voglio formattare un Date
nel seguente formato di stringa:
var ts_hms = new Date(UTC);
ts_hms.format("%Y-%m-%d %H:%M:%S");
Come lo faccio?
Usando NodeJS, voglio formattare un Date
nel seguente formato di stringa:
var ts_hms = new Date(UTC);
ts_hms.format("%Y-%m-%d %H:%M:%S");
Come lo faccio?
Risposte:
Se stai usando Node.js, sei sicuro di avere EcmaScript 5, quindi Date ha un toISOString
metodo. Stai chiedendo una leggera modifica di ISO8601:
new Date().toISOString()
> '2012-11-04T14:51:06.157Z'
Quindi basta tagliare alcune cose e sei pronto:
new Date().toISOString().
replace(/T/, ' '). // replace T with a space
replace(/\..+/, '') // delete the dot and everything after
> '2012-11-04 14:55:45'
Oppure, in una riga: new Date().toISOString().replace(/T/, ' ').replace(/\..+/, '')
ISO8601 è necessariamente UTC (indicato anche dalla Z finale sul primo risultato), quindi ottieni UTC per impostazione predefinita (sempre una buona cosa).
Object has no method 'toISOString'
hai personew
new Date().toISOString().replace('T', ' ').substr(0, 19)
funziona bene.
AGGIORNAMENTO 2017-03-29: Aggiunti date-fns, alcune note su Moment e Datejs
AGGIORNAMENTO 2016-09-14: Aggiunto SugarJS che sembra avere alcune eccellenti funzioni data / ora.
OK, poiché nessuno ha effettivamente fornito una risposta effettiva, ecco la mia.
Una libreria è sicuramente la migliore scommessa per gestire le date e gli orari in modo standard. Esistono molti casi limite nei calcoli di data / ora, quindi è utile poter trasferire lo sviluppo a una libreria.
Ecco un elenco delle principali librerie di formattazione ora compatibili con Node:
Esistono anche librerie non Node:
C'è una libreria per la conversione:
npm install dateformat
Quindi scrivi il tuo requisito:
var dateFormat = require('dateformat');
Quindi associare il valore:
var day=dateFormat(new Date(), "yyyy-mm-dd h:MM:ss");
vedi dataformat
result.request_date
?
Non ho nulla contro le biblioteche in generale. In questo caso una libreria per scopi generici sembra eccessiva, a meno che altre parti del processo di candidatura non siano molto datate.
Scrivere piccole funzioni di utilità come questa è anche un esercizio utile sia per i programmatori principianti che per quelli esperti e può essere un'esperienza di apprendimento per i principianti tra noi.
function dateFormat (date, fstr, utc) {
utc = utc ? 'getUTC' : 'get';
return fstr.replace (/%[YmdHMS]/g, function (m) {
switch (m) {
case '%Y': return date[utc + 'FullYear'] (); // no leading zeros required
case '%m': m = 1 + date[utc + 'Month'] (); break;
case '%d': m = date[utc + 'Date'] (); break;
case '%H': m = date[utc + 'Hours'] (); break;
case '%M': m = date[utc + 'Minutes'] (); break;
case '%S': m = date[utc + 'Seconds'] (); break;
default: return m.slice (1); // unknown code, remove %
}
// add leading zero if required
return ('0' + m).slice (-2);
});
}
/* dateFormat (new Date (), "%Y-%m-%d %H:%M:%S", true) returns
"2012-05-18 05:37:21" */
Modo facilmente leggibile e personalizzabile per ottenere un timestamp nel formato desiderato, senza l'uso di alcuna libreria:
function timestamp(){
function pad(n) {return n<10 ? "0"+n : n}
d=new Date()
dash="-"
colon=":"
return d.getFullYear()+dash+
pad(d.getMonth()+1)+dash+
pad(d.getDate())+" "+
pad(d.getHours())+colon+
pad(d.getMinutes())+colon+
pad(d.getSeconds())
}
(Se hai bisogno di tempo in formato UTC, modifica semplicemente le chiamate di funzione. Ad esempio "getMonth" diventa "getUTCMonth")
La libreria javascript sugar.js ( http://sugarjs.com/ ) ha funzioni per formattare le date
Esempio:
Date.create().format('{dd}/{MM}/{yyyy} {hh}:{mm}:{ss}.{fff}')
Utilizzare il metodo fornito nell'oggetto Date come segue:
var ts_hms = new Date();
console.log(
ts_hms.getFullYear() + '-' +
("0" + (ts_hms.getMonth() + 1)).slice(-2) + '-' +
("0" + (ts_hms.getDate())).slice(-2) + ' ' +
("0" + ts_hms.getHours()).slice(-2) + ':' +
("0" + ts_hms.getMinutes()).slice(-2) + ':' +
("0" + ts_hms.getSeconds()).slice(-2));
Sembra davvero sporco, ma dovrebbe funzionare bene con i metodi di base JavaScript
Sto usando dateformat su Nodejs e angularjs, così bene
installare
$ npm install dateformat
$ dateformat --help
dimostrazione
var dateFormat = require('dateformat');
var now = new Date();
// Basic usage
dateFormat(now, "dddd, mmmm dS, yyyy, h:MM:ss TT");
// Saturday, June 9th, 2007, 5:46:21 PM
// You can use one of several named masks
dateFormat(now, "isoDateTime");
// 2007-06-09T17:46:21
// ...Or add your own
dateFormat.masks.hammerTime = 'HH:MM! "Can\'t touch this!"';
dateFormat(now, "hammerTime");
// 17:46! Can't touch this!
// You can also provide the date as a string
dateFormat("Jun 9 2007", "fullDate");
// Saturday, June 9, 2007
...
new Date(2015,1,3,15,30).toLocaleString()
//=> 2015-02-03 15:30:00
3.2.2015, 15:30:00
Alternativa # 6233 ....
Aggiungi l'offset UTC all'ora locale, quindi convertilo nel formato desiderato con il toLocaleDateString()
metodo Date
dell'oggetto:
// Using the current date/time
let now_local = new Date();
let now_utc = new Date();
// Adding the UTC offset to create the UTC date/time
now_utc.setMinutes(now_utc.getMinutes() + now_utc.getTimezoneOffset())
// Specify the format you want
let date_format = {};
date_format.year = 'numeric';
date_format.month = 'numeric';
date_format.day = '2-digit';
date_format.hour = 'numeric';
date_format.minute = 'numeric';
date_format.second = 'numeric';
// Printing the date/time in UTC then local format
console.log('Date in UTC: ', now_utc.toLocaleDateString('us-EN', date_format));
console.log('Date in LOC: ', now_local.toLocaleDateString('us-EN', date_format));
Sto creando un oggetto data predefinito all'ora locale. Sto aggiungendo l'offset UTC ad esso. Sto creando un oggetto di formattazione della data. Sto visualizzando la data / ora UTC nel formato desiderato:
Utilizzare il x-date
modulo che è uno dei sottomoduli della libreria di classe x ;
require('x-date') ;
//---
new Date().format('yyyy-mm-dd HH:MM:ss')
//'2016-07-17 18:12:37'
new Date().format('ddd , yyyy-mm-dd HH:MM:ss')
// 'Sun , 2016-07-17 18:12:51'
new Date().format('dddd , yyyy-mm-dd HH:MM:ss')
//'Sunday , 2016-07-17 18:12:58'
new Date().format('dddd ddSS of mmm , yy')
// 'Sunday 17thth +0300f Jul , 16'
new Date().format('dddd ddS mmm , yy')
//'Sunday 17th Jul , 16'
new Date().toString("yyyyMMddHHmmss").
replace(/T/, ' ').
replace(/\..+/, '')
con .toString (), diventa in formato
sostituire (/ T /, ''). // sostituisci T in '' 2017-01-15T ...
sostituisci (/..+/, '') // per ... 13: 50: 16.1271
esempio, vedi var date
e hour
:
var date="2017-01-15T13:50:16.1271".toString("yyyyMMddHHmmss").
replace(/T/, ' ').
replace(/\..+/, '');
var auxCopia=date.split(" ");
date=auxCopia[0];
var hour=auxCopia[1];
console.log(date);
console.log(hour);
.toString("yyyyMMddHHmmss")
?
Per la formattazione della data il modo più semplice è usare moment lib. https://momentjs.com/
const moment = require('moment')
const current = moment().utc().format('Y-M-D H:M:S')
toISOString()
etoUTCString()
Avevo bisogno di una semplice libreria di formattazione senza campane e fischietti di supporto per lingua e lingua. Quindi ho modificato
http://www.mattkruse.com/javascript/date/date.js
e l'ho usato. Vedi https://github.com/adgang/atom-time/blob/master/lib/dateformat.js
La documentazione è abbastanza chiara.
appHelper.validateDates = function (start, end) {
var returnval = false;
var fd = new Date(start);
var fdms = fd.getTime();
var ed = new Date(end);
var edms = ed.getTime();
var cd = new Date();
var cdms = cd.getTime();
if (fdms >= edms) {
returnval = false;
console.log("step 1");
}
else if (cdms >= edms) {
returnval = false;
console.log("step 2");
}
else {
returnval = true;
console.log("step 3");
}
console.log("vall", returnval)
return returnval;
}
Controlla il codice qui sotto e il collegamento a MDN
// var ts_hms = new Date(UTC);
// ts_hms.format("%Y-%m-%d %H:%M:%S")
// exact format
console.log(new Date().toISOString().replace('T', ' ').substring(0, 19))
// other formats
console.log(new Date().toUTCString())
console.log(new Date().toLocaleString('en-US'))
console.log(new Date().toString())
Penso che questo in realtà risponda alla tua domanda.
È così fastidioso lavorare con data / ora in JavaScript. Dopo alcuni capelli grigi ho capito che in realtà era piuttosto semplice.
var date = new Date();
var year = date.getUTCFullYear();
var month = date.getUTCMonth();
var day = date.getUTCDate();
var hours = date.getUTCHours();
var min = date.getUTCMinutes();
var sec = date.getUTCSeconds();
var ampm = hours >= 12 ? 'pm' : 'am';
hours = ((hours + 11) % 12 + 1);//for 12 hour format
var str = month + "/" + day + "/" + year + " " + hours + ":" + min + ":" + sec + " " + ampm;
var now_utc = Date.UTC(str);