我不希望使用类属性进行绑定。
为什么它不起作用?我怎么解决这个问题。我得到空行。我还手动为dataGrid定义了列。
private void Insert(IList<string> row, DataGrid dG)
{
ObservableCollection<IList<string>> data = dG.ItemsSource as ObservableCollection<IList<string>>;
data.Add(row);
dG.ItemsSource = data;
}
对不起我的英文。
问候。
答案 0 :(得分:2)
首先,如果您使用方法直接访问DataGrid属性而不是使用数据绑定,那么您应该使用DataGrid.Items属性,而不是DataGrid.ItemsSource。
private void Insert(IList<string> row, DataGrid dG)
{
dG.Items.Add(row);
}
但是无论如何你都会得到空行,因为DataGrid无法将行中的每个字符串与正确的列定义相关联。
我认为最好的方法是使用转换器:
创建继承自IValueConverter的RowIndexConverter类,并使您的Convert方法如下所示:
public object Convert(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture)
{
int index = System.Convert.ToInt32(parameter);
return (value as IList)[index];
}
为此,您必须在绑定到IList属性(如DataGrid的行)中使用它,并将索引作为ConverterParameter传递。 XAML将是这样的:
<Window x:Class="Test.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="clr-namespace:Test"
Title="MainWindow" Height="350" Width="525">
<Window.Resources>
<local:RowIndexConverter x:Key="rowIndexConverter" />
</Window.Resources>
<Grid>
<DataGrid x:Name="DataGrid">
<DataGrid.Columns>
<DataGridTextColumn Binding="{Binding ., Converter={StaticResource rowIndexConverter}, ConverterParameter=0}" />
<DataGridTextColumn Binding="{Binding ., Converter={StaticResource rowIndexConverter}, ConverterParameter=1}" />
</DataGrid.Columns>
</DataGrid>
</Grid>
</Window>
瞧瞧!价值显示出来。如果您想要更多列,只需添加它们并增加ConvertParameter。请注意,如果行不够长,转换器将抛出异常!