我正在尝试验证DataGrid中的单元格。这是我的第一种验证方法。由于我是新手,我在验证方面遇到了一些问题。
我创建了一个名为StringIsNullOrEmptyValidationRule.cs的类。此类检查string是否为null或“”
这是StringIsNullOrEmptyValidationRule.cs的代码:
class StringIsNullOrEmptyValidationRule : ValidationRule
{
private string _errorMessage = "";
public string ErrorMessage
{
get
{
return _errorMessage;
}
set
{
_errorMessage = value;
}
}
public override ValidationResult Validate(object value, System.Globalization.CultureInfo cultureInfo)
{
ValidationResult result = new ValidationResult(true, null);
if (value == null || ((string)value).Trim() == "")
{
result = new ValidationResult(false, this.ErrorMessage);
}
return result;
}
}
现在我在MainWindow.xaml中有一个datagrid,它绑定到名为People的ObservableCollection。这是我的DataGrid:
<DataGrid x:Name="maindg" ItemsSource="{Binding People}" AutoGenerateColumns="False" SelectionMode="Single" SelectionUnit="CellOrRowHeader">
<DataGrid.Columns>
<DataGridTextColumn Header="First Name" Binding="{Binding FirstName}" />
<DataGridTextColumn Header="Last Name">
<DataGridTextColumn.Binding>
<Binding Path="LastName">
<Binding.ValidationRules>
<local:StringIsNullOrEmptyValidationRule ErrorMessage="LastName is required" />
</Binding.ValidationRules>
</Binding>
</DataGridTextColumn.Binding>
</DataGridTextColumn>
<DataGridTextColumn Header="City" Binding="{Binding City}" />
</DataGrid.Columns>
</DataGrid>
问题:
我在StringIsNullOrEmptyValidationRule的Validate Method的第一行保留了一个断点。 当我没有在LastName列下的单元格中输入任何数据,并尝试离开单元格时,它没有命中断点,这意味着验证甚至不检查。
如果我在lastName列下输入一些数据,然后尝试离开单元格,它会尝试验证单元格。所以它击中了断点。
所以,我的问题是如何验证NullOrEmpty Cell?
答案 0 :(得分:4)
ValidationRule仅适用于更改属性值的情况。但是,当你离开空单元格时,价值没有改变。因此,在这种情况下不会触发验证规则。
在Person类上实现IDataErrorInfo并在那里进行验证:
public class Person : IDataErrorInfo
{
public string FirstName { get; set; }
public string LastName { get; set; }
public string City { get; set; }
public string Error
{
get
{
return String.Concat(this[FirstName], " ", this[LastName], " ",
this[City]);
}
}
public string this[string columnName]
{
get
{
string errorMessage = null;
switch (columnName)
{
case "LastName":
if (String.IsNullOrWhiteSpace(LastName))
{
errorMessage = "LastName is required.";
}
break;
}
return errorMessage;
}
}
}
在您的XAML中,您需要为LastName绑定将 ValidatesOnDataError
属性设置为true:
<DataGridTextColumn Header="Last Name" Binding="{Binding LastName,
ValidatesOnDataErrors=True}"/>
答案 1 :(得分:1)
这是在这里检索的: http://msdn.microsoft.com/en-us/library/ykdxa0bc(v=vs.90).aspx
private void dataGridView1_CellValidating(object sender,
DataGridViewCellValidatingEventArgs e)
{
string headerText = dataGridView1.Columns[e.ColumnIndex].HeaderText;
// Abort validation if cell is not in the CompanyName column.
if (!headerText.Equals("CompanyName")) return;
// Confirm that the cell is not empty.
if (string.IsNullOrEmpty(e.FormattedValue.ToString()))
{
dataGridView1.Rows[e.RowIndex].ErrorText =
"Company Name must not be empty";
e.Cancel = true;
}
基本上,您可以使用条件语句来验证数据。
这显然是验证单元格中存在某些内容的最标准方法......