有没有办法可以“添加”两个绑定并为它们添加一些字符串?这很难解释,但是你的XAML代码中的一个绑定到TextBlock,例如:
<TextBlock Name="FirstName" Text="{Binding FN}" />
我想做的是:
<TextBlock Name="FirstLastName" Text="{Binding FN} + ', ' + {Binding LN}" />
所以从本质上讲你会得到这样的东西:
Dean,Grobler
提前致谢!
答案 0 :(得分:3)
首先想到的是在VM
中创建包含连接值的其他属性:
public string FullName
{
get { return FN + ", "+ LN; }
}
public string FN
{
get { return _fN; }
set
{
if(_fn != value)
{
_fn = value;
FirePropertyChanged("FN");
FirePropertyChanged("FullName");
}
}
}
public string LN
{
get { return _lN; }
set
{
if(_lN != value)
{
_lN = value;
FirePropertyChanged("LN");
FirePropertyChanged("FullName");
}
}
}
另一种可能有用的方法是使用转换器。但在这种情况下,我们假设FN
和LN
是同一对象的属性:
和
public class PersonFullNameConverter : IValueConverter
{
public object Convert(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture)
{
if (!(value is Person)) throw new NotSupportedException();
Person b = value as Person;
return b.FN + ", " + b.LN;
}
public object ConvertBack(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture)
{
throw new NotImplementedException();
}
}
public class Person
{
public string FN { get; set; }
public string LN { get; set; }
}
和VM
:
public Person User
{
get { return _user; }
set
{
if(_user != value)
{
_user = value;
FirePropertyChanged("User");
}
}
}