1

我正在过滤PropertyInfo这样的列表:

foreach (PropertyInfo propertyInfo in 
            ClassUtils.GetProperties(patternType).
            Where(pi => pi.GetCustomAttribute<TemplateParamAttribute>() != null).
            OrderBy(pi1 => pi1.GetCustomAttribute<TemplateParamAttribute>().Order))
{
    TemplateParamAttribute attr = propertyInfo.GetCustomAttribute<TemplateParamAttribute>();
...

这可以正常工作,但我对GetCustomAttribute每次迭代中的 3 次调用并不满意。有没有办法减少GetCustomAttribute调用次数(并且仍然使用 linq)?

4

5 回答 5

3

有没有办法减少 GetCustomAttribute 调用的数量(并且仍然使用 linq)?

绝对 - 尽早进行投影。不过,为了可读性,我会在 foreach 循环之前声明的查询中执行此操作:

var query = from property in ClassUtils.GetProperties(patternType)
            let attribute = property.GetCustomAttribute<TemplateParamAttribute>()
            where attribute != null
            orderby attribute.Order
            select new { property, attribute };

foreach (var result in query)
{
    // Use result.attribute and result.property
}
于 2013-01-14T12:55:44.587 回答
1

您可以使用以下查询,它使用let声明匿名类型的关键字。

var select = from propertyInfo in typeof (ClassUtils).GetProperties(patternType)
             let attr = propertyInfo.GetCustomAttribute<TemplateParamAttribute>()
             where attr != null
             orderby attr.Order
             select propertyInfo;
foreach (var propertyInfo in select)
{
    //Operate
}
于 2013-01-14T12:55:20.520 回答
1

怎么样:

foreach(TemplateParamAttribute attr in
    ClassUtils.GetProperties(patternType).
        Select(pi => pi.GetCustomAttribute<TemplateParamAttribute()).
        Where(pa => pa != null).
        OrderBy(pa.Order))
 {
      // Use attr
 }

如果您需要访问循环中的属性和属性,您可以这样做:

foreach(var info in
    ClassUtils.GetProperties(patternType).
        Select(pi => new {prop = pi, attr = pi.GetCustomAttribute<TemplateParamAttribute()}).
        Where(pia => pia.attr != null).
        OrderBy(pia.attr.Order))
 {
      // Use info.prop and info.attr
 }
于 2013-01-14T12:55:40.523 回答
0

如果您没有使用任何其他东西而不是GetCustomAttribute您的propertyInfo对象:

foreach (TemplateParamAttribute attr in ClassUtils.GetProperties(patternType)
    .Select(pi => pi.GetCustomAttribute<TemplateParamAttribute>())
    .Where(a => a != null)
    .OrderBy(a => a.Order))
{
}
于 2013-01-14T12:54:51.433 回答
0

为避免多次GetCustomAttribut调用,您可以为查询引入新的范围变量tpa。此外,如果您只需要循环中的属性,则获取您的自定义属性并对其进行迭代:

var attributes = from pi in ClassUtils.GetProperties(patternType)
                 let tpa = pi.GetCustomAttribute<TemplateParamAttribute>()
                 where tpa != null 
                 orderby tpa.Order
                 select tpa;

foreach(TemplateParamAttribute attr in attributes)
{
    // ...
}
于 2013-01-14T12:56:32.843 回答