Datagrid : Is there no Sorted event?

2020-08-21 03:51发布

I need to know when a WPF Datagrid has been sorted by the user. Why is there no Sorted event? I can only find a Sorting event.

I also investigated the CollectionView and ListCollectionView that is exposing the objects to the View, without any luck.

I am quite surprised as this should come out of the box. Any ideas?

3条回答
Emotional °昔
2楼-- · 2020-08-21 04:33

datagrid has "Sorting" event, subscribe to it!

XAML:

<DataGrid ItemsSource="{Binding YourItems}" AutoGenerateColumns="True" anUserSortColumns="True" 
           Sorting="DataGrid_Sorting"/>

.cs code:

private void DataGrid_Sorting(object sender, System.Windows.Controls.DataGridSortingEventArgs e)
{
    Console.WriteLine(string.Format("sorting grid by '{0}' column in {1} order", e.Column.SortMemberPath, e.Column.SortDirection));
}
查看更多
唯我独甜
3楼-- · 2020-08-21 04:38

I've taken an example from MSDN documentation and adjusted it to raise a Sorted event when the Sorting event is done.

public class CustomDataGrid : DataGrid
{
    // Create a custom routed event by first registering a RoutedEventID
    // This event uses the bubbling routing strategy
    public static readonly RoutedEvent SortedEvent = EventManager.RegisterRoutedEvent(
        "Sorted", RoutingStrategy.Bubble, typeof(RoutedEventHandler), typeof(CustomDataGrid));

    // Provide CLR accessors for the event
    public event RoutedEventHandler Sorted
    {
        add { AddHandler(SortedEvent, value); }
        remove { RemoveHandler(SortedEvent, value); }
    }

    // This method raises the Sorted event
    void RaiseSortedEvent()
    {
        RoutedEventArgs newEventArgs = new RoutedEventArgs(CustomDataGrid.SortedEvent);
        RaiseEvent(newEventArgs);
    }

    protected override void OnSorting(DataGridSortingEventArgs eventArgs)
    {
        base.OnSorting(eventArgs);
        RaiseSortedEvent();
    }
}

Then you can use it either in codebehind.

datagrid.Sorted += new RoutedEventHandler(datagrid_Sorted);

or in XAML

<local:CustomDataGrid x:Name="datagrid" Sorted="datagrid_Sorted;"/>
查看更多
我命由我不由天
4楼-- · 2020-08-21 04:41

You can still subscribe to the DataGrid Sorting Event:

<local:CustomDataGrid x:Name="datagrid" Sorting="datagrid_Sorted;"/>

but to make sure that your actions happen after the sorting is done use Dispatcher :

private void DataGrid_Sorting(object sender, DataGridSortingEventArgs e)
{

    this.Dispatcher.BeginInvoke((Action)delegate()
    {
        //runs after sorting is done
    }, null);
}

This way, there's no need of a custom Datagrid class.

查看更多
登录 后发表回答