8

我一直在重用这种使用 DataTable 作为存储过程参数的方法,并且效果很好。这是简化的工作代码:

using (dbEntities dbe = new dbEntities())
{
    var dt = new dataTable();
    dt.Columns.Add("ID");
    dt.Columns.Add("Message");
    dt.Columns.Add("CreatedOn", typeof(DateTime));

    foreach (var row in randomDataSource)
    {
        dt.Rows.Add(
            row.id,
            row.message,
            DateTime.Now
            );
    }

    var tableType = new SqlParameter("tableType", SqlDbType.Structured);
    tableType.Value = dt;
    tableType.TypeName = "[dbo].[RandomTableType]";

    dbe.ExecuteStoreCommand(
        "EXEC [dbo].[SaveTable] @tableType",
        new object[] { tableType }
        );
}

当我要添加的字段是二进制类型时,就会出现问题。IE:

dt.Columns.Add("BinaryMessage", typeof(byte[]));

顺便说一下数据库中对应的列varbinary(MAX)。当我尝试运行它时,我收到此错误:

不允许从数据类型 nvarchar(max) 到 varbinary(max) 的隐式转换。使用 CONVERT 函数运行此查询。

如何修改我必须完成的工作?

4

1 回答 1

13

.NET 中二进制字符串的表示形式是SqlBinary结构

你想像这样添加你的列:

dt.Columns.Add("BinaryMessage", typeof(SqlBinary));

该类SqlBinary具有到字节数组的显式转换和从字节数组的隐式转换,因此从字节数组到列的值是简单的赋值问题,而从列中获取字节数组需要显式转换。

于 2012-09-19T13:40:50.427 回答