如何在数据表中选择列的不同行数
本文关键字:选择 数据表 | 更新日期: 2023-09-27 18:27:47
我有一个数据表:
DataTable table = new DataTable();
DataColumn column;
column = new DataColumn();
column.DataType = Type.GetType("System.String");
column.ColumnName = "RelationshipTypeDescription";
table.Columns.Add(column);
column = new DataColumn();
column.DataType = Type.GetType("System.String");
column.ColumnName = "RelatedContactName";
table.Columns.Add(column);
我想知道列"RelationshipTypeDescription"的差异计数。
我不知道如何引用这个中的列名:
int relationshipCount = table.AsEnumerable().Distinct().Count();
有人能帮我一把吗?
您可以这样做:
int relationshipCount = table
.AsEnumerable()
.Select(r => r.Field<string>("RelationshipTypeDescription"))
.Distinct()
.Count();
但您可能不需要调用AsEnumerable
:
int relationshipCount = table
.Select(r => r.Field<string>("RelationshipTypeDescription")) // Compiler error: "Cannot convert lambda expression to type 'string' because it is not a delegate type"
.Distinct()
.Count();
您还可以创建一个只包含表中不同值的新数据表:
DataView view = new DataView(table);
DataTable distinctValues = view.ToTable(true, "RelationshipTypeDescription");
更多信息:https://stackoverflow.com/a/1199956/1822214
http://msdn.microsoft.com/en-us/library/wec2b2e6.aspx