6

有一个 ParsedTemplate 类,它有 300 多个属性(类型为 Details 和 BlockDetails)。parsedTemplate 对象将由一个函数填充。填充此对象后,我需要一个 LINQ(或其他方式)来查找是否有任何属性,如 "body" 或 "img" where IsExist=falseand Priority="high".

public class Details
{
    public bool IsExist { get; set; }
    public string Priority { get; set; }
}

public class BlockDetails : Details
{
    public string Block { get; set; }
}

public class ParsedTemplate
{
    public BlockDetails body { get; set; }
    public BlockDetails a { get; set; }
    public Details img { get; set; }
    ...
}
4

4 回答 4

7

您将需要编写自己的方法来使这个开胃。幸运的是,它不需要很长时间。就像是:

static IEnumerable<Details> GetDetails(ParsedTemplate parsedTemplate)
{
    return from p in typeof(ParsedTemplate).GetProperties()
           where typeof(Details).IsAssignableFrom(p.PropertyType)
           select (Details)p.GetValue(parsedTemplate, null);
}

然后,如果您想检查ParsedTemplate对象上是否“存在”任何属性,例如,您可以使用 LINQ:

var existingDetails = from d in GetDetails(parsedTemplate)
                      where d.IsExist
                      select d;
于 2012-06-14T12:46:17.900 回答
3

如果你真的想在这样做的时候使用 linq,你可以尝试这样的事情:

bool isMatching = (from prop in typeof(ParsedTemplate).GetProperties()
                   where typeof(Details).IsAssignableFrom(prop.PropertyType)
                   let val = (Details)prop.GetValue(parsedTemplate, null) 
                   where val != null && !val.IsExist && val.Priority == "high"
                   select val).Any();

在我的机器上工作。

或者在扩展方法语法中:

isMatching = typeof(ParsedTemplate).GetProperties()
                 .Where(prop => typeof(Details).IsAssignableFrom(prop.PropertyType))
                 .Select(prop => (Details)prop.GetValue(parsedTemplate, null))
                 .Where(val => val != null && !val.IsExist && val.Priority == "high")
                 .Any();
于 2012-06-14T12:45:00.640 回答
1

使用 c# 反射。例如:

ParsedTemplate obj;
PropertyInfo pi = obj.GetType().GetProperty("img");
Details value = (Details)(pi.GetValue(obj, null));
if(value.IsExist)
{
   //Do something
}

我还没有编译,但我认为它有效。

于 2012-06-14T12:46:00.100 回答
0
        ParsedTemplate tpl = null;
        // tpl initialization
        typeof(ParsedTemplate).GetProperties()
            .Where(p => new [] { "name", "img" }.Contains(p.Name))
            .Where(p => 
                {
                    Details d = (Details)p.GetValue(tpl, null) as Details;
                    return d != null && !d.IsExist && d.Priority == "high"
                });
于 2012-06-14T12:49:41.153 回答