您需要使用数据绑定值转换器。使用转换器,您可以获取行中的每个值,然后根据需要连接并返回连接后的字符串。
参考:http: //msdn.microsoft.com/en-us/library/system.windows.data.binding.converter.aspx
代码示例:假设您有一个名为 Note 的模型类,它具有 Name 和 Tags 参数。
public class Note
{
public string Name { get; set; }
public string Tags { get; set; }
}
public class NoteItemConverter : IValueConverter
{
public object Convert(object value, Type targetType, object parameter, string language)
{
if (value is Note)
{
Note note = value as Note;
// Return a value based on parameter (when ConverterParameter is specified)
if (parameter != null)
{
string param = parameter as string;
if (param == "name")
{
return note.Name;
}
else if (param == "tags")
{
return note.Tags;
}
}
// Return both name and tags (when no parameter is specified)
return string.Format("{0}: {1}", note.Name, note.Tags);
}
// Gracefully handle other types
// Optionally, throw an exception
return string.Empty;
}
public object ConvertBack(object value, Type targetType, object parameter, string language)
{
return value;
}
}
然后你可以设置你的 ItemsSource
ObservableCollection<Note> notes = ... // Obtain your list of notes
lvRecentNotes.ItemsSource = notes;
在 XAML 中,将转换器添加为页面资源。
<Page.Resources>
<local:NoteItemConverter x:Key="NoteItemConverter"/>
</Page.Resources>
然后绑定到数据模板中的项目。
<!-- Display only the name for the note -->
<TextBlock Text="{Binding Item, Converter={StaticResource NoteItemConverter}, ConverterParameter=name}"/>
<!-- Display only the tags for the note -->
<TextBlock Text="{Binding Item, Converter={StaticResource NoteItemConverter}, ConverterParameter=tags}"/>
<!-- Display both the name and the tags for the note -->
<TextBlock Text="{Binding Item, Converter={StaticResource NoteItemConverter}}"/>
请注意,“绑定项”是指列表中的每个单独元素。您需要根据数据源的定义方式对其进行必要的修改。