我有一个小程序来下载"数据库表到Excel。
我想将列类型添加到第二行,我尝试使用以下函数。它工作正常,但GetDataTypeName(i)
仅返回int, nvarchar
,但我需要像这样的完整类型规范
nvarchar(255), decimal(19, 8)
是否有其他功能可以从数据库中获取此信息?
SqlDataReader dataReader = command.ExecuteReader();
// adds the names and the types if the table has no values
if (!dataReader.HasRows || !withValues)
{
for (int i = 0; i < dataReader.FieldCount; i++)
{
names.Add(dataReader.GetName(i));
types.Add(dataReader.GetDataTypeName(i));
}
}
答案 0 :(得分:2)
通过电话GetSchemaTable可以获得此类信息。它返回一个DataTable,其中查询返回的每列都有一行。该表的每一列描述了由元数据相对于查询字段提取的特定信息
例如
SqlDataReader dataReader = command.ExecuteReader();
if (!dataReader.HasRows || !withValues)
{
DataTable dt = dataReader.GetSchemaTable();
foreach(DataRow row in dt.Rows)
{
Console.WriteLine("ColumnName: " + row.Field<string>("ColumnName"));
Console.WriteLine("NET Type: " + row.Field<string>("DataTypeName"));
Console.WriteLine("Size: " + row.Field<int>("ColumnSize"));
}
}
GetSchemaTable返回有关您的表/查询的大量信息,但很多这些字段都设置为null。我不确定这是否是提供者的限制或者它们是null,因为在调用的上下文中,它们没有任何意义。在任何情况下都使用防御性编程来访问这些值(如果!(value == DBNull.Value)
答案 1 :(得分:1)
请使用TableSchema方法获取列的所有详细信息。
SqlDataReader reader= command.ExecuteReader();
using (var schemaTable = reader.GetSchemaTable())
{
foreach (DataRow row in schemaTable.Rows)
{
string ColumnName= row.Field<string>("ColumnName");
string DataTypeName= row.Field<string>("DataTypeName");
short NumericPrecision= row.Field<short>("NumericPrecision");
short NumericScale= row.Field<short>("NumericScale");
int ColumnSize= row.Field<int>("ColumnSize");
Console.WriteLine("Column: {0} Type: {1} Precision: {2} Scale: {3} ColumnSize {4}",
ColumnName, DataTypeName, NumericPrecision, scale,ColumnSize);
}
}
谢谢。