1

我正在尝试创建一个属性,该属性将在每次用户选择一个项目时在其值输入中显示不同的文本。但我对这些值的问题是它们是带有下划线和小写首字母的字符串,例如:"naval_tech_school"。所以我需要ComboBox显示一个不同的值文本,看起来像这个“海军技术学校”

但如果尝试访问它,该值应保持为“naval_tech_school” 。

4

1 回答 1

0

如果您只想在两种格式之间来回更改值(无需特殊编辑器),则只需要自定义 TypeConverter。像这样声明属性:

public class MyClass
{
    ...

    [TypeConverter(typeof(MyStringConverter))]
    public string MyProp { get; set; }

    ...
}

这是一个示例 TypeConverter:

public class MyStringConverter : TypeConverter
{
    public override bool CanConvertFrom(ITypeDescriptorContext context, Type sourceType)
    {
        return sourceType == typeof(string) || base.CanConvertFrom(context, sourceType);
    }

    public override bool CanConvertTo(ITypeDescriptorContext context, Type destinationType)
    {
        return destinationType == typeof(string) || base.CanConvertTo(context, destinationType);
    }

    public override object ConvertFrom(ITypeDescriptorContext context, CultureInfo culture, object value)
    {
        string svalue = value as string;
        if (svalue != null)
            return RemoveSpaceAndLowerFirst(svalue);

        return base.ConvertFrom(context, culture, value);
    }

    public override object ConvertTo(ITypeDescriptorContext context, CultureInfo culture, object value, Type destinationType)
    {
        string svalue = value as string;
        if (svalue != null)
            return RemoveUnderscoreAndUpperFirst(svalue);

        return base.ConvertTo(context, culture, value, destinationType);
    }

    private static string RemoveSpaceAndLowerFirst(string s)
    {
        // do your format conversion here
    }

    private static string RemoveUnderscoreAndUpperFirst(string s)
    {
        // do your format conversion here
    }
}
于 2013-04-25T08:06:43.443 回答