0

我开始使用 MVVM,但我对某些事情感到困惑,这是我的问题,我只想在表中添加一行,这就是我这样做的方式:

视图模型类:

   // Model.MyClass is my entity
    Model.MyClass myClass;
    public Model.MyClass  MyClass
    {
        get
        {
            return myClass;
        }
        set
        {
            myClass= value;
            base.OnPropertyChanged(() => MyClass);
        }
    }

     context = new myEntities();
     myclass=new Model.MyClass();
     context.MyClass.AddObject(MyClass); 

然后:

 public ICommand SaveCommand
 {
     get { return new BaseCommand(Save); }
 }
 void Save()
 {
     if (DefaultSpecItem != null)
     {
        context.SaveChanges();
     }
 }

我将datatatemplate绑定到MyClass,它可以完美运行并将更改保存到我的数据库,但不要更新我的视图,在这种情况下我想返回id,所以我放了一个文本框并将其绑定到id(prpoerty),什么问题?我错过了什么吗?我会感谢任何帮助。

4

1 回答 1

1

您必须实施INotifyPropertyChanged才能使绑定工作。通常这个实现被移动到视图模型中,它包装了模型的属性并向它添加了更改通知。但是,直接在模型中这样做并没有错。在这种情况下,您通常会通过属性在视图模型中直接访问模型,并使用点表示法进行 binging(即VM.Model.Property)。

就个人而言,我更喜欢包装属性,因为它可以提供更大的灵活性,也可以让绑定更容易理解。

因此,这是一个基于您的模型的示例:

public class ModelViewModel : ViewModelBase {
    public ModelViewModel() { 
        // Obtain model from service depending on whether in design mode
        // or runtime mode use this.IsDesignTime to detemine which data to load.
        // For sample just create a new model
        this._currentData = Model.MyClass();
    }

    private Model.MyClass _currentData;

    public static string FirstPropertyName = "FirstProperty";

    public string FirstProperty {
        get { return _currentData.FirstProperty; }
        set {
            if (_currentData.FirstProperty != value) {
                _currentData.FirstProperty = value;
                RaisePropertyChanged(FirstPropertyName);
            }
        }
    }

    // add additional model properties here

    // add additional view model properties - i.e. properties needed by the 
    // view, but not reflected in the underlying model - here, e.g.

    public string IsButtonEnabledPropertyName = "IsButtonEnabled";

    private bool _isButtonEnabled = true;

    public bool IsButtonEnabled {
        get { return _isButtonEnabled; }
        set {
            if (_isButtonEnabled != value) {
                _isButtonEnabled = value;
                RaisePropertyChanged(IsButtonEnabledPropertyName);
            }
        }
    }
}
于 2012-03-02T07:18:21.023 回答