设置中的自定义类型

时间:2011-06-24 14:46:44

标签: c# .net

如何在“设置”中拥有自己的类型。

我成功将它们放在设置表中,但问题是我无法设置默认值。 问题是我无法在app.config中看到设置。

1 个答案:

答案 0 :(得分:7)

如果我正确地解释了你的问题,你有一个自定义类型,我们称之为CustomSetting,并在那个类型的Settings.settings文件中设置一个设置,并指定一个默认值使用app.config或Visual Studio的设置UI进行设置。

如果这是您想要做的,您需要为您的类型提供TypeConverter,可以从字符串转换,如下所示:

[TypeConverter(typeof(CustomSettingConverter))]
public class CustomSetting
{
    public string Foo { get; set; }
    public string Bar { get; set; }

    public override string ToString()
    {
        return string.Format("{0};{1}", Foo, Bar);
    }
}

public class CustomSettingConverter : TypeConverter
{
    public override bool CanConvertFrom(ITypeDescriptorContext context, Type sourceType)
    {
        if( sourceType == typeof(string) )
            return true;
        else
            return base.CanConvertFrom(context, sourceType);
    }

    public override object ConvertFrom(ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value)
    {
        string stringValue = value as string;
        if( stringValue != null )
        {
            // Obviously, using more robust parsing in production code is recommended.
            string[] parts = stringValue.Split(';');
            if( parts.Length == 2 )
                return new CustomSetting() { Foo = parts[0], Bar = parts[1] };
            else
                throw new FormatException("Invalid format");
        }
        else
            return base.ConvertFrom(context, culture, value);
    }
}

一些背景信息

TypeConverter是.Net框架中很多字符串转换魔法的背后。它不仅对设置有用,它还是Windows窗体和组件设计者如何将值从属性网格转换为其目标类型,以及XAML如何转换属性值。许多框架的类型都有自定义的TypeConverter类,包括所有基本类型,还包括System.Drawing.SizeSystem.Windows.Thickness以及许多其他类型的类型。

使用您自己代码中的TypeConverter非常简单,您需要做的就是:

TypeConverter converter = TypeDescriptor.GetConverter(typeof(TargetType));
if( converter != null && converter.CanConvertFrom(typeof(SourceType)) )
    targetValue = (TargetType)converter.ConvertFrom(sourceValue);

支持哪些源类型各不相同,但string是最常见的类型。与普遍存在但灵活性较低的Convert类(仅支持基本类型)相比,它是一种更强大的(并且遗憾的是鲜为人知)从字符串转换值的方法。