是否可以在C#中的DataTable上创建值范围约束?
我正在向DataTable动态添加一列:
this.PrimaryCorrelationMatrix.Columns.Add(sName, typeof(int));
但我希望此列中的所有值都是[0,10]的整数。我可以直接在DataTable上实现这样的约束吗?
我能想到的下一个最佳选择是使用typeof(specialObj)创建一些具有可能值[0,10]的对象,而不是typeof(int)。
答案 0 :(得分:6)
执行此操作的一种方法是检查DataTable的ColumnChanging事件中的e.ProposedValue
。
要对特定列进行约束,可以使用DataColumn的ExtendedProperties集合作为标记来检查这些约束:
DataTable dt = new DataTable();
DataColumn dc = new DataColumn("Range", typeof(int));
dc.ExtendedProperties.Add("Min", 0);
dc.ExtendedProperties.Add("Max", 10);
dt.Columns.Add(dc);
dt.ColumnChanging += dt_ColumnChanging;
在ColumnChanging事件中,您将检查这些属性是否存在,然后使用它们:
void dt_ColumnChanging(object sender, DataColumnChangeEventArgs e) {
if (e.Column.ExtendedProperties.ContainsKey("Min") &&
e.Column.ExtendedProperties.ContainsKey("Max")) {
int min = (int)e.Column.ExtendedProperties["Min"];
int max = (int)e.Column.ExtendedProperties["Max"];
if ((int)e.ProposedValue < min) e.ProposedValue = min;
if ((int)e.ProposedValue > max) e.ProposedValue = max;
}
}
答案 1 :(得分:2)
我可以建议你忘记数据表并使用类。您可以使用数据注释来验证模型。
使用此attribute验证特定属性/
的值范围此代码是从指定的文章中提取的(进行范围验证的类的示例):
public class Product
{
[Range(5, 50)]
public int ReorderLevel { get; set; }
[Range(typeof(Decimal),"5", "5000")]
public decimal ListPrice { get; set; }
}
你会发现使用课程有很多好处。
答案 2 :(得分:0)
这是一篇旧帖子,但我正在使用一个解决方案来同步Check_Constraints未被OleDbDataAdapter.FillSchema填充的Access数据库值得一提。刚刚使用OleDbConnection来检索GetOleDbSchemaTable和foreach()提取验证文本表达式的行,并在相应的表格中创建了一个匿名的delegate。列附加到正确的Table.ColumnChanging事件。然后,由Eval()描述的方便的here函数动态评估Access模式提供的字符串验证。有我的代码:
DataTable schemaTable = connection.GetOleDbSchemaTable(OleDbSchemaGuid.Check_Constraints, null);
// Attach delegate Eval() of each Check_Constraints on proper Table/Column
foreach (DataRow myField in schemaTable.Rows)
{
string constraint_name = "";
string check_clause = "";
foreach (DataColumn myProperty in schemaTable.Columns)
{
if (myProperty.ColumnName == "CONSTRAINT_NAME")
constraint_name = myField[myProperty.ColumnName].ToString();
if (myProperty.ColumnName == "CHECK_CLAUSE")
check_clause = myField[myProperty.ColumnName].ToString();
}
var rule = constraint_name.Replace("[", "").Replace("]", "").Split('.');
if (rule.Length == 3 && dataset.Tables.Contains(rule[0]) && dataset.Tables[rule[0]].Columns.Contains(rule[1]) && String.IsNullOrEmpty(check_clause) == false)
{
dataset.Tables[rule[0]].ColumnChanging += delegate (object sender, DataColumnChangeEventArgs e)
{
if (e.Column.ColumnName == rule[1] && Convert.ToBoolean(ToolBox.Eval(e.ProposedValue + check_clause)) == false)
{
throw new Exception("Tabela: " + rule[0] + ", coluna: " + rule[0] + ", cheque: " + check_clause);
}
};
Debug.WriteLine(rule[0] + "." + rule[1] + ": " + check_clause);
}
}