0

我正在使用一个使用字典的属性网格,该字典使用此处找到的适配器。

我现在需要能够使用自定义编辑器。更具体地说,文件选择器。如果字典中的对象是一个字符串,它只使用默认的字符串编辑器。

我是否可以实现一个名为 FilePath 的新类或仅充当字符串包装器但会导致属性网格使用 OpenFileDialog,并在选择后将结果显示为 PropertyGrid 中的字符串的东西?

这可能吗?如果是这样怎么办?

4

1 回答 1

5

如果您想使用您引用的字典适配器在属性网格中使用文件路径编辑器,我会按照您的建议制作 FilePath 类。您还需要实现两个额外的类以使这一切都与属性网格一起使用:一个编辑器和一个类型转换器。

假设您的 FilePath 对象是一个简单的对象:

class FilePath
{
    public FilePath(string inPath)
    {
        Path = inPath;
    }

    public string Path { get; set; }
}

您的属性网格将以浅灰色显示类名,不是很有用。让我们编写一个 TypeConverter 来显示这个类真正包裹的字符串

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

    public override object ConvertFrom(ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value)
    {
        if (IsValid(context, value))
            return new FilePath((string)value);
        return base.ConvertFrom(context, culture, value);
    }

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

    public override object ConvertTo(ITypeDescriptorContext context, System.Globalization.CultureInfo culture, object value, Type destinationType)
    {
        if (destinationType == typeof(string))
            return ((FilePath)value).Path;
        return base.ConvertTo(context, culture, value, destinationType);
    }

    public override bool IsValid(ITypeDescriptorContext context, object value)
    {
        if (value.GetType() == typeof(string))
            return true;
        return base.IsValid(context, value);
    }
}

将 TypeConverter 属性添加到我们的 FilePath 类以转换为字符串和从字符串转换。

[TypeConverter(typeof(FilePathConverter))]
class FilePath
{
    ...
}

现在属性网格将显示字符串而不是类型名称,但您希望省略号显示文件选择对话框,因此我们创建了一个 UITypeEditor:

class FilePathEditor : UITypeEditor
{
    public override System.Drawing.Design.UITypeEditorEditStyle GetEditStyle(ITypeDescriptorContext context)
    {
        return System.Drawing.Design.UITypeEditorEditStyle.Modal;
    }

    public override object EditValue(ITypeDescriptorContext context, IServiceProvider provider, object value)
    {
        FilePath path = (FilePath)value;

        OpenFileDialog openFile = new OpenFileDialog();
        openFile.FileName = path.Path;
        if (openFile.ShowDialog() == DialogResult.OK)
            path.Path = openFile.FileName;
        return path;
    }
}

将 Editor 属性添加到我们的 FilePath 类以使用新类:

[TypeConverter(typeof(FilePathConverter))]
[Editor(typeof(FilePathEditor), typeof(UITypeEditor))]
class FilePath
{
    ...
}

现在您可以将 FilePath 对象添加到您的 IDictionary 并通过属性网格使它们可编辑

IDictionary d = new Dictionary<string, object>();
d["Path"] = new FilePath("C:/");
于 2012-11-28T18:17:56.960 回答