我正在尝试使用ObjectContext
上的ExecuteStoreQuery
方法对我的SQLite数据库进行一些手动SQL查询。
问题是,我并不总是知道我正在查询的表中有多少列。理想情况下,我希望每个提取的行都只是一个string[]
对象。
我在这里看了示例2:http://msdn.microsoft.com/en-us/library/vstudio/dd487208(v=vs.100(.aspx
这与我想要做的很接近,只是我不知道我正在获取的TElement
的结构,所以我不能像示例中那样定义结构。
以下是我的一些代码(由于????
TElement
而未编译(。下面的代码试图获取表信息,所以在这种情况下,我确实知道行的结构,但通常我不知道。
有没有办法用ExecuteStoreQuery
做到这一点?或者,在仍然使用我的ObjectContext
的现有连接(而不是打开到DB的新SQL连接(的情况下,是否有其他方法可以做到这一点?
public void PrintColumnHeaders(NWRevalDatabaseEntities entities, string tableName)
{
string columnListQuery = string.Format("PRAGMA table_info({0})", tableName);
var result = entities.ExecuteStoreQuery<????>(columnListQuery);
foreach (string[] row in result)
{
string columnHeader = row[1]; // Column header is in second column of table
Console.WriteLine("Column Header: {0}", columnHeader);
}
}
我是根据Gert Arnold的评论完成这项工作的。此外,我花了一些精力才弄清楚我需要一个SQLiteConnection,而不是可以直接从ObjectContext获得的EntityConnection。这个问题的答案帮助了我。
工作代码如下:
public static void PrintColumnHeaders(NWRevalDatabaseEntities entities, string tableName)
{
var sc = ((System.Data.EntityClient.EntityConnection)entities.Connection).StoreConnection;
System.Data.SQLite.SQLiteConnection sqliteConnection = (System.Data.SQLite.SQLiteConnection)sc;
sqliteConnection.Open();
System.Data.Common.DbCommand cmd = sc.CreateCommand();
cmd.CommandType = System.Data.CommandType.Text;
cmd.CommandText = string.Format("PRAGMA table_info('{0}');", tableName);
System.Data.Common.DbDataReader reader = cmd.ExecuteReader();
if (reader.HasRows)
{
object[] values = new object[reader.FieldCount];
while (reader.Read())
{
int result = reader.GetValues(values);
string columnHeader = (string)values[1]; // table_info returns a row for each column, with the column header in the second column.
Console.WriteLine("Column Header: {0}", columnHeader);
}
}
sqliteConnection.Close();
}