0

我有 c# 代码返回类似

“2013-11-05T16:55:34.7567325-05:00”作为 javascript 代码的日期。

我如何显示这样的“11/05/2013”​​?

4

3 回答 3

1

ECMAScript 仅支持一种日期字符串格式,即 ISO 8601 版本。但是,并非所有使用的浏览器都支持它,并且大多数浏览器不支持不同的时区。否则,日期字符串解析取决于实现(即因浏览器而异)。

对各种字符串格式有(非标准)支持,但它们并未得到普遍支持。

所以最好的办法是手动解析字符串。

// parse an ISO 8601 date string with time zone
// e.g. "2013-11-05T16:55:34.7567325-05:00"  -> Wed Nov 06 2013 07:55:34 GMT+1000
// Any missing date value is treated as "01", any missing time value is 0.
// A missing timezone is treated as "Z" (UTC).
// Civil timezone abbreviations (e.g. EST, CET) are not supported
function isoStringToDate(s) {

  // Split into parts
  var p = s.split(/\D/);

  // Calculate offset as minutes to add using sign
  // A missing timezone is treated as UTC
  var offsetSign = /-\d\d:\d\d$/.test(s)? 1 : -1;
  var offset = offsetSign * ((p[7] || 0) * 60 + +(p[8] || 0));

  // Get milliseconds - pad if required. Values beyond 3 places are
  // truncated by the Date constructor so will not be preserved in the
  // resulting date object (i.e. it's a limitation of Date instances)
  p[6] = (p[6]? p[6] : '0') + '00'; 
  var ms = p[6].substring(0,3) + '.' + p[6].substring(3);

  // Create local date as if values are UTC
  var d = new Date(Date.UTC(p[0], p[1]? --p[1] : 0, p[2] || 1, 
                            p[3] || 0, p[4] || 0, p[5] || 0, ms)); 

  // Adjust for timezone in string
  d.setMinutes(d.getMinutes() + offset);
  return d;
}

// Given a Date object, return a string in the US format mm/dd/yyyy
function formatAsUSDateString(d) {
  function z(n){return (n<10?'0':'') + n;}
  return z(d.getMonth() + 1) + '/' + z(d.getDate()) + '/' + d.getFullYear();
}

var d = isoStringToDate('2013-11-05T16:55:34.7567325-05:00');

console.log(formatAsUSDateString(d)); // 11/06/2013 for me but I'm UTC+10

时区允许“Z”或“+/-HH:mm”(除 +/-HH:mm 之外的任何内容都被视为 Z)。支持ES5 指定的所有 ISO 8601 字符串格式,其中缺失的日期部分被视为“1”,缺失的时间部分被视为“0”,例如“2013-11”->“2013-11-01T00:00:00Z”。

于 2013-11-05T23:09:51.973 回答
0

此日期字符串可以转换为 javascript datetime 对象,请参阅代码以获取您想要的内容:

选项 A:通过 javascript

var yourDateString = '2013-11-05T16:55:34.7567325-05:00'; //date that you receive from c#
var yourDate = new Date(yourDateString);
var yourFormatedDate = yourDate.getDay() + "/" + yourDate.getMonth() + "/" + yourDate.getFullYear();

alert(yourFormatedDate);

选项 B:通过 C#

后面的代码:

String formateDate = String.Format("{0:MM/dd/yyyy}", yourDateVar);

直接到 ASP.NET 中的 javascript:

var javascriptVar = '<%=String.Format("{0:MM/dd/yyyy}", yourDateVar); %>';
于 2013-11-05T22:02:29.920 回答
0

最简单的方法是使用moment.js

moment("2013-11-05T16:55:34.7567325-05:00").format("MM/DD/YYYY")

这将假设您需要查看者本地时区中该时间的确切时间的日期。由于时区变化,这可能会落在该用户的不同日期。

如果你想保留你带来的确切值,那么请改用这个:

moment.parseZone("2013-11-05T16:55:34.7567325-05:00").format("MM/DD/YYYY")
于 2013-11-05T23:07:33.273 回答