4

DataSource時間の制約で変化し続けるにバインドされたテーブルを表示するデータグリッドがあります。DataSource値が更新されたときにデータグリッドのコンテンツを更新する方法。

PS:私のDataSourceテーブルの値は監視システムによって更新されます。そのテーブル値は定期的に更新されます。

EFのどこに監視可能なコレクションを追加する必要がありますか?

    private IQueryable<MyTable> GetMyTablesQuery(TestDBEntities1 testDBEntities1 )
    {
         // definition of a Query to retrieve the info from my DB
        System.Data.Objects.ObjectQuery<EF_demo1.MyTable> myTablesQuery = testDBEntities1.MyTables;
         // Returns an ObjectQuery.
        return myTablesQuery ;
    }

    private void Window_Loaded(object sender, RoutedEventArgs e)
    {
         // A New entity container is created that uses the object context
        var testDBEntities1 = new EF_demo1.HMDBEntities1();
         // Load data into MyTables. 
        var myTablesViewSource= ((System.Windows.Data.CollectionViewSource)(this.FindResource("myTablesViewSource")));
         // the query which is defined above is executed here. It grabs all the information from the entity container
        IQueryable<EF_demo1.MyTable> myTablesQuery = this.GetMyTablesQuery(testDBEntities1 );
         //The query result is binded to the source of the myTablesViewSource, which inturn binds back to the list.
        myTablesViewSource.Source = myTablesQuery .ToList();
    }
4

1 に答える 1

3

考えられる1つの方法は、ObservableCollectionを使用することです。

BoundCollection = new ObservableCollection<MyEntityType>(entities);

BoundCollectionバインディングのどこで使用されますか。そして、値が更新されるたびに、コレクションをクリアして再度追加します。

BoundCollection.Clear();
foreach(var e in entities)
{
    BoundCollection.Add(e);
}

INotifyPropertyChangedを使用し、毎回コレクションを再バインドする別のオプションを次に示します。ただし、ObservableCollectionの使用は、UIを自動的に更新するアイテムを追加および削除するように設計されているため、推奨される方法です。

public class MyModel : INotifyPropertyChanged
{
  public IList<MyEntity> BoundCollection {get; private set;}

  public MyModel()
  {
    UpdateBinding();
  }

  private void UpdateBinding()
  {
    // get entities
    BoundCollection = new List<MyEntity>(entities);
    // this notifies the bound grid that the binding has changed
    // and should refresh the data
    NotifyPropertyChanged("UpdateBinding");
  }

  public event PropertyChangedEventHandler PropertyChanged;

  private void NotifyPropertyChanged( string propertyName = "")
  {
    if (PropertyChanged != null)
    {
      PropertyChanged(this, new PropertyChangedEventArgs(propertyName));
    }
  }
}
于 2013-01-09T23:34:49.960 に答える