我有一个带可排序列的WPF DataGrid。我不想在任何特定列上对网格进行预排序。当用户第一次点击列标题而不是升序时,我只想要默认的排序方向。
在更改排序列时,CollectionViewSource上的SortDescription.Direction和DataGridTextColumns的SortDirection属性都不会影响默认排序方向。它总是在第一次单击列标题时选择升序。
99%的时间需要下降并且在用户工作流程中切换列的频率很高,因此这会增加大量不必要的点击。如果有的话,我非常喜欢XAML解决方案,但如有必要,我会在事件上采用代码技巧。
答案 0 :(得分:2)
如果没有对排序处理程序进行少量干预,你似乎无法做到这一点,因为DataGrid完成的默认排序如下所示:
ListSortDirection direction = ListSortDirection.Ascending;
ListSortDirection? sortDirection = column.SortDirection;
if (sortDirection.HasValue && sortDirection.Value == ListSortDirection.Ascending)
direction = ListSortDirection.Descending;
因此,只有在之前对列进行了排序,并且该排序为升序 - 它才会将其翻转为降序。然而,通过微小的黑客你可以实现你想要的。首先订阅DataGrid.Sorting事件,然后:
private void OnSorting(object sender, DataGridSortingEventArgs e) {
if (e.Column.SortDirection == null)
e.Column.SortDirection = ListSortDirection.Ascending;
e.Handled = false;
}
所以基本上如果还没有排序 - 你将它切换到Ascending
并将其传递给DataGrid
的默认排序(通过将e.Handled
设置为false
)。在排序开始时,它会将它翻转到Descending
,这就是你想要的。
您可以在附加属性的帮助下在xaml中执行此操作,如下所示:
public static class DataGridExtensions {
public static readonly DependencyProperty SortDescProperty = DependencyProperty.RegisterAttached(
"SortDesc", typeof (bool), typeof (DataGridExtensions), new PropertyMetadata(false, OnSortDescChanged));
private static void OnSortDescChanged(DependencyObject d, DependencyPropertyChangedEventArgs e) {
var grid = d as DataGrid;
if (grid != null) {
grid.Sorting += (source, args) => {
if (args.Column.SortDirection == null) {
// here we check an attached property value of target column
var sortDesc = (bool) args.Column.GetValue(DataGridExtensions.SortDescProperty);
if (sortDesc) {
args.Column.SortDirection = ListSortDirection.Ascending;
}
}
};
}
}
public static void SetSortDesc(DependencyObject element, bool value) {
element.SetValue(SortDescProperty, value);
}
public static bool GetSortDesc(DependencyObject element) {
return (bool) element.GetValue(SortDescProperty);
}
}
然后在你的xaml:
<DataGrid x:Name="dg" AutoGenerateColumns="False" ItemsSource="{Binding Items}" local:DataGridExtensions.SortDesc="True">
<DataGrid.Columns>
<DataGridTextColumn Binding="{Binding Value}"
Header="Value"
local:DataGridExtensions.SortDesc="True" />
</DataGrid.Columns>
</DataGrid>
所以基本上你用DataGrid
标记SortDesc=true
本身,订阅排序事件,然后只标记 那些你需要排序的列desc。如果逻辑确定存在,您还可以将SortDesc
绑定到模型。