我有一个包含Hour(对象)的ObservableCollection。在里面,我有一个Title和Value属性。
在我看来,我有一个listview,绑定在这个集合上。标题是一个文本块,Value是一个文本框(用户可以输入文本)。
我想在更改时更改所有文本框(值)的内容。 一小撮代码:
public class Hour : INotifyPropertyChanged
{
public event PropertyChangedEventHandler PropertyChanged;
protected virtual void NotifyPropertyChanged(string propertyName)
{
PropertyChangedEventHandler handler = PropertyChanged;
if (handler != null) handler(this, new PropertyChangedEventArgs(propertyName));
}
public string Title { get; set; }
private int valueContent;
public int Value
{
get { return valueContent; }
set
{
valueContent = value;
NotifyPropertyChanged("Value");
}
}
}
my observablecollection:
private ObservableCollection<Hour> hours;
public ObservableCollection<Hour> Hours
{
get { return hours; }
set
{
hours= value;
NotifyPropertyChanged("Hours");
}
}
xaml:
<ListBox Grid.Column="1" Grid.ColumnSpan="3" Grid.Row="3" Grid.RowSpan="3" ItemsSource="{Binding Hours, Mode=TwoWay}" SelectedItem="{Binding SelectedHour,Mode=TwoWay}" ItemTemplate="{StaticResource HourTemplate}" />
<DataTemplate x:Key="HourTemplate">
<StackPanel Orientation="Horizontal">
<TextBlock Text="{Binding Title}" FontSize="18" Width="150" />
<TextBox Text="{Binding Value, Mode=TwoWay}" FontSize="15" Width="150" TextChanged="TextBox_TextChanged" />
</StackPanel>
</DataTemplate>
所以,我将举例如:
Title - Value
08h00 - 0
09h00 - 0
10h00 - 0
11h00 - 0
12h00 - 0
我想,当我更改一个值(例如:10h00)时,此值之后的所有值都会更改为10h00的值。 预期结果如下:
Title - Value
08h00 - 0
09h00 - 0
10h00 - 1 <--- change here
11h00 - 1 <--- change because 10h00 changed
12h00 - 1 <--- change because 10h00 changed
感谢您的帮助。
答案 0 :(得分:1)
没有 clean 方法可以做到这一点。
首先,我要向Hour
班级ValueUpdated
添加一个事件。在Value
的setter中提升该事件,并让视图模型为每个Hour
对象监听 。让事件将发件人作为参数传递,例如:
public event Action<Hour> ValueUpdated;
//When raising
var handler = ValueUpdated;
if (handler != null)
handler(this);
现在在视图模型处理程序中,您需要找到发件人的索引,然后将更改应用到它之后的每个小时。
private void HandleValueUpdate(Hour sender)
{
int senderIndex = allItems.IndexOf(sender);
IEnumerable<Hour> subsequentHours = allItems.Skip(senderIndex + 1);
foreach (Hour h in subsequentHours)
{
h.SetValue(sender.Value);
}
}
你可能想要在没有提升ValueUpdated
事件的情况下设置的方法,因为如果你这样做,这将非常有效。我通过调用函数而不是设置属性来建模,但是你如何做到这取决于你。