我正在使用WinForms PropertyGrid
来显示程序的各种配置设置。PropertyGrid 绑定到已Xmlserializer.Deserialize
-ed 的 XML 文档。 这允许用户键入新值,然后将其序列化回 config.xml 文件中。 在某些情况下,这些属性只是数字,键入值是有意义的。 但是,在其他情况下,这些值是文件名或目录路径,因此通过 OpenFileDialog
或 FolderBrowserDialog
输入这些值更有意义。
我希望发生的事情是,如果用户单击PropertyGrid
中的文件夹或文件名单元格,UI 将打开相应的对话框,获取结果,并将该结果输入网格,替换现有值。 问题是,PropertyGrid 似乎不允许访问其中的控件,因此我无法响应 OnClicked 事件。
以下是我希望代码的工作方式(编辑:更新的代码):
private void propertyGrid_config_Click(object sender, EventArgs e)
{
PropertyGrid grid = (PropertyGrid)sender;
PropertyDescriptor selectedItem = grid.SelectedGridItem.PropertyDescriptor;
if (selectedItem.Category == "Files & Folders")
{
if (selectedItem.DisplayName.Contains("directory"))
{
FolderBrowserDialog folder = new FolderBrowserDialog();
if (folder.ShowDialog() == DialogResult.OK)
{
selectedItem.SetValue(grid.SelectedObject, folder.SelectedPath);
grid.Refresh();
}
}
else if (selectedItem.DisplayName.Contains("file"))
{
OpenFileDialog file = new OpenFileDialog();
if (file.ShowDialog() == DialogResult.OK)
{
selectedItem.SetValue(grid.SelectedObject, file.FileName);
grid.Refresh();
}
}
}
}
我已经将网格的"Clicked"事件设置为这个处理程序,但显然这不起作用,因为它只处理容器而不是其中的内容。 (请注意,如果我基于"PropertyChanged"事件,则此处理程序工作正常,但这显然不是我想要的。
有没有办法访问组件并创建我想要的事件? 您将如何克服这个问题?
如果相关,下面是 PropertyGrid 的一些代码:
网格存在于一个名为"Configuration"的类中,该类定义了所有属性,如下所示:
[Description("Folder for storing Bonding Key logs")]
[Category("Files & Folders")]
[DisplayName("Log output directory")]
public string dirLogOutput { get; set; }
XML 文件将为每个属性提供一个相应的条目,如下所示:
<dirLogOutput>C:UsersAHoffmanDesktopTestData</dirLogOutput>
序列化程序很好地将 XML 文件中的数据与网格匹配,反之亦然:
public Configuration TryLoadConfiguration(Configuration thisConfig)
{
string filename = GetConfigFilename();
try
{
if (!File.Exists(filename))
{
thisConfig.setDefaults();
}
else
{
using (var stream = File.Open(filename, FileMode.Open, FileAccess.Read))
{
var serializer = new XmlSerializer(typeof(Configuration));
thisConfig = (Configuration)serializer.Deserialize(stream);
}
}
}
catch (Exception ex)
{
MessageBox.Show("Failed to load configuration file during startup: " + ex.Message);
thisConfig.setDefaults();
}
return thisConfig;
}
private void SaveConfiguration(string filename, Configuration thisConfig)
{
try
{
using (var stream = File.Open(filename, FileMode.Create, FileAccess.Write))
{
var serializer = new XmlSerializer(typeof(Configuration));
serializer.Serialize(stream, thisConfig);
}
}
catch (Exception ex)
{
MessageBox.Show("Failed to save configuration file: " + ex.Message);
}
}
我注意到,以前有人问过这样的问题,但没有答案。 希望我能给你足够的信息来得到一些回报。
没关系。 我在这里(文件)和这里(文件夹)找到了问题的答案。
这一切都依赖于为每种类型使用自定义UITypeEditor
。
[EditorAttribute(typeof(OpenFileNameEditor), typeof(System.Drawing.Design.UITypeEditor))]
[EditorAttribute(typeof(FolderNameEditor2), typeof(System.Drawing.Design.UITypeEditor))]
非常感谢@Simon Mourier,@Stewy和@tzup的回答。