我想过滤包含复杂对象的DataTable或DaatView。
假设我有这个对象的人
public class Person{
public int Id{get; set;}
public int Age{get; set;}
public strng Name{get; set;}
public Address BillAddress{get; set;}
}
public class Address{
public string
Town{get; set}
public string Street{get; set}
public int Number{get; set}
}
现在我用一个Person对象列表填充DataView:
public static DataView ToObjectDataView<T>(this IList<T> list, int countOfColumns)
{
if (list == null || countOfColumns < 1)
{
return null;
}
int columns = countOfColumns;
DataTable dataTable = new DataTable();
for (int currentCol = 0; currentCol != columns; currentCol++)
{
DataColumn column = new DataColumn(currentCol.ToString(), typeof(T));
dataTable.Columns.Add(column);
}
DataRow row = null;
int currentColumn = 0;
for (int index = 0; index < list.Count; index++)
{
if (list[index] == null)
{
continue;
}
if (Equals(null, row))
row = dataTable.NewRow();
row[currentColumn] = list[index];
currentColumn++;
if (currentColumn == columns)
{
dataTable.Rows.Add(row);
row = null;
currentColumn = 0;
}
}
//Verarbeitung der letzten Zeile
if (!Equals(null, row))
{
dataTable.Rows.Add(row);
}
return new DataView(dataTable);
}
因此,我得到一个包含10列Person对象的DataView,evrey列具有其索引的名称:
IList<Person> personList = new List<Person>();
// Fill the list...
DataView dataSource = personList.ToObjectDataSource(10);
现在我想根据带有表达式的子值过滤此DataView,例如,获取所有居住在'Fakestreet'中的人。
我尝试了“0.BillAddress.Street ='Fakestreet'”(和/或其余列的表达式),但这不起作用..
答案 0 :(得分:0)
这是部分解决方案,因为我找不到直接的方法。
使用DataTable AsEnumerable扩展和过滤器与动态linq(System.Linq.Dynamic(也可用于.Net 3.5))
// Filter directly the List
public static List<T> FilterByLinqExpression<T>(this IList<T> list, string linqFilterExpression)
{
var result = list.AsQueryable().Where(linqFilterExpression);
return result.ToList<T>();
}
所以你可以这样称呼所有居住在街道上的人,名字叫'Avenue':
IList<Person> personList = new List<Person>();
// Fill the list...
var filteredValues = personList.FilterByLinqExpression("((BillAddress.Street).Contains(\"Avenue\"))");
DataView dataSource = filteredValues .ToObjectDataSource(10);
我用它来过滤例如用于在DevExpress ASPxGridView中显示的复杂对象。顺便说一下,他们有一个从过滤器表达式到不同过滤器表达式的自动转换器,在我的例子中是'CriteriaToWhereClauseHelper.GetDynamicLinqWhere()',它将给定的过滤器表达式转换为动态linq表达式。