0

我试图创建从 TextBox 派生的新类对象 - 如果 TextBox 中有字符 - 新对象将显示一些按钮,按下此按钮将能够删除此 TextBox 中的字符

我如何从 WPF 中的控制中生成导数?

4

1 回答 1

3

您可以使用文本框和按钮创建一个新的 UserControl。您将字符串属性绑定到文本框和按钮的可见性属性。然后您创建一个转换器,将该字符串转换为可见性。现在您将按钮的命令属性绑定到设置字符串属性 = string.Empty 的命令。

一些提示:

如何使用转换器:

<UserControl.Resources>
    <local:StringToVisibilityConverter x:Key="STV"></local:StringToVisibilityConverter>
</UserControl.Resources>
<Button Visibility="{Binding Path=MyText, Converter={StaticResource ResourceKey=STV}}" />

您的虚拟机可能如下所示:

public class MainViewModel:ViewModelBase
{
    private string _mytext;
    public string MyText
    {
        get
        {
            return _mytext;
        }
        set
        {
            _mytext = value;
            OnPropertyChanged("MyText");
        }
    }

    private RelayCommand<object> _clearTextCommand;
    public ICommand ClearTextCommand
    {
        get
        {
            if (_clearTextCommand == null)
            {
                _clearTextCommand = new RelayCommand<object>(o => ClearText(), o => CanClearText());
            }
            return _clearTextCommand;
        }
    }

    private void ClearText()
    {
        MyText = string.Empty;
    }

    private bool CanClearText()
    {
        return true;
    }
}
于 2012-10-02T11:03:26.673 回答