我有一个简单的类:
public class FilterParams
{
public string MeetingId { get; set; }
public int? ClientId { get; set; }
public string CustNum { get; set; }
public int AttendedAsFavor { get; set; }
public int Rating { get; set; }
public string Comments { get; set; }
public int Delete { get; set; }
}
我如何检查类中的每个属性,如果它们不是null (int)或空/null (for string),那么我将转换并将该属性的值添加到List<string>
?
谢谢。
您可以使用LINQ来完成:
List<string> values
= typeof(FilterParams).GetProperties()
.Select(prop => prop.GetValue(yourObject, null))
.Where(val => val != null)
.Select(val => val.ToString())
.Where(str => str.Length > 0)
.ToList();
不是最好的方法,但大致是:
假设obj
是类的实例:
Type type = typeof(FilterParams);
foreach(PropertyInfo pi in type.GetProperties())
{
object value = pi.GetValue(obj, null);
if(value != null && !string.IsNullOrEmpty(value.ToString()))
// do something
}
如果您没有很多这样的类,也没有太多的属性,最简单的解决方案可能是编写一个迭代器块来检查和转换每个属性:
public class FilterParams
{
// ...
public IEnumerable<string> GetValues()
{
if (MeetingId != null) yield return MeetingId;
if (ClientId.HasValue) yield return ClientId.Value.ToString();
// ...
if (Rating != 0) yield return Rating.ToString();
// ...
}
}
用法:
FilterParams filterParams = ...
List<string> values = filterParams.GetValues().ToList();
PropertyInfo[] properties = typeof(FilterParams).GetProperties();
foreach(PropertyInfo property in properties)
{
object value = property.GetValue(SomeFilterParamsInstance, null);
// preform checks on value and etc. here..
}
下面是一个例子:
foreach (PropertyInfo item in typeof(FilterParams).GetProperties()) {
if (item != null && !String.IsNullOrEmpty(item.ToString()) {
//add to list, etc
}
}
你真的需要反思吗?实现如下属性bool IsNull对你来说是一个案例吗?你可以将它封装在INullableEntity这样的接口中,并在每个需要这种功能的类中实现,显然,如果有很多类,你可能不得不坚持使用反射。