2

我有一个 DataGridView 绑定到一个列表和一个显示记录数的标签。我遇到了与Khash相同的问题。(所以我偷了他的头衔)。网格上的任何添加或删除操作都不会更新标签。

在此处输入图像描述

基于Sung 的回答,一个外观包装器,我创建了我的自定义列表继承BindingList和实现INotifyPropertyChanged

public class CountList<T> : BindingList<T>, INotifyPropertyChanged
{    
    protected override void InsertItem(int index, T item)
    {
        base.InsertItem(index, item);
        OnPropertyChanged("Count");
    }

    protected override void RemoveItem(int index)
    {
        base.RemoveItem(index);
        OnPropertyChanged("Count");
    }

    public event PropertyChangedEventHandler PropertyChanged;
    private void OnPropertyChanged(string propertyName)
    {
        if (PropertyChanged != null)
            PropertyChanged(this, new PropertyChangedEventArgs(propertyName));
    }
}

但是,这会在绑定时抛出异常。

Cannot bind to the property or column Count on the DataSource. Parameter name: dataMember

下面是我的绑定代码:

private CountList<Person> _list;

private void Form1_Load(object sender, EventArgs e)
{
    _list = new CountList<Person>();
    var binding = new Binding("Text", _list, "Count");
    binding.Format += (sender2, e2) => e2.Value = string.Format("{0} items", e2.Value);
    label1.DataBindings.Add(binding);
    dataGridView1.DataSource = _list;
}

public class Person
{
    public int Id { get; set; }
    public string Name { get; set; }
}

任何建议将不胜感激。谢谢你。

4

1 回答 1

5

事实上,它比你想象的要简单得多!

Microsoft 已经创建了 BindingSource 控件,因此,您需要使用它,然后处理 BindingSource 事件来更新标签:

    public class Person
    {
        public int Id { get; set; }
        public string Name { get; set; }
    }

    private BindingSource source = new BindingSource();

    private void Form1_Load(object sender, EventArgs e)
    {
        var items = new List<Person>();
        items.Add(new Person() { Id = 1, Name = "Gabriel" });
        items.Add(new Person() { Id = 2, Name = "John" });
        items.Add(new Person() { Id = 3, Name = "Mike" });
        source.DataSource = items;
        gridControl.DataSource = source;
        source.ListChanged += source_ListChanged;

    }

    void source_ListChanged(object sender, ListChangedEventArgs e)
    {
        label1.Text = String.Format("{0} items", source.List.Count);
    }
于 2013-05-21T04:59:40.567 回答