如何使用javascript以YYYYMMDDHHMMSS格式创建日期?

时间:2013-10-18 11:20:04

标签: javascript

如何使用JavaScript以YYYYMMDDHHMMSS格式创建日期?例如,我想将日期设为20131018064838。

3 个答案:

答案 0 :(得分:8)

var date = new Date();

alert( date.getFullYear() + ("0" + (date.getMonth() + 1)).slice(-2) + ("0" + this.getDate()).slice(-2) + ("0" + this.getHours() + 1 ).slice(-2) + ("0" + this.getMinutes()).slice(-2) + ("0" + this.getSeconds()).slice(-2) );

修改

function pad2(n) { return n < 10 ? '0' + n : n }

var date = new Date();

alert( date.getFullYear().toString() + pad2(date.getMonth() + 1) + pad2( date.getDate()) + pad2( date.getHours() ) + pad2( date.getMinutes() ) + pad2( date.getSeconds() ) );

答案 1 :(得分:6)

这是我的(ES5安全)方法,可以将YYYYMMDDHHMMSS()函数添加到任何Date对象。

在较旧的浏览器上,可以使用shim Object.defineProperty或直接将内部函数添加到Date.prototype

Object.defineProperty(Date.prototype, 'YYYYMMDDHHMMSS', {
    value: function() {
        function pad2(n) {  // always returns a string
            return (n < 10 ? '0' : '') + n;
        }

        return this.getFullYear() +
               pad2(this.getMonth() + 1) + 
               pad2(this.getDate()) +
               pad2(this.getHours()) +
               pad2(this.getMinutes()) +
               pad2(this.getSeconds());
    }
});

答案 2 :(得分:4)

请尝试使用原型方法如下。

     Date.prototype.YYYYMMDDHHMMSS = function () {
        var yyyy = this.getFullYear().toString();
        var MM = pad(this.getMonth() + 1,2);
        var dd = pad(this.getDate(), 2);
        var hh = pad(this.getHours(), 2);
        var mm = pad(this.getMinutes(), 2)
        var ss = pad(this.getSeconds(), 2)

        return yyyy + MM + dd+  hh + mm + ss;
    };

    function getDate() {
        d = new Date();
        alert(d.YYYYMMDDHHMMSS());
    }

    function pad(number, length) {

        var str = '' + number;
        while (str.length < length) {
            str = '0' + str;
        }

        return str;

    }