你能帮我解决一些问题吗?
我想获得ImageFormat属性之一(如ImageFormat. png或ImageFormat. jpeg等)。我需要它是动态的。该方法应该看起来像(在我看来):
private List<ImageFormat> GetValidImageFormats()
{
List<ImageFormat> result = new List<ImageFormat>()
foreach (string extension in ValidExtensions)
{
// do some expression magic
}
}
我有问题与代码在foreach。我甚至不确定使用Expression Trees
。
我需要它用于上传图像文件的自定义验证器。任何帮助都太好了。任何相关解决方案+1。
编辑:ValidExtensions
= new[] {"jpg", "png", "jpeg", "bmp", "gif", "icon"}
的取值
只要您的扩展列表匹配从ImageFormat
类返回的内容,就像这样:
private List<string> ValidExtensions = new List<string> {"bmp", "jpeg", "png"};
你可以通过反射将这些字符串转换为对应的ImageFormat
:
private List<ImageFormat> GetValidImageFormats()
{
var t = typeof(ImageFormat);
return ValidExtensions.Select(x =>
(ImageFormat)t.GetProperty(x.Substring(0, 1).ToUpper() + x.Substring(1))
.GetValue(null)).ToList();
}
svick在评论中留下了另一个解决方案,它更清楚地表明了你的意图。
不是将字符串转换为标题大小写以使其匹配方法调用,您可以使用GetProperty()
的不同重载来传递一个位掩码,告诉它如何搜索…在这种情况下,找到一个公共静态成员并完全忽略它。
private List<ImageFormat> GetValidImageFormats()
{
var t = typeof(ImageFormat);
return ValidExtensions.Select(x =>
(ImageFormat)t.GetProperty(x, BindingFlags.IgnoreCase | BindingFlags.Public | BindingFlags.Static)
.GetValue(null)).ToList();
}