似乎TypeConverter.IsValid()
使用当前的线程文化,但TypeConverter.ConvertFrom()
没有。
这使得TypeConverter.IsValid()
与DateTime
类型一起使用非常无用,除非您处于不变的文化中。确实,这似乎是一个错误。
有谁知道如何TypeConverter.IsValid()
利用当前的文化?
下面的代码演示了这个问题。
它使用两个字符串,一个是 DD/MM/YYYY 格式,一个是 MM/DD/YYYY 格式。
测试的第一部分是在不变文化中完成的。它演示了 TypeConverter.IsValid()
为 MM/DD/YYYY 字符串返回 true 并且您可以使用TypeConverter.ConvertFrom()
该字符串将该字符串转换为DateTime
.
第一部分还演示了TypeConverter.IsValid()
为 DD/MM/YYYY 字符串返回 false。
对于第二部分,我更改了使用“DD/MM/YYYY”日期的当前文化“en-GB”。
我现在希望IsValid()
结果是相反的,但它返回的两个字符串与以前相同。所以它说 MM/DD/YYYY 字符串是有效的。
但是 - 这是重要的一点 - 如果您尝试使用TypeConverter.ConvertFrom()
实际转换TypeConverter.IsValid()
说没问题的字符串,您将得到一个异常。
有没有办法解决这个问题?
using System;
using System.ComponentModel;
using System.Globalization;
using System.Threading;
namespace Demo
{
class Program
{
void Run()
{
// Start off with the US culture, which has MM/DD/YYYY date format.
Thread.CurrentThread.CurrentCulture = CultureInfo.InvariantCulture;
var dateConverter = TypeDescriptor.GetConverter(typeof(DateTime));
var goodDateString = "07/19/1961";
var badDateString = "19/07/1961";
test(dateConverter, goodDateString, "DateTime"); // Says it's good.
test(dateConverter, badDateString, "DateTime"); // Says it's bad.
var dateTimeValue = (DateTime) dateConverter.ConvertFrom(goodDateString);
Console.WriteLine("dateTimeValue = " + dateTimeValue);
Console.WriteLine();
// Now lets change the current culture to the UK, which has DD/MM/YYYY date format.
Thread.CurrentThread.CurrentCulture = CultureInfo.CreateSpecificCulture("en-GB");
dateConverter = TypeDescriptor.GetConverter(typeof(DateTime));
test(dateConverter, goodDateString, "DateTime"); // Still says it's good.
test(dateConverter, badDateString, "DateTime"); // Still says it's bad.
// TypeConverter.IsValid(badDateString) returns false, so we shouldn't be able to convert it.
// Well, we can, like so:
dateTimeValue = (DateTime)dateConverter.ConvertFrom(badDateString); // Shouldn't work according to "IsValid()"
Console.WriteLine("dateTimeValue (bad) = " + dateTimeValue); // But this is printed ok.
// TypeConverter.IsValid(goodDateString) returns true, so we can convert it right?
// Well, no. This now throws an exception, even though "IsValid()" returned true for the same string.
dateTimeValue = (DateTime)dateConverter.ConvertFrom(goodDateString); // This throws an exception.
}
void test(TypeConverter converter, string text, string type)
{
if (converter.IsValid(text))
Console.WriteLine("\"" + text + "\" IS a valid " + type);
else
Console.WriteLine("\"" + text + "\" is NOT a valid " + type);
}
static void Main()
{
new Program().Run();
}
}
}