构建ViewModel

时间:2010-07-16 18:37:35

标签: mvvm-light

问候, 我有一个ProductCodel用于ProductCategory。 ProductCategory有一个布尔活动字段。

是否可以拥有一个ProductCategoryViewModel,并且能够获得所有ProductCategories和ACTIVE ProductCategories集合的集合?

或者,我是否必须创建一个ActiveProductCategoryViewModel?

我在Silverlight中使用MVVM-Light和RIA ...所以,我有一个带有GetProductCategories方法和GetActiveProductCategories方法的ProductCategory服务。我希望能够让ActiveProductCategories填充下拉列表...但也可以获取所有ProductCategories用于维护和历史目的等。

谢谢! 屠夫

1 个答案:

答案 0 :(得分:1)

我假设您有另一个带有ProductCategoryViewModel对象集合的ViewModel?如果是这样,我认为只有活跃的产品类别的另一个集合是好的。我不确定您是否需要单独的服务方法,因为您可以根据Active值过滤您的产品类别集合。

如果此视图模型称为ProductCategoriesViewModel,它可能如下所示:

using System.Collections.Generic;
using System.Linq;
using GalaSoft.MvvmLight;

namespace OCEAN.EPP.ViewModel
{
    public class ProductCategoriesViewModel : ViewModelBase
    {
        public ProductCategoriesViewModel()
        {
            if (IsInDesignMode)
            {
                ProductCategories = new List<ProductCategoryViewModel>
                {
                    new ProductCategoryViewModel { Active = false },
                    new ProductCategoryViewModel { Active = false },
                    new ProductCategoryViewModel { Active = true },
                    new ProductCategoryViewModel { Active = true },
                };
            }
            else
            {
                // Code runs "for real": Connect to service, etc...
            }
        }

        public const string ProductCategoriesPropertyName = "ProductCategories";
        private List<ProductCategoryViewModel> _productCategories = new List<ProductCategoryViewModel>();
        public List<ProductCategoryViewModel> ProductCategories
        {
            get { return _productCategories; }
            set
            {
                if (_productCategories == value)
                    return;

                _productCategories = value;
                FilterActiveProductCategories();
                RaisePropertyChanged(ProductCategoriesPropertyName);
            }
        }

        public const string ActiveProductCategoriesPropertyName = "ActiveProductCategories";
        private List<ProductCategoryViewModel> _activeProductCategories = new List<ProductCategoryViewModel>();
        public List<ProductCategoryViewModel> ActiveProductCategories
        {
            get { return _activeProductCategories; }
            set
            {
                if (_activeProductCategories == value)
                    return;

                _activeProductCategories = value;
                RaisePropertyChanged(ActiveProductCategoriesPropertyName);
            }
        }

        private void FilterActiveProductCategories()
        {
            ActiveProductCategories = ProductCategories.Where(pc => pc.Active).ToList();
        }
    }
}