1

我正在努力将返回匿名类型的 LINQ 语句转换为带有自定义类的 ObservableCollection,我对 LINQ 语句和类定义感到满意,问题(我认为)与我如何实现我的匿名类型和类本身之间的 IQueryable 接口。

public class CatSummary : INotifyPropertyChanged
{
    private string _catName;
    public string CatName
    {
        get { return _catName; }
        set { if (_catName != value) { _catName = value; NotifyPropertyChanged("CatName"); } }
    }

    private string _catAmount;
    public string CatAmount
    {
        get { return _catAmount; }
        set { if (_catAmount != value) { _catAmount = value; NotifyPropertyChanged("CatAmount"); } }
    }

    public event PropertyChangedEventHandler PropertyChanged;

    // Used to notify Silverlight that a property has changed.
    private void NotifyPropertyChanged(string propertyName)
    {
        if (PropertyChanged != null)
        {
            PropertyChanged(this, new PropertyChangedEventArgs(propertyName));

            //MessageBox.Show("NotifyPropertyChanged: " + propertyName);

        }
    }

}

private void GetCategoryAmounts()
{
    var myOC = new ObservableCollection<CatSummary>();


    var myQuery = BoughtItemDB.BoughtItems
                        .GroupBy(item => item.ItemCategory)
                        .Select(g => new 
                        { 
                            _catName = g.Key, 
                            _catAmount = g.Sum(x => x.ItemAmount)
                        });

    foreach (var item in myQuery) myOC.Add(item);
}

我得到的错误在最后一行,是
"Argument 1: cannot convert from 'AnonymousType#1' to 'CatSummary'"

我对 c# 比较陌生,需要指出正确的方向——如果有人有任何关于这类事情的教程也会有所帮助。

4

3 回答 3

3

这是因为您创建的匿名对象与 没有类型关系CatSummary。如果你想将这些项目添加到你的 ObservableCollection 中,你需要CatSummary像这样构造一个:

BoughtItemDB.BoughtItems.GroupBy(item => item.Category)
       .Select(x => new CatSummary
       {
           CatName = x.Key,
           CatAmount = x.Sum(amt => amt.ItemAmount)
       });

这样,您的查询将创建一个IEnumerable<CatSummary>而不是IEnumerable<a'>. 与其他语言及其鸭子类型不同,仅仅因为您新创建的匿名对象具有 CatName 和 CatAmount 属性并不意味着它可以代表实际类型。

于 2012-04-16T20:11:16.243 回答
0

new { ...您可以选择一个 CatSummary 实例,而不是选择一个匿名类型new CatSummary(...(或任何其他可用的构造 CatSummary 实例的方法)。

于 2012-04-16T20:12:05.027 回答
0

尝试这个:

 foreach (var item in myQuery) 
 {
     // You will need to create a new constructor
     var catsummary = new CatSummary(item.CatName, item.CatAmount);
     myOC.Add(catsummary); 
  }
于 2012-04-16T20:15:36.447 回答