Winformアプリケーションのロジックからビューをどのように分離しますか?


18

ビューをロジックから分離するMVCのようなパターンがあることは知っていますが、Winformアプリケーションでそれらがどれほど一般的かはわかりません。

C#Winformアプリケーションの場合、a Formから始めてUIコンポーネントを徐々に追加し、コンポーネントのイベントに対して(clicktextchanged...)関数を呼び出すか、ロジックを直接記述します!

私はそれが悪い習慣であることは知っていますが、Visual Studioでそのようなプロジェクト(テンプレート、フレームワーク、開始点)を開始する最善の方法は何なのかわかりません。MVCが唯一の解決策ですか?私はどんなプロジェクトでもそれをすべきですか?!

開始するためのガイドラインまたは軽量フレームワークを受け取りたいです。


2
探しているものの完全なチュートリアルを次に示し
Doc Brown

回答:


25

MVVM(Model-View-ViewModel)パターンは、 Winforms

モデル

public class Person
{
    public string FirstName {get; set;}
    public string LastName {get; set;}
}

ViewModel

public class PersonViewModel : INotifyPropertyChanged
{
    private Person _Model;

    public string FirstName
    {
        get { return _Model.FirstName; }
        set(string value)
        {
            _Model.FirstName = value;
            this.NotifyPropertyChanged("FirstName");
            this.NotifyPropertyChanged("FullName"); //Inform View about value changed
        }
    }

    public string LastName
    {
        get { return _Model.LastName; }
        set(string value)
        {
            _Model.LastName = value;
            this.NotifyPropertyChanged("LastName");
            this.NotifyPropertyChanged("FullName");
        }
    }

    //ViewModel can contain property which serves view
    //For example: FullName not necessary in the Model  
    public String FullName
    {
        get { return _Model.FirstName + " " +  _Model.LastName; }
    }

    //Implementing INotifyPropertyChanged
    public event PropertyChangedEventHandler PropertyChanged;

    private void NotifyPropertyChanged(String info)
    {
        if (PropertyChanged != null)
        {
            PropertyChanged(this, new PropertyChangedEventArgs(info));
        }
    }
}

見る

public class PersonView: Form
{
    //Add two textbox and one label to the form
    //Add BindingSource control which will handle 
    //ViewModel and Views controls changes


    //As viewmodel you can use any type which of course have same named properties
    public PersonView(Object viewmodel)
    {
        this.InitializeComponents();

        this.ViewModelBindingSource.DataSource = viewmodel;
        this.InitializeDataBindings();
    }

    private void InitializeDataBindings()
    {
        this.TextBoxFirstName.DataBindings.Add("Text", this.ViewModelBindingSource, "FirstName", true);
        this.TextBoxLastName.DataBindings.Add("Text", this.ViewModelBindingSource, "LastName", true);
        this.LabelFullName.DataBindings.Add("Text", this.ViewModelBindingSource, "FullName", true);
    }
}

MSDNの Winformsでのデータバインディングの詳細を読む


0

明らかに、WinFormsはあるデザインパターンを別のデザインパターンよりもネイティブにサポートしていません。データがビューモデルに「バインド」されてデータを直接更新できないため、動作しない可能性があるのはMVVMです。

それ以外の場合-MVPでWinFormsを試行します-以前にそれを行ったことを見ました-https://winformsmvp.codeplex.com/を見るためのリンクがあります

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.