BindingList投影包装器

时间:2010-03-03 08:59:58

标签: c# .net binding projection bindinglist

是否有一种简单的方法来创建BindingList包装器(带有投影),当原始列表更新时会更新?

例如,假设我有一个可变的数字列表,我想在ComboBox中将它们表示为十六进制字符串。使用这个包装器,我可以这样做:

BindingList<int> numbers = data.GetNumbers();
comboBox.DataSource = Project(numbers, i => string.Format("{0:x}", i));

我可以将列表包装成新的BindingList,处理所有源事件,更新列表并再次触发这些事件,但我觉得有一种更简单的方法。

1 个答案:

答案 0 :(得分:2)

我偶然发现了这个问题,我意识到我可能会发布我最终的代码。

由于我想要一个快速的解决方案,我做了一个穷人的实现。它作为现有源列表的包装器,但它创建了一个完整的项目预测列表,并根据需要对其进行更新。起初,我希望我能够在访问项目时动态进行投影,但这需要从头开始实现整个IBindingList界面。

做什么:对源列表的任何更新也会更新目标列表,因此绑定的控件将被正确更新。

它不会做什么:当目标列表更改时,它不会更新源列表。这将需要反向投影功能,我无论如何都不需要这种功能。因此,必须始终在源列表中添加,更改或删除项目。

使用示例如下。假设我们有一个数字列表,但我们想在数据网格中显示它们的平方值:

// simple list of numbers
List<int> numbers = new List<int>(new[] { 1, 2, 3, 4, 5 });

// wrap it in a binding list
BindingList<int> sourceList = new BindingList<int>(numbers);

// project each item to a squared item
BindingList<int> squaredList = new ProjectedBindingList<int, int>
    (sourceList, i => i*i);

// whenever the source list is changed, target list will change
sourceList.Add(6);
Debug.Assert(squaredList[5] == 36);

这是源代码:

public class ProjectedBindingList<Tsrc, Tdest> 
    : BindingList<Tdest>
{
    private readonly BindingList<Tsrc> _src;
    private readonly Func<Tsrc, Tdest> _projection;

    public ProjectedBindingList(
        BindingList<Tsrc> source, 
        Func<Tsrc, Tdest> projection)
    {
        _projection = projection;
        _src = source;
        RecreateList();
        _src.ListChanged += new ListChangedEventHandler(_src_ListChanged);
    }

    private void RecreateList()
    {
        RaiseListChangedEvents = false;
        Clear();

        foreach (Tsrc item in _src)
            this.Add(_projection(item));

        RaiseListChangedEvents = true;
    }

    void _src_ListChanged(object sender, ListChangedEventArgs e)
    {
        switch (e.ListChangedType)
        {
            case ListChangedType.ItemAdded:
                this.InsertItem(e.NewIndex, Proj(e.NewIndex));
                break;

            case ListChangedType.ItemChanged:
                this.Items[e.NewIndex] = Proj(e.NewIndex);
                break;

            case ListChangedType.ItemDeleted:
                this.RemoveAt(e.NewIndex);
                break;

            case ListChangedType.ItemMoved:
                Tdest movedItem = this[e.OldIndex];
                this.RemoveAt(e.OldIndex);
                this.InsertItem(e.NewIndex, movedItem);
                break;

            case ListChangedType.Reset:
                // regenerate list
                RecreateList();
                OnListChanged(e);
                break;

            default:
                OnListChanged(e);
                break;
        }
    }

    Tdest Proj(int index)
    {
        return _projection(_src[index]);
    }
}

我希望有人会觉得这很有用。