3

空の C#/XAML Windows 8 アプリケーションを作成しました。簡単な XAML コードを追加します。

<Page
    x:Class="Blank.MainPage"
    IsTabStop="false"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml">

    <Grid Background="{StaticResource ApplicationPageBackgroundThemeBrush}">
        <StackPanel
            Margin="0,150"
            HorizontalAlignment="Center">
            <TextBlock
                x:Name="xTitle"
                Text="{Binding Title, Mode=TwoWay}"/>
            <Button Content="Click me!" Click="OnClick" />
        </StackPanel>
    </Grid>
</Page>

そして、C# 部分の単純なコード:

public sealed partial class MainPage
    {
        private readonly ViewModel m_viewModel;

        public MainPage()
        {
            InitializeComponent();
            m_viewModel = new ViewModel
            {
                Title = "Test1"
            };
            DataContext = m_viewModel;
        }

        private void OnClick(object sender, RoutedEventArgs e)
        {
            m_viewModel.Title = "Test2";
        }
    }

今私は実装したいViewModel。私には2つの方法があります:

  1. 依存関係プロパティを使用
  2. INotifyPropertyChanged を実装する

最初のアプローチは次のとおりです。

public class ViewModel : DependencyObject
    {
        public string Title
        {
            get
            {
                return (string)GetValue(TitleProperty);
            }
            set
            {
                SetValue(TitleProperty, value);
            }
        }

        public static readonly DependencyProperty TitleProperty =
            DependencyProperty.Register("Title", typeof(string)
            , typeof(ViewModel)
            , new PropertyMetadata(string.Empty));
    }

第二に、それは次のとおりです。

public class ViewModel : INotifyPropertyChanged
    {
        private string m_title;

        public string Title
        {
            get
            {
                return m_title;
            }
            set
            {
                m_title = value;
                OnPropertyChanged("Title");
            }
        }

        protected void OnPropertyChanged(string name)
        {
            if (null != PropertyChanged)
            {
                PropertyChanged(this, new PropertyChangedEventArgs(name));
            }
        }

        public event PropertyChangedEventHandler PropertyChanged;
    }

強制を使用できるため、最初の方法を好みます(Web 用および WP7 用の Silverlight には強制機能がありません.. WinRT も.. しかし、私はまだ探しており、希望しています)。残念ながら、最初のアプローチではOneTimeとして機能します。

ビューモデルを実装するためにMSが依存関係プロパティの使用を放棄した理由を誰かに説明してもらえますか?

4

1 に答える 1

5

ViewModel で DependencyProperty を使用しないでください。コントロールでのみ使用してください。1 つの ViewModel を別の ViewModel にバインドする必要はありません。また、ViewModel は値を永続化したり、デフォルト値を提供したり、プロパティ メタデータを提供したりする必要もありません。

ViewModel では INotifyPropertyChanged のみを使用する必要があります。

于 2012-06-18T15:43:25.067 に答える