web-dev-qa-db-fra.com

Comment afficher la date en javascript dans ISO 8601 sans millisecondes et avec Z

Voici une méthode standard pour sérialiser la date sous forme de chaîne ISO 8601 en JavaScript:

var now = new Date();
console.log( now.toISOString() );
// outputs '2015-12-02T21:45:22.279Z'

J'ai besoin de la même sortie, mais sans millisecondes. Comment puis-je sortir 2015-12-02T21:45:22Z?

41
bessarabov

Manière simple:

console.log( now.toISOString().split('.')[0]+"Z" );
82
Blue Eyed Behemoth

Voici la solution:

var now = new Date(); 
var str = now.toISOString();
var res = str.replace(/\.[0-9]{3}/, '');
alert(res);

Trouve le. (point) et supprime 3 caractères.

http://jsfiddle.net/boglab/wzudeyxL/7/

9
STORM

Utilisez slice pour supprimer la partie non désirée

var now = new Date();
alert( now.toISOString().slice(0,-5)+"Z");
7
sdespont

Vous pouvez utiliser une combinaison de split() et shift() pour supprimer les millisecondes d'un ISO 8601 chaîne:

let date = new Date().toISOString().split('.').shift() + 'Z';

console.log(date);
5
Grant Miller

ou probablement l'écraser avec cela? (ceci est un polyfill modifié de here )

function pad(number) {
  if (number < 10) {
    return '0' + number;
  }
  return number;
}

Date.prototype.toISOString = function() {
  return this.getUTCFullYear() +
    '-' + pad(this.getUTCMonth() + 1) +
    '-' + pad(this.getUTCDate()) +
    'T' + pad(this.getUTCHours()) +
    ':' + pad(this.getUTCMinutes()) +
    ':' + pad(this.getUTCSeconds()) +
    'Z';
};
4
Aram