Pregunta

Tengo esta cadena:

\tid <01CA4692.A44F1F3E@blah.blah.co.uk>; <b>Tue, 6 Oct 2009 15:38:16</b> +0100

y quiero extraer la fecha (envalentonado) a un formato más fácil de usar, por ejemplo, 06-10-2009 15:38:16

¿Cuál sería la mejor manera de hacer esto?

¿Fue útil?

Solución

Regex podría ser excesiva. Sólo Split, en ';', Trim(), y llamar a Date.Parse(...), Incluso va a manejar el desplazamiento para que la zona horaria.

using System;

namespace ConsoleImpersonate
{
    class Program
    {
        static void Main(string[] args)
        {

            string str = "\tid 01CA4692.A44F1F3E@blah.blah.co.uk; Tue, 6 Oct 2009 15:38:16 +0100";
            var trimmed = str.Split(';')[1].Trim();
            var x = DateTime.Parse(trimmed);

        }
    }
}

Otros consejos

Puede probar este código (con posibles ajustes)

Regex regex = new Regex(
      ";(?<date>.+?)",
    RegexOptions.IgnoreCase
    | RegexOptions.CultureInvariant
    | RegexOptions.IgnorePatternWhitespace
    | RegexOptions.Compiled
    );

var dt=DateTime.Parse(regex.Match(inputString).Groups["date"].Value)

Esto es un enfoque de expresiones regulares para que coincida con el formato. El resultado fecha tiene el formato especificado.

string input = @"\tid 01CA4692.A44F1F3E@blah.blah.co.uk; Tue, 6 Oct 2009 15:38:16 +0100";
// to capture offset too, add "\s+\+\d+" at the end of the pattern below
string pattern = @"[A-Z]+,\s+\d+\s+[A-Z]+\s+\d{4}\s+(?:\d+:){2}\d{2}";
Match match = Regex.Match(input, pattern, RegexOptions.IgnoreCase);

if (match.Success)
{
    string result = match.Value.Dump();
    DateTime parsedDateTime;
    if (DateTime.TryParse(result, out parsedDateTime))
    {
        // successful parse, date is now in parsedDateTime
        Console.WriteLine(parsedDateTime.ToString("dd-MM-yyyy hh:mm:ss"));
    }
    else
    {
        // parse failed, throw exception
    }
}
else
{
    // match not found, do something, throw exception
}
Licenciado bajo: CC-BY-SA con atribución
No afiliado a StackOverflow
scroll top