gbk*_*gbk 4 c# wpf xaml binding triggers
使用 WPF、C#、VS 2012
尝试使用 WPF 为 UI 实现一些自定义行为。当前创建继承自的类Behavior<FrameworkElement>
想法:在 UI 上创建一个用于输入名称的区域(我使用文本框)-另一个区域(矩形)-按下并查看带有来自上一个字段的数据的一些操作。
做了什么:
实现想法的类(带有行为的类)
class SayHello: Behavior<FrameworkElement>
{
public string Words { get; set; }
protected override void OnAttached()
{
AssociatedObject.MouseLeftButtonUp += OnMouseClick;
}
private void OnMouseClick(object sender,
System.Windows.Input.MouseButtonEventArgs e)
{
MessageBox.Show(string.Format("hello , {0}", Words));
}
protected override void OnDetaching()
{
AssociatedObject.MouseLeftButtonUp -= OnMouseClick;
}
}
Run Code Online (Sandbox Code Playgroud)
XAML:
<Window
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:i="http://schemas.microsoft.com/expression/2010/interactivity"
xmlns:ei="http://schemas.microsoft.com/expression/2010/interactions"
xmlns:local="clr-namespace:CH08.MovingCircle"
x:Class="CH08.MovingCircle.MainWindow"
Title="MainWindow" Height="350" Width="525">
<Canvas>
<Border Canvas.Top="220" BorderBrush="Black"
BorderThickness="2">
<TextBox x:Name="_enteredWords" Width="200"/>
</Border>
<Rectangle Stroke="Blue" Canvas.Top="250" Fill="Aquamarine"
Width="200" Height="50">
<i:Interaction.Behaviors>
<local:SayHello
Words="{Binding Text, ElementName=_enteredWords}"/>
</i:Interaction.Behaviors>
</Rectangle>
</Canvas>
Run Code Online (Sandbox Code Playgroud)
有错误: A 'Binding' cannot be set on the 'Words' property of type 'SayHello'. A 'Binding' can only be set on a DependencyProperty of a DependencyObject...
如果我将 XAML 的一部分更改为
<Rectangle Stroke="Blue" Canvas.Top="250" Fill="Aquamarine"
Width="200" Height="50">
<i:Interaction.Behaviors>
<local:SayHello
Words="Adbracadabra"/>
</i:Interaction.Behaviors>
</Rectangle>
Run Code Online (Sandbox Code Playgroud)
问题:是否可以为具有自定义行为的类创建与属性的绑定?如果是,我该怎么做?
编辑:
正如 vfabre 所建议的那样 - 将属性更改为依赖属性
public string Words
{
get { return (string)GetValue(WordsProperty); }
set { SetValue(WordsProperty, value); }
}
// Using a DependencyProperty as the backing store for Words.
//This enables animation, styling, binding, etc...
public static DependencyProperty WordsProperty =
DependencyProperty.Register("Words", typeof(string),
typeof(SayHello), new PropertyMetadata(default(string)));
Run Code Online (Sandbox Code Playgroud)
结果

也许错误信息给了我们解决方案。您必须将您的Words属性转换为依赖属性,以下是一个示例:
public string Words
{
get { return (string)GetValue(WordsProperty); }
set { SetValue(WordsProperty, value); }
}
// Using a DependencyProperty as the backing store for Words. This enables animation, styling, binding, etc...
public static readonly DependencyProperty WordsProperty =
DependencyProperty.Register("Words", typeof(string), typeof(SayHello), new PropertyMetadata(default(string)));
//public string Words { get; set; }
Run Code Online (Sandbox Code Playgroud)
我建议您使用代码 snipet propdp。小费propdp然后tab+tab。
您可以在此处找到有关依赖项属性的更多信息。
问候
编辑 更改了字符串的默认值。