Convert YYYYMMDD string date to a datetime value

C#.NetDatetime

C# Problem Overview


> Possible Duplicate:
> Convert string to DateTime in c#

A question

I got a string value that actually get from directoryInfo. What i wanted to accomplish is to convert the string value to a date value for making comparison.

The folder name is sample like this C:\FOLD\20111120 and properly another folder path is like this C:\FOLD\20111021

20111120 is actually a date format. I am trying to convert it into date format to made some comparison decide to deleting the whole directory or not.

I think i shall paste my code here

DirectoryInfo dir = new DirectoryInfo(_FolderPath);

foreach (DirectoryInfo f in dir.GetDirectories())
{
     String folderName = f.ToString();
     DateTime ConDt = Convert.ToDateTime(folderName);
     Console.WriteLine(ConDt);
     Console.WriteLine(ConDt.GetType());
   //Console.WriteLine(folderName.GetType());
   //Console.WriteLine(f.GetType());
}

I tried with Convert.toDatetime() and i get error that unable to made the converstion.How can i do so with this?

C# Solutions


Solution 1 - C#

You should have to use DateTime.TryParseExact.

var newDate = DateTime.ParseExact("20111120", 
                                  "yyyyMMdd", 
                                   CultureInfo.InvariantCulture);

OR

string str = "20111021";
string[] format = {"yyyyMMdd"};
DateTime date;

if (DateTime.TryParseExact(str, 
                           format, 
                           System.Globalization.CultureInfo.InvariantCulture,
                           System.Globalization.DateTimeStyles.None, 
                           out date))
{
     //valid
}

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionWorgonView Question on Stackoverflow
Solution 1 - C#KV PrajapatiView Answer on Stackoverflow