在WinForm中,我可以通过循环以编程方式在DataGridView列上添加Rows,就像这样说
private void rowsAdder()
{
for(int u = 0; u<= 10; u++)
{
classSelect.Rows.Add("Number " + u);
//classSelect is a name of a DataGridView, where the first column is a DataGridViewButtonColumn
}
}
然后我的问题是:
- WPF在DataGrid中添加行的方式相同(使用循环Rows.Add()
等)?
- 如何将列类型设置为ButtonColumn?
如果有这个帮助,我正在使用.NET 4.5
答案 0 :(得分:0)
这是一个非常简单的例子:
<Window x:Class="DataGridUpdateSourceTriggerOneWay.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="clr-namespace:DataGridUpdateSourceTriggerOneWay"
Title="MainWindow" Height="350" Width="525">
<Grid>
<DataGrid x:Name="DataGrid1"
IsReadOnly="False"
AutoGenerateColumns="False"
CanUserAddRows="False"
ItemsSource="{Binding data}">
<DataGrid.Columns>
<DataGridTemplateColumn Header="Field">
<DataGridTemplateColumn.CellTemplate>
<DataTemplate>
<TextBox Text="{Binding Path=Name, Mode=TwoWay,
UpdateSourceTrigger=PropertyChanged}" Width="Auto"/>
</DataTemplate>
</DataGridTemplateColumn.CellTemplate>
</DataGridTemplateColumn>
<DataGridTemplateColumn Header="Length of Field">
<DataGridTemplateColumn.CellTemplate>
<DataTemplate>
<TextBox Text="{Binding Path=Length, Mode=TwoWay,
UpdateSourceTrigger=PropertyChanged}" Width="Auto"/>
</DataTemplate>
</DataGridTemplateColumn.CellTemplate>
</DataGridTemplateColumn>
</DataGrid.Columns>
</DataGrid>
</Grid>
这是你的DataGrid,它的ItemsSource被绑定到下面代码隐藏中存在的数据:
public partial class MainWindow : Window
{
public ObservableCollection<Data> data { get; set; }
public MainWindow()
{
InitializeComponent();
data = new ObservableCollection<Data>();
data.Add(new Data() { Name = "Data1", Length = 1 });
data.Add(new Data() { Name = "Data2", Length = 2 });
this.DataContext = this;
}
}
集合需要通知其绑定视图元素其内容已更改(添加或删除的项目),这是ObservableCollection<Data>
的工作。
这是Data类:
public class Data : INotifyPropertyChanged
{
private string _Name;
public string Name
{
get { return _Name; }
set
{
_Name = value;
PropertyChanged(this, new PropertyChangedEventArgs("Name"));
}
}
private int _Length;
public int Length
{
get { return _Length; }
set
{
_Length = value;
PropertyChanged(this, new PropertyChangedEventArgs("Length"));
}
}
public event PropertyChangedEventHandler PropertyChanged = delegate { };
}
INotifyPropertyChanged
接口是Observer模式实现的一部分,用于特定目的:通知订阅者发布者的属性值刚刚更改。因此,更改现有集合的实例上的这两个属性Name或Length将导致View更新。
如果您需要更多详细信息,请与我们联系。
哦,我忘了,你会怎么加一个新行?只需处理一个位于View上某处的Button的Click事件,并将新的Data实例添加到数据集合中。
<强>实施例强>
data.Add(new Data() { Name = "Data3", Length = 3 });