我希望找到一种简单的方法来获取存储过程参数的参数列表。如果程序有3个参数,我想要一个这样的列表:
的param1
参数2
参数3
最好能够在C#代码中执行此操作,但SQL也足够了。想法?
答案 0 :(得分:73)
select * from information_schema.parameters
where specific_name='your_procedure_name'
另请参阅此帖以了解更多方法 https://exploresql.com/2016/10/14/different-methods-to-get-parameter-list-of-a-stored-procedure/
答案 1 :(得分:55)
对于SQL Server,这应该可行。
private void ListParms()
{
SqlConnection conn = new SqlConnection("my sql connection string");
SqlCommand cmd = new SqlCommand("proc name", conn);
cmd.CommandType = CommandType.StoredProcedure;
conn.Open();
SqlCommandBuilder.DeriveParameters(cmd);
foreach (SqlParameter p in cmd.Parameters)
{
Console.WriteLine(p.ParameterName);
}
}
答案 2 :(得分:9)
如果您熟悉企业库,那么使用DiscoverParameters()可以使用Data Access Application Block的方法。
DbCommand command = new DbCommand();
command.CommandText = @"myStoredProc";
command.CommandType = CommandType.StoredProcedure;
Database database = new SqlDatabase(myConnectionString);
database.DiscoverParameters(command);
// ...
一些可能有用的链接:
以上链接指的是EntLib 3.1。根据您使用的.NET Framework版本,您可能还会考虑在this link之后为您下载正确的EntLib版本。
答案 3 :(得分:9)
你可以在不接触SqlConnection的情况下做到这一点,我发现这是一个奖励。
这会使用SqlServer.Management.Smo
命名空间,因此您需要在项目中引用Microsoft.SqlServer.ConnectionInfo
,Microsoft.SqlServer.Management.Sdk
和Microsoft.SqlServer.Smo
。
然后使用以下代码:
Server srv = new Server("serverNameHere");
srv.ConnectionContext.AutoDisconnectMode = AutoDisconnectMode.NoAutoDisconnect;
srv.ConnectionContext.LoginSecure = false; //if using username/password
srv.ConnectionContext.Login = "username";
srv.ConnectionContext.Password = "password";
srv.ConnectionContext.Connect();
Database db = srv.Databases["databaseNameHere"];
foreach(StoredProcedure sp in db.StoredProcedures)
{
foreach(var param in sp.Parameters)
{
string paramName = param.Name;
var dataType = param.DataType;
object defaultValue = param.DefaultValue;
}
}