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 回答