2

嗨,我正在使用 C# 制作 CLR 存储过程,为此我正在通过示例进行学习。

以下是我现在正在尝试的

public static void GetProductsByPrice(int price)
{
    SqlConnection connection = new SqlConnection("context connection=true");
    connection.Open();

    string commandText = "SELECT * FROM Products WHERE PRICE < " + price.ToString();

    SqlCommand command = new SqlCommand(commandText, connection);
    SqlDataReader reader = command.ExecuteReader();

    // Create the record and specify the metadata for the columns.
    SqlDataRecord record = new SqlDataRecord(
        new SqlMetaData("col1", SqlDbType.NVarChar, 100),
        new SqlMetaData("col2", SqlDbType.NVarChar, 100));

    // Mark the begining of the result-set.
    SqlContext.Pipe.SendResultsStart(record);

    // Send 10 rows back to the client. 
    while (reader.Read())
    {
        // Set values for each column in the row.
        record.SetString(0, reader[1].ToString()); //productName
        record.SetString(1, reader[2].ToString()); // productDescription
        // Send the row back to the client.
        SqlContext.Pipe.SendResultsRow(record);
    }

    // Mark the end of the result-set.
    SqlContext.Pipe.SendResultsEnd();
}

但是当我尝试运行它时,出现以下错误

消息 6549,级别 16,状态 1,过程 GetProductsByPrice,第 0行在
执行用户定义的例程或聚合“GetProductsByPrice”期间发生 .NET Framework 错误:
System.Data.SqlClient.SqlException:不支持区域设置标识符 (LCID) 16393通过 SQL Server。
System.Data.SqlClient.SqlException:
在 Microsoft.SqlServer.Server.SmiEventSink_Default.DispatchMessages(Boolean ignoreNonFatalMessages)
在 Microsoft.SqlServer.Server.SqlPipe.SendResultsStart(SqlDataRecord 记录)
在 StoredProcedures.GetProductsByPrice(Int32 价格)
用户交易,如果有的话,将被回滚。

我指的是这个msdn 文章的代码。

请帮我解决这个问题。

4

1 回答 1

5

异常状态:The locale identifier (LCID) 16393 is not supported by SQL

SqlMetaData.LocaleId属性包含列或参数的区域设置 ID,其中默认值是当前线程的当前区域设置。

在这种情况下,默认值16393English - India语言环境(见表),但您的 SQL 服务器似乎安装了不同的语言环境English - United States

所以你有三个选择:

  1. 配置/重新安装您的 SQL 服务器以使用区域设置English - India
  2. 将当前线程的语言环境更改为 SQL Server 支持的本地环境
  3. 创建时手动指定语言环境SqlMetaData

     SqlDataRecord record = new SqlDataRecord(
      new SqlMetaData("col1", SqlDbType.NVarChar, 1033, SqlCompareOptions.None),
      new SqlMetaData("col2", SqlDbType.NVarChar, 1033, SqlCompareOptions.None));
    

    其中 1033 是English - United States

于 2012-11-18T08:34:04.157 回答