I have a function in Javascript that receives a C# DateTime from MVC. If the date is null it should return "-", if it's a valid date it should return the formated date.
IMPORTANT: It's not possible to send the date in another format from C#.
Javascript:
function CheckDate(date) {
if (date == "Mon Jan 01 0001 00:00:00 GMT+0000 (GMT Daylight Time)")
return "-";
else {
var dat = new Date(date);
return dat.getFullYear() + dat.getMonth() + dat.getDay();
}
Is there a better way to compare if the date is the C# New DateTime?
And how do I parse and return the date in "yyyy/MM/dd" format?
Given the output you're stuck with, I can't think of any better way to catch a DateTime
of 0 on the javascript side.
Date.parse
should work for your parsing needs, but it returns number of milliseconds, so you need to wrap a Date constructor around it:
var date = new Date(Date.parse(myCSharpString));
For the return date, you simply want
date.getFullYear() + "/" + (date.getMonth() + 1) + "/" + (date.getDate() + 1);
(date.getMonth
and date.getDate
are 0-indexed instead of 1-indexed.)
Fiddle: http://jsfiddle.net/GyC3t/
EDIT
Thanks to JoeB's catch, let me do a correction. The date.getMonth()
function is 0-indexed, but the date.getDate()
function is 1-indexed. The fiddle was "working" with the +1 because date.getMonth works in local time, which is before UTC. I didn't properly check the docs, and just added 1, and it worked with the fiddle.
A more proper way to do this is:
For the return date, you simply want
date.getFullYear() + "/" + (date.getMonth() + 1) + "/" + (date.getUTCDate());
(date.getMonth
is 0-indexed while date.getDate
is 1-indexed but susceptible to time-zone differences.)
Fiddle: http://jsfiddle.net/GyC3t/25/