37

我尝试使用以下两种方式对数据表进行排序

table.DefaultView.Sort = "Town ASC, Cutomer ASC"

table.Select("", "Town ASC, Cutomer ASC")

但他们都没有工作。它始终以原始顺序显示数据。你有什么想法来解决这个问题。

4

5 回答 5

48

这是我能找到的对 DataTable 进行排序而无需创建任何新变量的最短方法。

DataTable.DefaultView.Sort = "ColumnName ASC"
DataTable = DataTable.DefaultView.ToTable

在哪里:

ASC - 上升

DESC - 降序

ColumnName - 要排序的列

DataTable - 要排序的表

于 2016-09-29T12:34:36.090 回答
38

试试这个:

Dim dataView As New DataView(table)
dataView.Sort = " AutoID DESC, Name DESC"
Dim dataTable AS DataTable = dataView.ToTable()
于 2012-09-18T08:28:06.347 回答
32

在 DefaultView ( table.DefaultView.Sort = "Town ASC, Cutomer ASC") 上设置排序表达式后,您应该使用 DefaultView 而不是 DataTable 实例本身遍历表

foreach(DataRowView r in table.DefaultView)
{
    //... here you get the rows in sorted order
    Console.WriteLine(r["Town"].ToString());
}

相反,使用 DataTable 的 Select 方法会生成一个 DataRow 数组。此数组按您的请求排序,而不是 DataTable

DataRow[] rowList = table.Select("", "Town ASC, Cutomer ASC");
foreach(DataRow r in rowList)
{
    Console.WriteLine(r["Town"].ToString());
}
于 2012-09-18T08:17:05.500 回答
1

这对我有用:

dt.DefaultView.Sort = "Town ASC, Cutomer ASC";
dt = dt.DefaultView.ToTable();
于 2019-03-14T07:08:16.950 回答
0
private void SortDataTable(DataTable dt, string sort)
{
DataTable newDT = dt.Clone();
int rowCount = dt.Rows.Count;

DataRow[] foundRows = dt.Select(null, sort);
// Sort with Column name
for (int i = 0; i < rowCount; i++)
{
object[] arr = new object[dt.Columns.Count];
for (int j = 0; j < dt.Columns.Count; j++)
{
arr[j] = foundRows[i][j];
}
DataRow data_row = newDT.NewRow();
data_row.ItemArray = arr;
newDT.Rows.Add(data_row);
}

//clear the incoming dt
dt.Rows.Clear();

for (int i = 0; i < newDT.Rows.Count; i++)
{
object[] arr = new object[dt.Columns.Count];
for (int j = 0; j < dt.Columns.Count; j++)
{
arr[j] = newDT.Rows[i][j];
}

DataRow data_row = dt.NewRow();
data_row.ItemArray = arr;
dt.Rows.Add(data_row);
}
}
于 2012-09-18T08:26:41.400 回答