我正在请求您的帮助以了解是否存在一种快速方法来检查 DataTable/Datagridview 的特定列中的所有值是否是 DateTime 或数字。
我正在尝试制作一种通用方法来将特定格式放入 DGV 的任何列中。
我有来自 TEXT 文件/Excel 或 XML 文件的信息,但没有先前的数据类型定义
谢谢!
我正在请求您的帮助以了解是否存在一种快速方法来检查 DataTable/Datagridview 的特定列中的所有值是否是 DateTime 或数字。
我正在尝试制作一种通用方法来将特定格式放入 DGV 的任何列中。
我有来自 TEXT 文件/Excel 或 XML 文件的信息,但没有先前的数据类型定义
谢谢!
您可以将循环隐藏在扩展方法中。然而,最终结果将需要一个循环,即使循环隐藏在 Linq 操作中。例如,您可以编写此扩展方法:
public static void ApplyColumnFormatting(this System.Data.DataTable table, string column, Action formatDateTime, Action formatNumeric)
{
bool foundNonDateTime = false;
bool foundNonNumeric = false;
DateTime dt;
Double num;
foreach (System.Data.DataRow row in table.Rows)
{
string val = row[column] as string;
// Optionally skip this iteration if the value is not a string, depending on your needs.
if (val == null)
continue;
// Check for non-DateTime, but only if we haven't already ruled it out
if (!foundNonDateTime && !DateTime.TryParse(val, out dt))
foundNonDateTime = true;
// Check for non-Numeric, but only if we haven't already ruled it out
if (!foundNonNumeric && !Double.TryParse(val, out num))
foundNonNumeric = true;
// Leave loop if we've already ruled out both types
if (foundNonDateTime && foundNonNumeric)
break;
}
if (!foundNonDateTime)
formatDateTime();
else if (!foundNonNumeric)
formatNumeric();
}
然后你可以这样称呼它:
System.Data.DataTable table = ...;
table.ApplyColumnFormatting("Column_Name",
() => { /* Apply DateTime formatting here */ },
() => { /* Apply Numeric formatting here */ }
);
从某种意义上说,这很快,它不会检查多余的行,并且在排除给定类型后不会继续检查给定类型。