我有一个Entity Framework Code First模型,我为此创建了一个静态泛型类,它有一个搜索方法,可以为列表中的每个项调用。 承认这是我的头脑,我认为使类静态可以提高代码清晰度甚至性能,因为不必在许多不同的地方创建实例。 所有这一切的目标是自动化用户可以搜索,导出等属性。
主要问题是:如果为具有引用类型属性的每个项(可能是1000个)调用MakeGenericType(...),则该引用类型属性的泛型类型生成一次并保存在某处或生成1000次?
指出任何其他表现犯罪或代码气味,我们表示赞赏。
public static class SearchUserVisibleProperties<T>
{
private static List<PropertyInfo> userVisibleProperties { get; set; }
static SearchUserVisibleProperties()
{
userVisibleProperties = typeof(T).GetProperties().Where(prop => Attribute.IsDefined(prop, typeof(UserVisibleAttribute))).ToList();
}
public static bool search(T item, string searchString)
{
foreach (PropertyInfo pInfo in userVisibleProperties)
{
object value = pInfo.GetValue(item);
if (value == null)
{
continue;
}
if (pInfo.PropertyType == typeof(string) || pInfo.PropertyType.IsValueType)
{
...unrelevant string matching code...
}
else if ((bool)typeof(SearchUserVisibleProperties<>).MakeGenericType(new Type[] { value.GetType() }).InvokeMember(nameof(search), BindingFlags.InvokeMethod, null, null, new object[] { value, searchString }))
{
return true;
}
}
return false;
}
}
答案 0 :(得分:8)
Documentation of MakeGenericType
表明对于泛型类型定义和泛型类型参数的相同组合返回的类型将是相同的:
Type
返回的MakeGenericType
对象与通过调用结果构造类型的Type
方法获得的GetType
相同,或者GetType
使用相同类型参数从相同泛型类型定义创建的任何构造类型的方法。
这是一个小实验,表明上述内容是正确的:
var a = typeof(Tuple<,>).MakeGenericType(typeof(int), typeof(char));
var b = typeof(Tuple<,>).MakeGenericType(typeof(int), typeof(char));
var c = typeof(Tuple<int,char>);
Console.WriteLine(ReferenceEquals(a, b)); // True
Console.WriteLine(ReferenceEquals(a, c)); // True