0

クラスに「すべてを取得」するメソッドを追加したいと考えています。lineCollection で (.find(), .findall(), .findindex() ) を見ることができますが、これは私が必要としているものだとは思いませんか? 何か助けはありますか?

using System.Collections.Generic;
using System.Linq;

namespace SportsStore.Domain.Entities
{
    public class Cart
    {
        private readonly List<CartLine> lineCollection = new List<CartLine>();

        public IEnumerable<CartLine> Lines
        {
            get { return lineCollection; }
        }

        public void AddItem(Product product, int quantity)
        {
            CartLine line = lineCollection
                .Where(p => p.Product.ProductID == product.ProductID)
                .FirstOrDefault();

            if (line == null)
            {
                lineCollection.Add(new CartLine {Product = product, Quantity = quantity});
            }
            else
            {
                line.Quantity += quantity;
            }
        }

        public void RemoveLine(Product product)
        {
            lineCollection.RemoveAll(l => l.Product.ProductID == product.ProductID);
        }

        public decimal ComputeTotalValue()
        {
            return lineCollection.Sum(e => e.Product.Price*e.Quantity);
        }

        public void Clear()
        {
            lineCollection.Clear();
        }

    }

    public class CartLine
    {
        public Product Product { get; set; }
        public int Quantity { get; set; }
    }
}
4

1 に答える 1

4

lineCollection はすでにリストです。List を返すだけで、すべての要素を取得できます。これらの要素で何かをしたい場合は、foreach ループを使用できます。IQueryable を List に変換する必要がある場合は、.ToList() を使用します。

于 2012-08-25T02:16:15.323 に答える