我必須使用ODBC連接調用C#(.Net 2.0)中的存儲過程,有時使用SQLClient調用。我將來也可以與Oracle溝通。如何在C#中使用通用數據庫連接調用存儲過程?
我的存儲過程有輸入/輸出參數和返回值。
CREATE PROCEDURE myProc (@MyInputArg varchar(10), @MyOutputArg varchar(20) output) AS (...) return @@ERROR
我的問題是我無法找到一種方法來存儲一個命令,無論客戶端可能是通用的。我正在使用IDbCommand對象。
與ODBC連接我必須定義:
objCmd.CommandText = "? = CALL myProc (?,?)";
在SQLCLIENT方面:
objCmd.CommandText = "myProc";
我真的不希望我的解析命令,我敢肯定有一個更好的辦法有一個通用的!
爲了幫助人們重現,您可以在下面找到我如何創建通用數據庫連接。在我的上下文中,提供者對象是從配置文件中定義的。
// My DB connection string, init is done from a configuration file
string myConnectionStr = "";
// Provider which defined the connection type, init from config file
//object objProvider = new OdbcConnection(); //ODBC
object objProvider = new SqlConnection(); // SQLClient
// My query -- must be adapted switch ODBC or SQLClient -- that's my problem!
//string myQuery = "? = CALL myProc (?,?)"; // ODBC
string myQuery = "myProc"; // SQLClient
// Prepare the connection
using (IDbConnection conn = (IDbConnection)Activator.CreateInstance(typeof(objProvider), myConnectionStr))
{
// Command creation
IDbCommand objCmd = (IDbCommand)Activator.CreateInstance(typeof(objProvider));
objCmd.Connection = conn;
// Define the command
objCmd.CommandType = CommandType.StoredProcedure;
objCmd.CommandTimeout = 30;
objCmd.CommandText = myQuery;
IDbDataParameter param;
// Return value
param = (IDbDataParameter)Activator.CreateInstance(typeof(objProvider));
param.ParameterName = "RETURN_VALUE";
param.DbType = DbType.Int32;
param.Direction = ParameterDirection.ReturnValue;
objCmd.Parameters.Add(param);
// Param 1 (input)
param = (IDbDataParameter)Activator.CreateInstance(typeof(objProvider));
param.ParameterName = "@MyInputArg";
param.DbType = DbType.AnsiString;
param.Size = 10;
param.Direction = ParameterDirection.Input;
param.Value = "myInputValue";
objCmd.Parameters.Add(param);
// Param 2 (output)
param = (IDbDataParameter)Activator.CreateInstance(typeof(objProvider));
param.ParameterName = "@MyOutputArg";
param.DbType = DbType.AnsiString;
param.Size = 20;
param.Direction = ParameterDirection.Output;
objCmd.Parameters.Add(param);
// Open and execute the command
objCmd.Connection.Open();
objCmd.ExecuteReader(CommandBehavior.SingleResult);
(...) // Treatment
}
感謝您的時間。
Regards, Thibaut。
這個問題有更好的示例代碼,其中99%的答案在那裏討論IDbConnection ... :) –