我不是 100% 确定你在这里问什么,但无论如何我都会试一试。在我看来,您正在尝试向 DataGrid 添加更多行,但只显示新项目。
这是因为您正在更改 DataGrid 的 ItemsSource 属性,如果您希望将新项目添加到底部,则 ItemsSource 需要保持不变并添加新行。
这可以使用 DataGrid 上的 Items.Add() 方法来完成,循环遍历数据行并为每个行调用 add ,或者您可以创建一个只需双击添加的项目集合,我提供了一个这里的第二个例子。
就像您的应用程序一样,它显示一个 ListBox 和一个 DataGrid,每次双击 ListBox 中的一个项目时,都会向 DataGrid 添加几行。
XAML
<Window x:Class="WpfApplication1.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
DataContext="{Binding RelativeSource={RelativeSource Self}}"
Title="MainWindow" Height="350" Width="525">
<Grid>
<Grid.ColumnDefinitions>
<ColumnDefinition/>
<ColumnDefinition/>
</Grid.ColumnDefinitions>
<ListBox Grid.Column="0" ItemsSource="{Binding Items}" MouseDoubleClick="ListBox_MouseDoubleClick"/>
<DataGrid Grid.Column="1" ItemsSource="{Binding GridItems}">
<DataGrid.Columns>
<DataGridTextColumn Binding="{Binding}"/>
</DataGrid.Columns>
</DataGrid>
</Grid>
</Window>
背后的代码
using System;
using System.Collections.ObjectModel;
using System.Windows;
using System.Windows.Input;
namespace WpfApplication1
{
public partial class MainWindow : Window
{
// This collection is bound to the ListBox so there are items to select from.
public ObservableCollection<object> Items
{
get { return (ObservableCollection<object>)GetValue(ItemsProperty); }
set { SetValue(ItemsProperty, value); }
}
public static readonly DependencyProperty ItemsProperty =
DependencyProperty.Register("Items", typeof(ObservableCollection<object>), typeof(MainWindow), new PropertyMetadata(null));
// On double click of each item in the ListBox more items will be added to this collection.
public ObservableCollection<object> GridItems
{
get { return (ObservableCollection<object>)GetValue(GridItemsProperty); }
set { SetValue(GridItemsProperty, value); }
}
public static readonly DependencyProperty GridItemsProperty =
DependencyProperty.Register("GridItems", typeof(ObservableCollection<object>), typeof(MainWindow), new PropertyMetadata(null));
public MainWindow()
{
InitializeComponent();
// Some demo items so we can double click.
Items = new ObservableCollection<object>();
Items.Add("test item 1");
Items.Add("test item 2");
Items.Add("test item 3");
Items.Add("test item 4");
Items.Add("test item 5");
Items.Add("test item 6");
Items.Add("test item 7");
GridItems = new ObservableCollection<object>();
}
private void ListBox_MouseDoubleClick(object sender, MouseButtonEventArgs e)
{
// These would be the entries from your database, I'm going to add random numbers.
Random rnd = new Random();
for (int i = 0; i < rnd.Next(5); i++)
GridItems.Add(rnd.Next(100));
}
}
}