1

我有一定的数据网格,我需要“刷新”每个......让我们说 1 分钟。

计时器是最好的选择吗?

    public PageMain()
    {
        InitializeComponent();
        DataGridFill();
        InitTimer();
    }

    private void InitTimer()
    {
        disTimer = new Timer(new TimeSpan(0, 1, 0).TotalMilliseconds);
        disTimer.Elapsed += disTimer_Elapsed;
        disTimer.Start();
    }

    void disTimer_Elapsed(object sender, ElapsedEventArgs e)
    {
        DataGridFill();
    }

    private void DataGridFill()
    {
        var items = GetItems(1);
        ICollectionView itemsView =
            CollectionViewSource.GetDefaultView(items);

        itemsView.GroupDescriptions.Add(new PropertyGroupDescription("MyCustomGroup"));
        // Set the view as the DataContext for the DataGrid
        AmbientesDataGrid.DataContext = itemsView;
    }

有没有更“脏”的解决方案?

4

2 回答 2

2

“刷新”a 的最佳方法DataGrid是将其绑定到项目集合,并每 X 分钟更新项目的源集合。

<DataGrid ItemsSource="{Binding MyCollection}" ... />

这样您就不必引用它DataGrid本身,因此您的 UI 逻辑和应用程序逻辑保持分离,如果您的刷新需要一段时间,您可以在后台线程上运行它而不会锁定您的 UI。

由于 WPF 无法从另一个线程更新在一个线程上创建的对象,因此您可能希望获取数据并将其存储在后台线程上的临时集合中,然后在主 UI 线程上更新绑定的集合。

对于计时位,如果需要,请使用 aTimer或可能使用 a。DispatcherTimer

var timer = new System.Windows.Threading.DispatcherTimer();
timer.Tick += Timer_Tick;
timer.Interval = new TimeSpan(0,1,0);
timer.Start();


private void Timer_Tick(object sender, EventArgs e)
{
    MyCollection = GetUpdatedCollectionData();
}
于 2012-10-16T20:17:41.343 回答
1

我的首选方法:

public sealed class ViewModel
{
    /// <summary>
    /// As this is readonly, the list property cannot change, just it's content so
    /// I don't need to send notify messages.
    /// </summary>
    private readonly ObservableCollection<T> _list = new ObservableCollection<T>();

    /// <summary>
    /// Bind to me.
    /// I publish as IEnumerable<T>, no need to show your inner workings.
    /// </summary>
    public IEnumerable<T> List { get { return _list; } }

    /// <summary>
    /// Add items. Call from a despatch timer if you wish.
    /// </summary>
    /// <param name="newItems"></param>
    public void AddItems(IEnumerable<T> newItems)
    {            
        foreach(var item in newItems)
        {
            _list.Add(item);
        }
    }

    /// <summary>
    /// Sets the list of items. Call from a despatch timer if you wish.
    /// </summary>
    /// <param name="newItems"></param>
    public void SetItems(IEnumerable<T> newItems)
    {
        _list.Clear();
        AddItems(newItems);
    }
}

不喜欢缺乏体面的AddRange/ ReplaceRangein ObservableCollection<T>?我也不是,但这里是ObservableCollection<T>添加消息效率的后代AddRange,以及单元测试:

ObservableCollection 不支持 AddRange 方法,所以我会收到添加的每个项目的通知,除了 INotifyCollectionChanging 呢?

于 2012-10-17T19:42:40.157 回答