WPF 4 DataGrid: получение номера строки в RowHeader
Я ищу, чтобы получить номер строки в RowHeader из DataGrid WPF 4, поэтому он имеет столбец, подобный Excel, для номеров строк DataGrid.
Решение, которое я видел там в Интернете, предлагает добавить поле индекса к бизнес-объектам. Это не вариант, потому что DataGrid будет получать много полезного, и мы не хотим постоянно отслеживать изменение этих полей индекса.
Спасибо большое
Ответы
Ответ 1
Один из способов - добавить их в событие LoadRow для DataGrid
.
<DataGrid Name="DataGrid" LoadingRow="DataGrid_LoadingRow" ... />
void DataGrid_LoadingRow(object sender, DataGridRowEventArgs e)
{
// Adding 1 to make the row count start at 1 instead of 0
// as pointed out by daub815
e.Row.Header = (e.Row.GetIndex() + 1).ToString();
}
Обновление
Чтобы заставить это работать с .NET 3.5 DataGrid в WPF Toolkit, требуется небольшая модификация. Индекс все еще генерируется корректно, но при использовании виртуализации выход выходит из строя. Следующая модификация RowHeaderTemplate
исправляет этот
<toolkit:DataGrid LoadingRow="DataGrid_LoadingRow">
<toolkit:DataGrid.RowHeaderTemplate>
<DataTemplate>
<TextBlock Text="{Binding RelativeSource={RelativeSource AncestorType={x:Type toolkit:DataGridRow}},
Path=Header}"/>
</DataTemplate>
</toolkit:DataGrid.RowHeaderTemplate>
</toolkit:DataGrid>
Редактировать 2012-07-05
Если элементы добавляются или удаляются из исходного списка, номера не синхронизируются, пока список не прокручивается, поэтому LoadingRow
вызывается снова. Работа над этой проблемой немного сложнее, и лучшее решение, о котором я могу сейчас подумать, заключается в том, чтобы оставить решение LoadingRow
выше, а также
- Подпишитесь на
dataGrid.ItemContainerGenerator.ItemsChanged
- В обработчике событий найдите все дочерние элементы
DataGridRows
в визуальном дереве
- Установите заголовок в индекс для каждого
DataGridRow
Вот это приложенное поведение, которое делает это. Используйте его так:
<DataGrid ItemsSource="{Binding ...}"
behaviors:DataGridBehavior.DisplayRowNumber="True">
DisplayRowNumber
public class DataGridBehavior
{
#region DisplayRowNumber
public static DependencyProperty DisplayRowNumberProperty =
DependencyProperty.RegisterAttached("DisplayRowNumber",
typeof(bool),
typeof(DataGridBehavior),
new FrameworkPropertyMetadata(false, OnDisplayRowNumberChanged));
public static bool GetDisplayRowNumber(DependencyObject target)
{
return (bool)target.GetValue(DisplayRowNumberProperty);
}
public static void SetDisplayRowNumber(DependencyObject target, bool value)
{
target.SetValue(DisplayRowNumberProperty, value);
}
private static void OnDisplayRowNumberChanged(DependencyObject target, DependencyPropertyChangedEventArgs e)
{
DataGrid dataGrid = target as DataGrid;
if ((bool)e.NewValue == true)
{
EventHandler<DataGridRowEventArgs> loadedRowHandler = null;
loadedRowHandler = (object sender, DataGridRowEventArgs ea) =>
{
if (GetDisplayRowNumber(dataGrid) == false)
{
dataGrid.LoadingRow -= loadedRowHandler;
return;
}
ea.Row.Header = ea.Row.GetIndex();
};
dataGrid.LoadingRow += loadedRowHandler;
ItemsChangedEventHandler itemsChangedHandler = null;
itemsChangedHandler = (object sender, ItemsChangedEventArgs ea) =>
{
if (GetDisplayRowNumber(dataGrid) == false)
{
dataGrid.ItemContainerGenerator.ItemsChanged -= itemsChangedHandler;
return;
}
GetVisualChildCollection<DataGridRow>(dataGrid).
ForEach(d => d.Header = d.GetIndex());
};
dataGrid.ItemContainerGenerator.ItemsChanged += itemsChangedHandler;
}
}
#endregion // DisplayRowNumber
#region Get Visuals
private static List<T> GetVisualChildCollection<T>(object parent) where T : Visual
{
List<T> visualCollection = new List<T>();
GetVisualChildCollection(parent as DependencyObject, visualCollection);
return visualCollection;
}
private static void GetVisualChildCollection<T>(DependencyObject parent, List<T> visualCollection) where T : Visual
{
int count = VisualTreeHelper.GetChildrenCount(parent);
for (int i = 0; i < count; i++)
{
DependencyObject child = VisualTreeHelper.GetChild(parent, i);
if (child is T)
{
visualCollection.Add(child as T);
}
if (child != null)
{
GetVisualChildCollection(child, visualCollection);
}
}
}
#endregion // Get Visuals
}
Ответ 2
Изменить: Видимо, прокрутка изменяет индекс, поэтому привязка не будет работать так...
A (по-видимому) чистое решение для шаблонов:
Xaml:
<Window
...
xmlns:local="clr-namespace:Test"
DataContext="{Binding RelativeSource={RelativeSource Mode=Self}}">
<Window.Resources>
<local:RowToIndexConv x:Key="RowToIndexConv"/>
</Window.Resources>
<DataGrid ItemsSource="{Binding GridData}">
<DataGrid.RowHeaderTemplate>
<DataTemplate>
<TextBlock Margin="2" Text="{Binding RelativeSource={RelativeSource AncestorType=DataGridRow}, Converter={StaticResource RowToIndexConv}}"/>
</DataTemplate>
</DataGrid.RowHeaderTemplate>
</DataGrid>
</Window>
Преобразователь
public class RowToIndexConv : IValueConverter
{
#region IValueConverter Members
public object Convert(object value, Type targetType, object parameter, CultureInfo culture)
{
DataGridRow row = value as DataGridRow;
return row.GetIndex() + 1;
}
public object ConvertBack(object value, Type targetType, object parameter, CultureInfo culture)
{
throw new NotImplementedException();
}
#endregion
}
Ответ 3
Все эти подходы не будут работать, если вы добавите или удалите строки. Вы должны обновлять индексы строк в таких случаях. Посмотрите на это поведение:
public static class DataGridBehavior
{
#region RowNumbers property
public static readonly DependencyProperty RowNumbersProperty =
DependencyProperty.RegisterAttached("RowNumbers", typeof (bool), typeof (DataGridBehavior),
new FrameworkPropertyMetadata(false, OnRowNumbersChanged));
private static void OnRowNumbersChanged(DependencyObject source, DependencyPropertyChangedEventArgs args)
{
DataGrid grid = source as DataGrid;
if (grid == null)
return;
if ((bool)args.NewValue)
{
grid.LoadingRow += onGridLoadingRow;
grid.UnloadingRow += onGridUnloadingRow;
}
else
{
grid.LoadingRow -= onGridLoadingRow;
grid.UnloadingRow -= onGridUnloadingRow;
}
}
private static void refreshDataGridRowNumbers(object sender)
{
DataGrid grid = sender as DataGrid;
if (grid == null)
return;
foreach (var item in grid.Items)
{
var row = (DataGridRow)grid.ItemContainerGenerator.ContainerFromItem(item);
if (row != null)
row.Header = row.GetIndex() + 1;
}
}
private static void onGridUnloadingRow(object sender, DataGridRowEventArgs e)
{
refreshDataGridRowNumbers(sender);
}
private static void onGridLoadingRow(object sender, DataGridRowEventArgs e)
{
refreshDataGridRowNumbers(sender);
}
[AttachedPropertyBrowsableForType(typeof(DataGrid))]
public static void SetRowNumbers(DependencyObject element, bool value)
{
element.SetValue(RowNumbersProperty, value);
}
public static bool GetRowNumbers(DependencyObject element)
{
return (bool) element.GetValue(RowNumbersProperty);
}
#endregion
}
Ответ 4
@Ответ Фредрик Хедблад работает для меня. Спасибо!
Я добавил другое свойство, чтобы получить значение "offset", поэтому DataGrid может начинаться с 0 или 1 (или независимо от того, что установлено).
Чтобы использовать поведение, (примечание "b" - пространство имен)
<DataGrid ItemsSource="{Binding ...}"
b:DataGridBehavior.DisplayRowNumberOffset="1"
b:DataGridBehavior.DisplayRowNumber="True">
Измененные классы:
/// <summary>
/// Collection of DataGrid behavior
/// </summary>
public static class DataGridBehavior
{
#region DisplayRowNumberOffset
/// <summary>
/// Sets the starting value of the row header if enabled
/// </summary>
public static DependencyProperty DisplayRowNumberOffsetProperty =
DependencyProperty.RegisterAttached("DisplayRowNumberOffset",
typeof(int),
typeof(DataGridBehavior),
new FrameworkPropertyMetadata(0, OnDisplayRowNumberOffsetChanged));
public static int GetDisplayRowNumberOffset(DependencyObject target)
{
return (int)target.GetValue(DisplayRowNumberOffsetProperty);
}
public static void SetDisplayRowNumberOffset(DependencyObject target, int value)
{
target.SetValue(DisplayRowNumberOffsetProperty, value);
}
private static void OnDisplayRowNumberOffsetChanged(DependencyObject target, DependencyPropertyChangedEventArgs e)
{
DataGrid dataGrid = target as DataGrid;
int offset = (int)e.NewValue;
if (GetDisplayRowNumber(target))
{
WPFUtil.GetVisualChildCollection<DataGridRow>(dataGrid).
ForEach(d => d.Header = d.GetIndex() + offset);
}
}
#endregion
#region DisplayRowNumber
/// <summary>
/// Enable display of row header automatically
/// </summary>
/// <remarks>
/// Source:
/// </remarks>
public static DependencyProperty DisplayRowNumberProperty =
DependencyProperty.RegisterAttached("DisplayRowNumber",
typeof(bool),
typeof(DataGridBehavior),
new FrameworkPropertyMetadata(false, OnDisplayRowNumberChanged));
public static bool GetDisplayRowNumber(DependencyObject target)
{
return (bool)target.GetValue(DisplayRowNumberProperty);
}
public static void SetDisplayRowNumber(DependencyObject target, bool value)
{
target.SetValue(DisplayRowNumberProperty, value);
}
private static void OnDisplayRowNumberChanged(DependencyObject target, DependencyPropertyChangedEventArgs e)
{
DataGrid dataGrid = target as DataGrid;
if ((bool)e.NewValue == true)
{
int offset = GetDisplayRowNumberOffset(target);
EventHandler<DataGridRowEventArgs> loadedRowHandler = null;
loadedRowHandler = (object sender, DataGridRowEventArgs ea) =>
{
if (GetDisplayRowNumber(dataGrid) == false)
{
dataGrid.LoadingRow -= loadedRowHandler;
return;
}
ea.Row.Header = ea.Row.GetIndex() + offset;
};
dataGrid.LoadingRow += loadedRowHandler;
ItemsChangedEventHandler itemsChangedHandler = null;
itemsChangedHandler = (object sender, ItemsChangedEventArgs ea) =>
{
if (GetDisplayRowNumber(dataGrid) == false)
{
dataGrid.ItemContainerGenerator.ItemsChanged -= itemsChangedHandler;
return;
}
WPFUtil.GetVisualChildCollection<DataGridRow>(dataGrid).
ForEach(d => d.Header = d.GetIndex() + offset);
};
dataGrid.ItemContainerGenerator.ItemsChanged += itemsChangedHandler;
}
}
#endregion // DisplayRowNumber
}
Ответ 5
LoadingRowEvent запускается следующим образом:
ICollectionView view = CollectionViewSource.GetDefaultView(_dataGrid.ItemsSource);
view.Refresh();