Як я можу зробити оновлення прив'язки даних, як тільки в текстовій коробці буде введено новий символ?
Я дізнаюся про прив'язки в WPF, і зараз я застряг у (сподіваюся) простому питанні.
У мене є простий клас FileLister, де ви можете встановити властивість Path, і тоді він надасть вам список файлів при доступі до властивості FileNames. Ось цей клас:
class FileLister:INotifyPropertyChanged {
private string _path = "";
public string Path {
get {
return _path;
}
set {
if (_path.Equals(value)) return;
_path = value;
OnPropertyChanged("Path");
OnPropertyChanged("FileNames");
}
}
public List<String> FileNames {
get {
return getListing(Path);
}
}
private List<string> getListing(string path) {
DirectoryInfo dir = new DirectoryInfo(path);
List<string> result = new List<string>();
if (!dir.Exists) return result;
foreach (FileInfo fi in dir.GetFiles()) {
result.Add(fi.Name);
}
return result;
}
public event PropertyChangedEventHandler PropertyChanged;
protected void OnPropertyChanged(string property) {
PropertyChangedEventHandler handler = PropertyChanged;
if (handler != null) {
handler(this, new PropertyChangedEventArgs(property));
}
}
}
Я використовую FileLister як StaticResource у цьому дуже простому додатку:
<Window x:Class="WpfTest4.MainWindow"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:local="clr-namespace:WpfTest4"
Title="MainWindow" Height="350" Width="525">
<Window.Resources>
<local:FileLister x:Key="fileLister" Path="d:\temp" />
</Window.Resources>
<Grid>
<TextBox Text="{Binding Source={StaticResource fileLister}, Path=Path, Mode=TwoWay}"
Height="25" Margin="12,12,12,0" VerticalAlignment="Top" />
<ListBox Margin="12,43,12,12" Name="listBox1" ItemsSource="{Binding Source={StaticResource ResourceKey=fileLister}, Path=FileNames}"/>
</Grid>
</Window>
Прив'язка працює. Якщо я зміню значення в текстовому полі, а потім клацну за його межами, вміст списку оновлюватиметься (поки шлях існує).
Проблема в тому, що я хотів би оновити, як тільки введено новий символ, а не чекати, поки текстове поле не втратить фокус.
Як я можу це зробити? Чи є спосіб зробити це безпосередньо в xaml, чи я повинен обробляти події TextChanged або TextInput на коробці?