还有的是,它拥有超过300属性(类型详情和BlockDetails)一ParsedTemplate类。 该parsedTemplate对象将通过一个函数来填补。 填补这一目标,我需要一个LINQ(或其他方式)找到后会出现像“身体”或“IMG”的任何财产,其中IsExist=false
和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; }
...
}
你将需要编写您自己的方法,使这个开胃。 幸运的是,它并不需要很长。 就像是:
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;
如果你真的想使用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();
使用C#反射。 例如:
ParsedTemplate obj;
PropertyInfo pi = obj.GetType().GetProperty("img");
Details value = (Details)(pi.GetValue(obj, null));
if(value.IsExist)
{
//Do something
}
我还没有编译,但我认为它的工作。
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"
});