我如何在代码中访问DataGridCell的数据对象?

基本上我已经绑定了数据网格,以便它类似于科目的时间表 - 每行代表一个学期的学科,并且该学期内的每个单元代表一个科目。

我现在正在尝试添加拖放功能,以便您可以将其他主题拖放到网格上,这样会更新基础数据结构。

我可以使用一些可视化树方法来查找用户拖动新主题的DataGridCell,但我不知道如何访问单元格绑定到的值(主题)以替换空白/占位符的价值与新的主题。 有没有办法访问底层的价值,还是我应该重构我创建这个程序的整个方法?

一个网格和主题被拖到它上面的例子


要获取DataGridCell的数据,可以使用它的DataContext和Column属性。 如何做到这一点完全取决于你的行数据是什么,即你把什么项目放在DataGrid的ItemsSource集合中。 假设你的项目是object[]数组:

// Assuming this is an array of objects, object[],this gets you the 
// row data as you have them in the DataGrid's ItemsSource collection
var rowData = (object[]) DataGrid.SelectedCells[0].Item;
//  This gets you the single cell object
var celldata = rowData[DataGrid.SelectedCells[0].Column.DisplayIndex];

如果行数据更复杂,则需要编写一个相应的方法,将Column属性和行数据项转换为行数据项上的特定值。


编辑:

如果单元格你把你的数据到是不是所选单元格,一种选择是让DataGridRow到该DataGridCell所属采用VisualTreeHelper

var parent = VisualTreeHelper.GetParent(gridCell);
while(parent != null && parent.GetType() != typeof(DataGridRow))
{
    parent = VisualTreeHelper.GetParent(parent);
}
var dataRow = parent;

然后你有这一行,并可以按照上述进行。


此外,关于您是否应该重新考虑该方法的问题,我会建议使用自定义WPF行为

行为提供了一种非常直接的方式来从C#代码扩展控件的功能,而不是XAML,但是保持代码隐藏清晰和简单(如果您遵循MVVM,这不仅很好)。 行为的设计方式是可重复使用的,并不受限于您的特定控制。

这是一个很好的介绍

对于你的特殊情况,我只能给你一个想法:

为你的TextBlock控件写一个DropBehavior (或者你想要的DataGridCells中的任何控件,它处理这个drop)。基本的想法是根据你的控件的OnAttached()方法中的单元格的evnt注册相应的动作。

public class DropBehavior : Behavior<TextBlock>
{
    protected override void OnAttached()
    {
        AssociatedObject.MouseUp += AssociatedObject_MouseUp;
    }

    private void AssociatedObject_MouseUp(object sender, MouseButtonEventArgs e)
    {
        // Handle what happens on mouse up

        // Check requirements, has data been dragged, etc.
        // Get underlying data, now simply as the DataContext of the AssociatedObject
        var cellData = AssociatedObject.DataContext;

    }
}

请注意,解析行数据和Column属性中单个单元格的数据已过时。

然后,使用DataGrid的CellStyleContentTemplate将此行为附加到您放入单元格中的CellStyle中:

<DataGrid>
    <DataGrid.CellStyle>
        <Style TargetType="DataGridCell">
            <Setter Property="ContentTemplate">
                <Setter.Value>
                    <DataTemplate>
                        <TextBlock Text="{Binding}">
                            <i:Interaction.Behaviors>
                                <yourns:DropBehavior/>
                            </i:Interaction.Behaviors>
                        </TextBlock>
                    </DataTemplate>
                </Setter.Value>

            </Setter>
        </Style>
    </DataGrid.CellStyle>
</DataGrid>

您可以在中找到Behavior<T>基类

System.Windows.Interactivity.dll

我没有测试过,但我希望它适合你,并且你明白了...

链接地址: http://www.djcxy.com/p/12281.html

上一篇: How can I access the data object of a DataGridCell in code?

下一篇: Is this a valid SQL conditional expression or a MySQL bug (feature)?