Несколько Дата в FileHelpers, как? - PullRequest
5 голосов
/ 03 февраля 2012

Мне интересно, как мне сделать несколько дат в filehelpers ?Похоже, что вы должны указать каждый формат, который вы собираетесь поддерживать (что-то вроде отстой ... если бы он мог обрабатывать больше основных).

   [FieldOrder(1), FieldConverter(ConverterKind.DateMultiFormat, "MM/dd/yyyy", "MM/d/yyyy", "M/d/yyyy","M/dd/yyyy")]

Это дает мне, хотя

Error   35  Argument 1: cannot convert from 'FileHelpers.ConverterKind' to 'System.Type'    

Так что, кажется, мне нужно сделать какой-то кастом конвертировать или что-то еще?Это правильно?

Редактировать

Я использую версию 2.9.9.0

Опции

// Summary:
//     Indicates the FileHelpers.ConverterKind used for read/write operations.
//
// Remarks:
//     See the Complete attributes list for more information and examples of each
//     one.
[AttributeUsage(AttributeTargets.Field)]
public sealed class FieldConverterAttribute : Attribute
{
    // Summary:
    //     Indicates the FileHelpers.ConverterKind used for read/write operations.
    //
    // Parameters:
    //   converter:
    //     The FileHelpers.ConverterKind used for the transformations.
    public FieldConverterAttribute(ConverterKind converter);
    //
    // Summary:
    //     Indicates a custom FileHelpers.ConverterBase implementation.
    //
    // Parameters:
    //   customConverter:
    //     The Type of your custom converter.
    public FieldConverterAttribute(Type customConverter);
    //
    // Summary:
    //     Indicates the FileHelpers.ConverterKind used for read/write operations.
    //
    // Parameters:
    //   converter:
    //     The FileHelpers.ConverterKind used for the transformations.
    //
    //   arg1:
    //     The first param passed directly to the Converter Constructor.
    public FieldConverterAttribute(ConverterKind converter, string arg1);
    //
    // Summary:
    //     Indicates a custom FileHelpers.ConverterBase implementation.
    //
    // Parameters:
    //   customConverter:
    //     The Type of your custom converter.
    //
    //   args:
    //     A list of params passed directly to your converter constructor.
    public FieldConverterAttribute(Type customConverter, params object[] args);
    //
    // Summary:
    //     Indicates a custom FileHelpers.ConverterBase implementation.
    //
    // Parameters:
    //   customConverter:
    //     The Type of your custom converter.
    //
    //   arg1:
    //     The first param passed directly to the Converter Constructor.
    public FieldConverterAttribute(Type customConverter, string arg1);
    //
    // Summary:
    //     Indicates the FileHelpers.ConverterKind used for read/write operations.
    //
    // Parameters:
    //   converter:
    //     The FileHelpers.ConverterKind used for the transformations.
    //
    //   arg1:
    //     The first param passed directly to the Converter Constructor.
    //
    //   arg2:
    //     The second param passed directly to the Converter Constructor.
    public FieldConverterAttribute(ConverterKind converter, string arg1, string arg2);
    //
    // Summary:
    //     Indicates a custom FileHelpers.ConverterBase implementation.
    //
    // Parameters:
    //   customConverter:
    //     The Type of your custom converter.
    //
    //   arg1:
    //     The first param passed directly to the Converter Constructor.
    //
    //   arg2:
    //     The second param passed directly to the Converter Constructor.
    public FieldConverterAttribute(Type customConverter, string arg1, string arg2);
    //
    // Summary:
    //     Indicates the FileHelpers.ConverterKind used for read/write operations.
    //
    // Parameters:
    //   converter:
    //     The FileHelpers.ConverterKind used for the transformations.
    //
    //   arg1:
    //     The first param passed directly to the Converter Constructor.
    //
    //   arg2:
    //     The second param passed directly to the Converter Constructor.
    //
    //   arg3:
    //     The third param passed directly to the Converter Constructor.
    public FieldConverterAttribute(ConverterKind converter, string arg1, string arg2, string arg3);
    //
    // Summary:
    //     Indicates a custom FileHelpers.ConverterBase implementation.
    //
    // Parameters:
    //   customConverter:
    //     The Type of your custom converter.
    //
    //   arg1:
    //     The first param passed directly to the Converter Constructor.
    //
    //   arg2:
    //     The second param passed directly to the Converter Constructor.
    //
    //   arg3:
    //     The third param passed directly to the Converter Constructor.
    public FieldConverterAttribute(Type customConverter, string arg1, string arg2, string arg3);
}

Ответы [ 2 ]

10 голосов
/ 03 февраля 2012

Перегрузка с параметрами FieldConverterAttribute(ConverterKind, params string[]) отсутствует.

Существует один с FieldConverterAttribute(ConverterKind, string, string, string), поэтому вы можете указать до 3 форматов.

Если вам нужно больше, то вы можете создать свой собственный конвертер:

public class CustomDateTimeConverter : ConverterBase
{
    public CustomDateTimeConverter(string format1, string format2, string format3, string format4)
    {
        _FormatStrings = new string[] { format1, format2, format3, format4} ;
    }

    private string[] _FormatStrings;

    public override object StringToField(string from)
    {
        foreach (string formatString in _FormatStrings)
        {
            DateTime dt;
            if (DateTime.TryParseExact(from, formatString, CultureInfo.InvariantCulture, DateTimeStyles.None, out dt))
                return dt;
        }
        throw new ConvertException(from, typeof(DateTime));
    }
}

И тогда ваше поле будет выглядеть как

[FieldConverter(typeof(CustomDateTimeConverter), "MM/dd/yyyy", "MM/d/yyyy", "M/d/yyyy", "M/dd/yyyy")]
public DateTime Field1;
1 голос
/ 03 февраля 2012

Что касается вашего первого комментария, я не знаю о Filehelpers, но каждая библиотека, с которой я работал, требует, чтобы вы указали формат (ы), которые вы хотите распознать / проанализировать. Средства DateTime .Net ничем не отличаются. Тем не менее, .Net предоставляет полезную функцию, которая может возвращать все встроенные форматы, которые затем можно повторить с TryParse() ( документация ).

Например, следующий код использует встроенный DateTimeFormatInfo.GetAllDateTimeFormats() (документация здесь ) для циклического перебора 128 пользовательских форматов даты и времени. (Этот код демонстрирует «круговую передачу»: преобразование даты в строки и последующий анализ строк):

using System;
using System.Globalization;
public class Example
{
      public static void Main()
   {
      DateTimeFormatInfo myDTFI = new CultureInfo("en-US", false).DateTimeFormat;

      char[] formats = { 'd', 'D', 'f', 'F', 'g', 'G', 'm', 'o', 
                           'r', 's', 't', 'T', 'u', 'U', 'y' };
      DateTime date1 = new DateTime(2011, 02, 01, 7, 30, 45, 0);
      DateTime date2;

      foreach (var fmt in formats) 
      {
         foreach (var pattern in myDTFI.GetAllDateTimePatterns(fmt))
         {
            // "round-trip" = convert the date to string, then parse it
            if (DateTime.TryParse(date1.ToString(pattern), out date2))
            {
                Console.WriteLine("{0:" + pattern + "} (format '{1}')",
                                  date1, pattern);
            }
         }
      }
   }
}
...