如何在ObservableCollection的开头插入项目

本文关键字:开头 插入项目 ObservableCollection | 更新日期: 2023-09-27 18:29:14

我该怎么做?我需要一份清单(类型为ObservableCollection),其中最新的项目是第一个。

如何在ObservableCollection的开头插入项目

尝试使用

collection.Insert(0, item);

这会将项添加到集合的开头(而add会添加到末尾)。点击此处了解更多信息。

您应该使用堆栈。

这是基于可观察堆栈和队列

创建一个可观察堆栈,其中堆栈总是后进先出(LIFO)。

来自Sascha Holl

public class ObservableStack<T> : Stack<T>, INotifyCollectionChanged, INotifyPropertyChanged
{
    public ObservableStack()
    {
    }
    public ObservableStack(IEnumerable<T> collection)
    {
        foreach (var item in collection)
            base.Push(item);
    }
    public ObservableStack(List<T> list)
    {
        foreach (var item in list)
            base.Push(item);
    }

    public new virtual void Clear()
    {
        base.Clear();
        this.OnCollectionChanged(new NotifyCollectionChangedEventArgs(NotifyCollectionChangedAction.Reset));
    }
    public new virtual T Pop()
    {
        var item = base.Pop();
        this.OnCollectionChanged(new NotifyCollectionChangedEventArgs(NotifyCollectionChangedAction.Remove, item));
        return item;
    }
    public new virtual void Push(T item)
    {
        base.Push(item);
        this.OnCollectionChanged(new NotifyCollectionChangedEventArgs(NotifyCollectionChangedAction.Add, item));
    }

    public virtual event NotifyCollectionChangedEventHandler CollectionChanged;

    protected virtual void OnCollectionChanged(NotifyCollectionChangedEventArgs e)
    {
        this.RaiseCollectionChanged(e);
    }
    protected virtual void OnPropertyChanged(PropertyChangedEventArgs e)
    {
        this.RaisePropertyChanged(e);
    }

    protected virtual event PropertyChangedEventHandler PropertyChanged;

    private void RaiseCollectionChanged(NotifyCollectionChangedEventArgs e)
    {
        if (this.CollectionChanged != null)
            this.CollectionChanged(this, e);
    }
    private void RaisePropertyChanged(PropertyChangedEventArgs e)
    {
        if (this.PropertyChanged != null)
            this.PropertyChanged(this, e);
    }

    event PropertyChangedEventHandler INotifyPropertyChanged.PropertyChanged
    {
        add { this.PropertyChanged += value; }
        remove { this.PropertyChanged -= value; }
    }
}

这调用INotifyCollectionChanged,与ObservableCollection相同,但采用堆栈方式。

你可以试试这个

collection.insert(0,collection.ElementAt(collection.Count - 1));