2010-06-04 77 views
2

更改其中一個對象屬性時排序通用列表的最佳方法是什麼?對象更改後對數組列表排序

我有以下示例來幫助解釋需要什麼。

public class Sending 
{ 
    public Sending(int id, DateTime dateSent) 
    { 
     this.Id = id; 
     this.DateSent = dateSent; 
    } 

    public int Id { get; set; } 
    public DateTime DateSent { get; set; } 
} 

public class Operation 
{ 
    public List<Sending> ItemsSent = new List<Sending>(); 

    public Operation() 
    { 
     ItemsSent.Add(new Sending(1, new DateTime(2010, 6, 2))); 
     ItemsSent.Add(new Sending(2, new DateTime(2010, 6, 3))); 

     ItemsSent[1].DateSent = new DateTime(2010, 6, 1); 
    } 
} 

是什麼觸發列表上的按日期排序的DateSent屬性設置後排序的最佳方式?或者我應該有一種方法來更新屬性並執行排序?

回答

1

您可以在Sending上執行IComparable<Sending>並在ItemsSent上調用Sort()。我會建議編寫一個方法來更新對象並手動更新列表。

public class Sending: IComparable<Sending> 
{ 
    // ... 
    public int CompareTo(Sending other) 
    { 
    return other == null ? 1 : DateSent.CompareTo(other.DateSend); 
    } 
} 
+0

謝謝傑森,這可能是我使用的方法。您是否會建議將該集合只讀以便它不能添加到?否則,當列表可能未被排序時會出現一種情況。 – 2010-06-04 09:43:12

0

你可以做的是你第一次實現INotifyChanged。 然後做一些這樣的事情;

public class Sending : INotifyChanged 
{ 
    private int id; 
    private DateTime dateSent; 

    public Sending(int id, DateTime dateSent) 
    { 
     this.Id = id; 
     this.DateSent = dateSent; 
    } 

    public int Id { get; set; } 
    public DateTime DateSent 
    { 
     get 
     { 
      return this.dateSend; 
     } 
     set 
     { 
      this.dateSent = value; 
      OnPropertyChangerd("DateSent"); 
      //CallYou List<Sending> Sort method; 
     } 
} 

因此,無論何時設置新值,排序方法都會對列表進行排序。

+0

是INotifyPropertyChanged接口嗎?這不意味着我將不得不重寫列表的「添加」方法併爲添加到集合的每個對象分配一個事件,以便可以觸發排序方法?還是我實施不正確? – 2010-06-04 09:40:11

+0

如果我沒有弄錯你的想法,那麼假設你想在你的datesent屬性被改變或添加時對列表進行排序,那麼你不必做任何額外的事情。 – Johnny 2010-06-04 11:08:46