$ .parseJSON(data,true)抛出

时间:2017-06-28 13:54:19

标签: javascript jquery json asp.net-ajax

我在ASP.NET MVC 5中工作。 我试图以JSON格式反序化来自服务器的日期。 JSON到了,当我尝试反序列化调试器刚刚停止的日期,并且不显示控制台中的其他错误,我无法理解。 到目前为止,这是我的代码:

$(document).ready(function () {

$.ajax({
    type: 'GET',
    url: '/Home/GetDates',
    dataType: "json",
    contentType: "application/json; charset=utf-8",
    success: function (dates) {        
       var date = dates[0];
        var desDate = $.parseJSON(date, true);
        console.log(desDate);
    }

});

});

以下是关于错误消息的som图片以及有数据进入。

enter image description here

enter image description here

以下是我一直在查看的文档的链接。 Docs

3 个答案:

答案 0 :(得分:2)

已经解析了从ajax调用返回的数据,因此dates是包含字符串的数组,而dates[0]是字符串/Date(14984....)/等。

要解析字符串,请删除除数字之外的所有内容,然后使用该时间戳创建Date对象。

$(document).ready(function () {
    $.ajax({
        type        : 'GET',
        url         : '/Home/GetDates',
        dataType    : "json",
        contentType : "application/json; charset=utf-8",
        success: function (dates) {        
            var d    = dates[0];
            var unix = +d.replace(/\D/g, '');
            var date = new Date(unix);

            var desDate = date.getFullYear() + '/' + 
                          (date.getMonth()+1) + '/' + 
                          date.getDate();

            console.log(desDate);
        }
    });
});

答案 1 :(得分:1)

您需要在字符串变量中执行JavaScript

var dateVar  = eval(dates[0]);

这将为您提供日期,但不是您想要的正确格式。对于正确格式的用户moment.js或只是创建自己的代码行,如

var finalDate = new Date(dateVar).toISOString().split('T')[0];
console.log(finalDate);

此处再次需要new Date(),以便我们可以使用toISOString()并获取正确的日期格式。

答案 2 :(得分:1)

因为你指的是这个jQuery parseJSON automatic date conversion for Asp.net and ISO date strings,你需要包含那里定义的jQuery扩展。

实际上,在jQuery parseJSON(jsonString)中,当您使用扩展时只接受一个参数。

此外,您的日期变量是一个字符串数组,而不是一个json字符串。

//
// Look at the end....
//

/*
 * jQuery.parseJSON() extension (supports ISO & Asp.net date conversion)
 *
 * Version 1.0 (13 Jan 2011)
 *
 * Copyright (c) 2011 Robert Koritnik
 * Licensed under the terms of the MIT license
 * http://www.opensource.org/licenses/mit-license.php
 */
(function ($) {

    // JSON RegExp
    var rvalidchars = /^[\],:{}\s]*$/;
    var rvalidescape = /\\(?:["\\\/bfnrt]|u[0-9a-fA-F]{4})/g;
    var rvalidtokens = /"[^"\\\n\r]*"|true|false|null|-?\d+(?:\.\d*)?(?:[eE][+\-]?\d+)?/g;
    var rvalidbraces = /(?:^|:|,)(?:\s*\[)+/g;
    var dateISO = /\d{4}-\d{2}-\d{2}T\d{2}:\d{2}:\d{2}(?:[.,]\d+)?Z/i;
    var dateNet = /\/Date\((\d+)(?:-\d+)?\)\//i;

    // replacer RegExp
    var replaceISO = /"(\d{4})-(\d{2})-(\d{2})T(\d{2}):(\d{2}):(\d{2})(?:[.,](\d+))?Z"/i;
    var replaceNet = /"\\\/Date\((\d+)(?:-\d+)?\)\\\/"/i;

    // determine JSON native support
    var nativeJSON = (window.JSON && window.JSON.parse) ? true : false;
    var extendedJSON = nativeJSON && window.JSON.parse('{"x":9}', function (k, v) {
                return "Y";
            }) === "Y";

    var jsonDateConverter = function (key, value) {
        if (typeof(value) === "string") {
            if (dateISO.test(value)) {
                return new Date(value);
            }
            if (dateNet.test(value)) {
                return new Date(parseInt(dateNet.exec(value)[1], 10));
            }
        }
        return value;
    };

    $.extend({
        parseJSON: function (data, convertDates) {
            /// <summary>Takes a well-formed JSON string and returns the resulting JavaScript object.</summary>
            /// <param name="data" type="String">The JSON string to parse.</param>
            /// <param name="convertDates" optional="true" type="Boolean">Set to true when you want ISO/Asp.net dates to be auto-converted to dates.</param>

            if (typeof data !== "string" || !data) {
                return null;
            }

            // Make sure leading/trailing whitespace is removed (IE can't handle it)
            data = $.trim(data);

            // Make sure the incoming data is actual JSON
            // Logic borrowed from http://json.org/json2.js
            if (rvalidchars.test(data
                            .replace(rvalidescape, "@")
                            .replace(rvalidtokens, "]")
                            .replace(rvalidbraces, ""))) {
                // Try to use the native JSON parser
                if (extendedJSON || (nativeJSON && convertDates !== true)) {
                    return window.JSON.parse(data, convertDates === true ? jsonDateConverter : undefined);
                }
                else {
                    data = convertDates === true ?
                            data.replace(replaceISO, "new Date(parseInt('$1',10),parseInt('$2',10)-1,parseInt('$3',10),parseInt('$4',10),parseInt('$5',10),parseInt('$6',10),(function(s){return parseInt(s,10)||0;})('$7'))")
                                    .replace(replaceNet, "new Date($1)") :
                            data;
                    return (new Function("return " + data))();
                }
            } else {
                $.error("Invalid JSON: " + data);
            }
        }
    });
})(jQuery);




var date = '{"date": "\\/Date(1498435200000)\\/"}';
var desDate = $.parseJSON(date, true);
console.log(desDate);
<script src="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>