2

我正在尝试使用 C# 读取 Microsoft Access 数据库。我正在使用 OLE-DB 类。问题是这段代码

OleDbDataReader reader = Command.ExecuteReader(); 
while (reader.Read())
{
    Console.WriteLine(reader.GetFieldType(0) + "\t" + reader.GetFieldType(1) + "\t" + reader.GetFieldType(2) +
            "\t" + reader.GetFieldType(3) + "\t" + reader.GetFieldType(4) + "\t" + reader.GetFieldType(5));
}

告诉我,第 5 个字段来自数据类型字符串。但它是一个附件。当我试图读取这个字符串时,它是空的。

System.Int32    System.String   System.String   System.Int32    System.DateTime    System.String

有没有办法从数据库中读取附件?

4

2 回答 2

4

我知道您要求使用 OleDb,但使用 DAO,您可以这样说:

    DBEngine dbe = new DBEngine();
    Database db = dbe.OpenDatabase(@"z:\docs\test.accdb", false, false, "");
    Recordset rs = db.OpenRecordset("SELECT TheAttachment FROM TheTable", 
        RecordsetTypeEnum.dbOpenDynaset, 0, LockTypeEnum.dbOptimistic);

    Recordset2 rs2 = (Recordset2)rs.Fields["TheAttachment"].Value;

    Field2 f2 = (Field2)rs2.Fields["FileData"];
    f2.SaveToFile(@"z:\docs\ForExample.xls");
    rs2.Close();
    rs.Close();

参考:使用 .NET 以编程方式管理 Microsoft Access 附件类型字段

于 2012-08-05T19:55:12.193 回答
1

这有点棘手,但你不能只查询附件列,你只会得到文件名。您必须从附件列中的附件对象中选择值,然后提取字节数组(存储在 filedata 中),然后删除 Access 添加到文件中的标头:

var connection = new OleDbConnection(connectionString);
connection.Open();
var dt = new DataTable("Attachments");
var dataAdapter = new OleDbDataAdapter(@"select attachmentColumn.FileData as filedata, attachmentColumn.FileName as filename, attachmentColumn.FileType as filetype from tablename", connection);
dataAdapter.Fill(dt);

foreach (DataRow row in dt.Rows)
{
  var filename = row["filename"].ToString();
  if (string.IsNullOrWhiteSpace(filename)) continue;
  var filedata = (byte[]) row["filedata"];
  int header = (int) filedata[0];
  byte[] actualFile = new byte[filedata.Length - header];
  Buffer.BlockCopy(filedata, header, actualFile, 0, actualFile.Length);
  // do stuff with byte array!
  File.WriteAllBytes("C:\\" + filename, actualFile);
}

请记住,未压缩的文件将由 Access 压缩。更多关于这里。希望这对你有用!

于 2013-11-14T21:43:02.780 回答