我正在尝试使用 DataTable 使用 DataColumns 上的 Expression 属性对数据行执行计算。微软
我发现如果将表达式应用于行时出现异常,将使用默认值。这正是我想要的有问题的行。问题是每个后续行都将使用默认值而不是评估表达式。
在此示例中,从包含两列和 10 行的基表开始。第一列是自动递增的列,范围为 -5 到 5。第二列始终为 3。
我添加了第三列,其表达式将“3”列除以第一列。这将导致一行出现 div0 异常。
对于这一行,我希望它使用我提供的默认值。它确实如此,但也将默认值应用于剩余的 4 行。
输出:
-5 3 -0.6
-4 3 -0.75
-3 3 -1
-2 3 -1.5
-1 3 -3
0 3 -33 //Expected
1 3 -33 //I want it to continue evaluating the expression, not default
2 3 -33
3 3 -33
4 3 -33
如何添加处理,以便如果单个行有问题,它将使用默认值,同时继续对后续行使用表达式?
请注意,我不能简单地使用此处描述的 IIF来检查此类问题,因为所使用的表达式是动态的,并且作为自定义数据的一种方式由用户提供。
完整的代码来重现这个:
using System;
using System.Data;
namespace DataSetExpressionTest
{
public class SO
{
private static DataTable table = null;
private static void Main(string[] args)
{
table = CreateBaseTable();
//If there is a problem only in some rows of the table, the rows before the error are calculated using the expression. All rows afrer use the default value
DataColumn onlyOneException = new DataColumn()
{
ColumnName = "One-Ex",
Expression = "third / index",
DefaultValue = -33
};
AddCalculationToTable(onlyOneException);
PrintDataTable(table);
Console.ReadLine();
}
private static void AddCalculationToTable(DataColumn calculationColumn)
{
//You can wrap individual stats in try/catch blocks. If there is an exception in a calc, it will use the default value specified
try
{
table.Columns.Add(calculationColumn);
}
catch (Exception e)
{
Console.WriteLine("Caught a calculation exception while adding column {0}. Will use default value instead!!", calculationColumn.ColumnName);
}
}
private static DataTable CreateBaseTable()
{
DataTable table = new DataTable();
// Create 3s column.
DataColumn threeColumn = new DataColumn
{
DataType = Type.GetType("System.Decimal"),
ColumnName = "third",
DefaultValue = 3
};
//Create icrementing index column
DataColumn indexColumn = new DataColumn
{
DataType = Type.GetType("System.Decimal"),
ColumnName = "index",
AutoIncrement = true,
AutoIncrementSeed = -5
};
// Add columns to DataTable.
table.Columns.Add(indexColumn);
table.Columns.Add(threeColumn);
for (var i = 0; i < 10; i++)
{
table.Rows.Add(table.NewRow());
}
return table;
}
public static void PrintDataTable(DataTable table)
{
foreach (DataColumn column in table.Columns)
{
Console.Write(column.ColumnName + " ");
}
Console.WriteLine();
foreach (DataRow dataRow in table.Rows)
{
foreach (var item in dataRow.ItemArray)
{
Console.Write(item + " ");
}
Console.WriteLine();
}
}
}
}