阅读量:0
在C#中,数据绑定和数据校验通常与Windows Forms或WPF应用程序一起使用
- 创建一个数据模型类,该类将表示要绑定的数据。在这个例子中,我们将创建一个
Person
类:
public class Person : INotifyPropertyChanged, IDataErrorInfo { private string _name; public string Name { get { return _name; } set { if (_name != value) { _name = value; OnPropertyChanged("Name"); } } } // 实现INotifyPropertyChanged接口 public event PropertyChangedEventHandler PropertyChanged; protected virtual void OnPropertyChanged(string propertyName) { PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName)); } // 实现IDataErrorInfo接口 public string Error => null; public string this[string columnName] { get { string result = null; if (columnName == "Name") { if (string.IsNullOrEmpty(_name)) result = "Name cannot be empty"; else if (_name.Length < 3) result = "Name must be at least 3 characters long"; } return result; } } }
- 在你的窗体或控件上创建一个文本框(TextBox),并将其
Text
属性绑定到Person
类的Name
属性:
// 创建一个Person实例 Person person = new Person(); // 创建一个Binding对象,将TextBox的Text属性绑定到Person的Name属性 Binding binding = new Binding("Text", person, "Name"); binding.ValidatesOnDataErrors = true; // 启用数据错误校验 // 将Binding对象添加到TextBox的Bindings集合中 textBoxName.DataBindings.Add(binding);
- 当用户输入数据时,数据绑定会自动将数据传递给
Person
类的Name
属性。同时,由于我们已经启用了数据错误校验,所以当用户输入无效数据时,将显示一个错误提示。
这就是在C#中使用数据绑定进行数据校验的基本方法。请注意,这里的示例是针对Windows Forms应用程序的,但是在WPF应用程序中,数据绑定和数据校验的实现方式会有所不同。