如何DataGrid
在没有绑定的 WPF 中以编程方式将数据项添加到?有DataGrid
4 列。
问问题
43472 次
3 回答
18
不是很清楚,你喜欢做什么。我猜,你已经定义了一些你想放置 DataGrid 的地方。出于说明目的,我创建了一个新的 WPF 项目并使用 chridram 提供的代码,他发布了第一个答案。
在下面的 MainWindow.xaml 中,我将 Grid MainGrid 命名为在后面的代码中访问它:
<Window x:Class="WpfExperiments.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
Title="MainWindow" Height="350" Width="525">
<Grid Name="MainGrid"/>
</Window>
DataItem 类不是 WPF 类,而是自己创建的自定义类:
public class DataItem
{
public string Column1 { get; set; }
public string Column2 { get; set; }
public string Column3 { get; set; }
public string Column4 { get; set; }
}
要让 DataGrid 以编程方式显示存储在 DataItem 对象中的数据,您可以执行以下操作:
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
// Your programmatically created DataGrid is attached to MainGrid here
var dg = new DataGrid();
this.MainGrid.Children.Add(dg);
// create four columns here with same names as the DataItem's properties
for (int i = 1; i <= 4; ++i)
{
var column = new DataGridTextColumn();
column.Header = "Column" + i;
column.Binding = new Binding("Column" + i);
dg.Columns.Add(column);
}
// create and add two lines of fake data to be displayed, here
dg.Items.Add(new DataItem { Column1 = "a.1", Column2 = "a.2", Column3 = "a.3", Column4 = "a.4" });
dg.Items.Add(new DataItem { Column1 = "b.1", Column2 = "b.2", Column3 = "b.3", Column4 = "b.4" });
}
}
我希望这有帮助。
问候约尔格
于 2012-08-14T11:32:56.380 回答
2
这是我用来从数据库中检索数据的函数
string query = "Select * from VWpatientinfo";
DataTable dataTableObject = new DataTable("Table Name");
obj.DataRetrive(query,dataTableObject);
DataGridName.ItemsSource = dataTableObject.DefaultView;
于 2016-01-02T07:51:16.343 回答
1
.xaml:
<DataGrid x:Name="dataGrid" Margin="10">
<DataGrid.Columns>
<DataGridCheckBoxColumn Binding="{Binding Path=Column1}"/>
<DataGridTextColumn Binding="{Binding Path=Column2}"/>
</DataGrid.Columns>
</DataGrid>
。CS:
public class DataItem
{
public bool Column1 { get; set; }
public string Column2 { get; set; }
}
/// <summary>
/// Interaction logic for MainWindow.xaml
/// </summary>
public partial class MainWindow : Window
{
public MainWindow()
{
InitializeComponent();
}
private void Window_Loaded(object sender, RoutedEventArgs e)
{
DataItem item = new DataItem();
item.Column1 = true;
item.Column2 = "test";
dataGrid.Items.Add(item);
}
}
于 2018-06-27T17:38:32.670 回答