一个简单的问题,我无法管理自己。
我有一个用于Winforms的DevExpress GridControl(12.2),其中包含一些数值,网格是可编辑的,用户可以更改这些值。
想象一下,用户更改了一个,我想要的是验证这个单元格,以便在我的数据源中修改相应的值,而无需单击单元格外部。
也就是说,我希望用户只需按工具栏中的按钮即可验证并应用所有值,而不是单击输入,esc或单击表格。
我正在寻找一些论坛而没有得到正确答案
谢谢,
答案 0 :(得分:2)
这取决于你想做什么。你有2个选择。验证行并返回显示错误消息的消息框。或者你可以在单元格内有一点红色'x'
这两种方法都有效。但需要稍微不同的实现。这两种方法都要求您订阅gridview的Validate行事件,而不是gridcontrol。
这样的东西会给你一个文本框;
private void gridView1_ValidateRow(object sender,
DevExpress.XtraGrid.Views.Base.ValidateRowEventArgs e)
{
e.Valid = false;
}
这样的东西会给你单元格中的红色'x';
private void gridView1_ValidateRow(object sender,
DevExpress.XtraGrid.Views.Base.ValidateRowEventArgs e) {
GridView view = sender as GridView;
GridColumn inStockCol = view.Columns["UnitsInStock"];
GridColumn onOrderCol = view.Columns["UnitsOnOrder"];
//Get the value of the first column
Int16 inSt = (Int16)view.GetRowCellValue(e.RowHandle, inStockCol);
//Get the value of the second column
Int16 onOrd = (Int16)view.GetRowCellValue(e.RowHandle, onOrderCol);
//Validity criterion
if (inSt < onOrd) {
//Set errors with specific descriptions for the columns
view.SetColumnError(inStockCol, "The value must be greater than Units On Order");
view.SetColumnError(onOrderCol, "The value must be less than Units In Stock");
}
}
这仍然需要用户退出单元格,
我在这里找到了更多信息:http://www.devexpress.com/Support/Center/p/A289.aspx
答案 1 :(得分:1)
在menuItem的处理程序中,单击执行以下操作:
private menuItem_Click(object sender, EventArgs e)
{
gridView1.UpdateCurrentRow(); //return a bool, false = if validation error(s) was found
}
这会强制视图验证输入并将其下推到数据源。
答案 2 :(得分:0)
已接受的答案UpdateCurrentRow()完全按照其说的进行-强制视图更新其结果,如果由于验证错误而无法返回结果,则返回false。但这还不是全部。
要引起验证错误,您需要使用ValidateRow或ValidatingEditor。所以这些一起使用。
区别在于ValidatingEditor在字段之间移动时有效。
using DevExpress.XtraEditors.Controls;
using DevExpress.XtraGrid.Views.Base;
using DevExpress.XtraGrid.Views.Grid;
using DevExpress.XtraGrid.Columns;
private void gridView1_ValidatingEditor(object sender, BaseContainerValidateEditorEventArgs e) {
ColumnView view = sender as ColumnView;
GridColumn column = (e as EditFormValidateEditorEventArgs)?.Column ?? view.FocusedColumn;
if (column.Name != "colBudget") return;
if ((Convert.ToInt32(e.Value) < 0) || (Convert.ToInt32(e.Value) > 1000000))
e.Valid = false;
}
private void gridView1_InvalidValueException(object sender, InvalidValueExceptionEventArgs e) {
ColumnView view = sender as ColumnView;
if (view == null) return;
e.ExceptionMode = ExceptionMode.DisplayError;
e.WindowCaption = "Input Error";
e.ErrorText = "The value should be greater than 0 and less than 1,000,000";
// Destroy the editor and discard the changes made within the edited cell.
view.HideEditor();
}
我的代码通常看起来像这样(VB):
Private Function ValidateView(view As ColumnView) As Boolean
If view.IsEditing Then
view.CloseEditor()
Return view.UpdateCurrentRow()
End If
Return True
End Function