frenchie
frenchie

Reputation: 52017

Best way to get a date with .NET?

I'm getting a string back from my page and I want to make sure it's a date. This is what I have so far (it works) and I just want to know if this is the "best" way to do it. I'm using .NET 4.

int TheMonth =0;
int TheDay = 0;
int TheYear = 0;
DateTime NewDate;

var TheIncomingParam = Request.Params.Get("__EVENTARGUMENT").ToString();

char[] TheBreak = { '/' };
string[] TheOutput = TheIncomingParam.Split(TheBreak);

try { TheMonth = Convert.ToInt32(TheOutput[0]); }
catch { }

try { TheDay = Convert.ToInt32(TheOutput[1]); }
catch { }

try { TheYear = Convert.ToInt32(TheOutput[2]); }
catch { }

if (TheMonth!=0 && TheDay!=0 && TheYear!=0)
{
        try { NewDate = new DateTime(TheYear, TheMonth, TheDay); }
        catch { var NoDate = true; }
}

Upvotes: 11

Views: 2292

Answers (4)

Gustavo Mori
Gustavo Mori

Reputation: 8386

I would just TryParse the input string:

    private bool ParseDateString()
    {
        var theIncomingParam = Request.Params.Get("__EVENTARGUMENT").ToString(); 

        DateTime myDate;

        if (DateTime.TryParse(theIncomingParam, CultureInfo.InvariantCulture, DateTimeStyles.None, out myDate))
        {
            int TheMonth = myDate.Month;
            int TheDay = myDate.Day;
            int TheYear = myDate.Year;

            // TODO: further processing of the values just read

            return true;
        }
        else
        {
            return false;
        }
    }

Upvotes: 0

Oded
Oded

Reputation: 499232

Use one of the Parse methods defined on the DateTime structure.

These will throw an exception if the string is not parseable, so you may want to use one of the TryParse methods instead (not as pretty - they require an out parameter, but are safer):

DateTime myDate;
if(DateTime.TryParse(dateString, 
                  CultureInfo.InvariantCulture, 
                  DateTimeStyles.None, 
                  out myDate))
{
   // Use myDate here, since it parsed successfully
}

If you know the exact format of the passed in date, you can try using the ParseExact or TryParseExact that take date and time format strings (standard or custom) when trying to parse the date string.

Upvotes: 13

Matthew
Matthew

Reputation: 10444

.NET gives us a datetime.parse

http://msdn.microsoft.com/en-us/library/1k1skd40.aspx

and a datetime.tryparse

http://msdn.microsoft.com/en-us/library/ch92fbc1.aspx

which both are a good way to parse dates from strings

Upvotes: 1

jgauffin
jgauffin

Reputation: 101166

How about DateTime.TryParse and DateTime.TryParseExact?

The first one uses the current cultures date format.

Upvotes: 2

Related Questions