1

在下面的示例中,当我在 TextBox 中键入一个新字符串并用 Tab 标记出来时,TextBlock 会更新,但 TextBox 会保留我输入的值,而不是使用修改后的字符串进行更新。任何想法如何改变这种行为?

<Page
        x:Class="App1.MainPage"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        xmlns:local="using:App1"
        xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
        xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
        mc:Ignorable="d">

        <Grid Background="{StaticResource ApplicationPageBackgroundThemeBrush}" Margin="106,240,261,187">
            <StackPanel>
                <TextBox Text="{Binding MyProp, Mode=TwoWay}"/>
                <TextBlock Text="{Binding MyProp}"/>
            </StackPanel>
        </Grid>
    </Page>

public class ViewModel : INotifyPropertyChanged
    {
        public event PropertyChangedEventHandler PropertyChanged;

        public ViewModel()
        {
            MyProp = "asdf";
        }

        protected virtual void OnPropertyChanged(string propertyName)
        {
            PropertyChangedEventHandler handler = PropertyChanged;
            if (handler != null) handler(this, new PropertyChangedEventArgs(propertyName));
        }
        protected bool SetField<T>(ref T field, T value, string propertyName)
        {
            if (EqualityComparer<T>.Default.Equals(field, value)) return false;
            field = value;
            OnPropertyChanged(propertyName);
            return true;
        }

        private string m_myProp;

        public string MyProp
        {
            get { return m_myProp; }
            set
            {
                m_myProp = value + "1";
                OnPropertyChanged("MyProp");
            }
        }
    }
4

1 回答 1

2

您看到的行为在某种程度上是预期的行为。

当您跳出 TextBox 时,绑定会调用 MyProp 设置器。当您调用 OnPropertyChanged() 时,您仍处于原始绑定的上下文中,并且只有其他绑定会收到更改通知。(要验证它,在 Getter 上设置一个断点,并查看它仅在调用 OnPropertyChanged 后被命中一次。解决此问题的方法是在初始绑定完成更新后调用 OnPropertyChanged,这是通过调用方法来实现的异步并且不等待它返回。

将对 OnPropertyChanged("MyProp") 的调用替换为:

Dispatcher.RunAsync(Windows.UI.Core.CoreDispatcherPriority.Normal, new 
Windows.UI.Core.DispatchedHandler(() => { OnPropertyChanged("MyProp"); }));
于 2012-12-01T04:46:12.833 回答