Click here to Skip to main content
15,881,380 members
Articles / Programming Languages / T-SQL

TSQL: Passing Array/List/Set to Stored Procedure (Microsoft SQL Server)

Rate me:
Please Sign up or sign in to vote.
4.63/5 (11 votes)
29 Jun 2017Ms-PL5 min read 147.8K   34   9
TSQL: Passing array/list/set to stored procedure (Microsoft SQL Server)

Passing array/list/set to stored procedure is a fairly common task when you are working with databases. You can meet this when you want to filter some collection. Other case – it can be an import into database from extern sources. I will consider few solutions: creation of sql-query at server code, put set of parameters to SQL stored procedure’s parameter with next variants: parameters separated by comma, bulk insert, and at last table-valued parameters (it is a most interesting approach, which we can use from Microsoft SQL Server 2008).

Ok, let’s suppose that we have a list of items and we need to filter these items by categories (“TV”, “TV game device”, “DVD-player”) and by firms (“Firm 1”, “Firm 2”, “Firm 3). It will look at the database like this:

So we need a query which will return a list of items from database. Also, we need the opportunity to filter these items by categories or by firms. We will filter them by identifiers. Ok, we know the mission. How we will solve it? Most easy way, used by junior developers – it is creating SQL-instruction with C# code, it can be like this:

C#
List<int> categories = new List<int>() { 1, 2, 3 };
 
StringBuilder sbSql = new StringBuilder();
sbSql.Append(
  @"select i.Name as ItemName, f.Name as FirmName, c.Name as CategoryName 
    from Item i
      inner join Firm f on i.FirmId = f.FirmId
      inner join Category c on i.CategoryId = c.CategoryId
    where c.CategoryId in (");

if (categories.Count > 0)
{
  for (int i = 0; i < categories.Count; i ++)
  {
    if (i != 0)
      sbSql.Append(",");
    sbSql.Append(categories[i]);
  }
}
else
{
  sbSql.Append("-1"); // It is for empty result when no one category selected
}
sbSql.Append(")");
 
string sqlQuery = sbSql.ToString();
 
DataTable table = new DataTable();
using (SqlConnection connection = new SqlConnection(
  "Data Source=(local);Initial Catalog=TableParameters;Integrated Security=SSPI;"))
{
  connection.Open();
  using (SqlCommand command = new SqlCommand(sqlQuery, connection))
  {
    using (SqlDataAdapter dataAdapter = new SqlDataAdapter(command))
    {
      dataAdapter.Fill(table);
    }
  }
}
 
//TODO: Working with table

We will filter items only by categories. Just want to write less code. In the previous example, first line is list of categories identifiers, chosen by user (user can select checkboxes). Problems of this solution are:

  1. sql-injections in some cases (user can change identifiers, which we get from web-form);
  2. not really good code support at feature when categories can be a really big set.

One more problem – it will be hard to place this code to stored procedure (of course, you can use exec statement at sql-server, but it will be not a good choice). So we can name this solution like “Solution #0”, because you can use it only if you are a very lazy guy, or because this solution is written very fast.

Solution #1. String – Parameters Separated by Comma

In all the following solutions, we will use stored procedures at SQL Server. So, the first solution will be a list of parameters separated by comma in one string sql-parameter, like this ‘1,2,3,4’. First, we need to create function at SQL Server, which creates a table from this string parameter, name of this function will be Split:

SQL
if object_id('Split') is not null 
    drop function split
go
 
create function dbo.Split
(
    @String varchar(max)
)
returns @SplittedValues table
(
    Id varchar(50) primary key
)
as
begin
    declare @SplitLength int, @Delimiter varchar(5)
    
    set @Delimiter = ','
    
    while len(@String) > 0
    begin 
        select @SplitLength = (case charindex(@Delimiter,@String) when 0 then
            len(@String) else charindex(@Delimiter,@String) -1 end)
 
        insert into @SplittedValues
        select substring(@String,1,@SplitLength) 
    
        select @String = (case (len(@String) - @SplitLength) when 0 then  ''
            else right(@String, len(@String) - @SplitLength - 1) end)
    end 
return  
end

Now we can use this function in our stored procedure for looking at items:

SQL
if object_id('FindItems') is not null 
    drop proc FindItems
go
 
set ansi_nulls on
go 
set quoted_identifier on
go
 
create proc FindItems
(
    @categories varchar(max)
)
as
begin
    
  select i.Name as ItemName, f.Name as FirmName, c.Name as CategoryName 
  from Item i
    inner join Firm f on i.FirmId = f.FirmId
    inner join Category c on i.CategoryId = c.CategoryId
    inner join dbo.Split(@categories) cf on c.CategoryId = cf.Id
end

At last C# code, which will put filter to stored procedure and get list of products:

C#
List<int> categories = new List<int>() { 1, 2, 3 };
 
DataTable table = new DataTable();
using (SqlConnection connection = new SqlConnection(
  "Data Source=(local);Initial Catalog=TableParameters;Integrated Security=SSPI;"))
{
  connection.Open();
  using (SqlCommand command = new SqlCommand("FindItems", connection) {
    CommandType = CommandType.StoredProcedure })
  {
    command.Parameters.AddWithValue("@categories", string.Join(",", categories));
    using (SqlDataAdapter dataAdapter = new SqlDataAdapter(command))
    {
      dataAdapter.Fill(table);
    }
  }
}
 
//TODO: Working with table

Problems of this solution can be: composite primary keys, or string identifiers with commas. But in simple cases, it can work.

You can solve these problems with another solution “Passing lists to SQL Server with XML Parameters”, I don’t consider this solution in my article, because you can get a greater explanation of how to do it, because I never use this solution in my developer’s life.

Solution #2. BULK INSERT

Problems which we had in the previous solutions, we can solve with Bulk Insert solution. We will have a code which will copy .NET DataTable object to SQL Server temporary table. First, let's rewrite our stored procedure FindItems:

SQL
if object_id('FindItems') is not null 
    drop proc FindItems
go
 
set ansi_nulls on
go 
set quoted_identifier on
go
 
create proc FindItems
as
begin
    if object_id('tempdb..#FilterCategory') is null 
    begin
        raiserror('#FilterCategory(id int) should be created', 16, 1)
        return
    end
    
    select i.Name as ItemName, f.Name as FirmName, c.Name as CategoryName 
    from Item i
        inner join Firm f on i.FirmId = f.FirmId
        inner join Category c on i.CategoryId = c.CategoryId
        inner join #FilterCategory cf on c.CategoryId = cf.Id
end

Now our procedure expects temporary table #FilterCategory, which you should create before using this SP. And now we should write more C# code than at previous time, we will create new repository class ItemsRepository:

C#
public class ItemsRepository
{
  public static DataTable FindItems(List<int> categories)
  {
    DataTable tbCategories = new DataTable("FilterCategory");
    tbCategories.Columns.Add("Id", typeof (int));
    categories.ForEach(x => tbCategories.Rows.Add(x));
 
    using (
      SqlConnection connection =
        new SqlConnection(
        "Data Source=(local);Initial Catalog=TableParameters;Integrated Security=SSPI;"))
    {
      connection.Open();
      using (SqlTransaction transaction = connection.BeginTransaction())
      {
        try
        {
          string tableName = string.Format("tempdb..#{0}", tbCategories.TableName);
 
          CreateTableOnSqlServer(connection, transaction, tbCategories, tableName);
          CopyDataToSqlServer(connection, transaction, tbCategories, tableName);
 
          DataTable result = new DataTable();
          using (SqlCommand command = new SqlCommand("FindItems", connection, transaction)
                                        {CommandType = CommandType.StoredProcedure})
          {
            using (SqlDataAdapter dataAdapter = new SqlDataAdapter(command))
            {
              dataAdapter.Fill(result);
            }
          }
          transaction.Commit();
          return result;
        }
        catch
        {
          transaction.Rollback();
          throw;
        }
      }
    }
  }
 
  private static void CopyDataToSqlServer(SqlConnection connection, 
                                          SqlTransaction transaction, DataTable table,
                                          string tableName)
  {
    using (SqlBulkCopy bulkCopy = new SqlBulkCopy(connection, SqlBulkCopyOptions.Default,
        transaction)
                                    {
                                      DestinationTableName = tableName
                                    })
    {
      bulkCopy.WriteToServer(table);
    }
  }
 
  private static void CreateTableOnSqlServer(SqlConnection connection,
      SqlTransaction transaction, DataTable table,
                                             string tableName)
  {
    StringBuilder sb = new StringBuilder();
 
    sb.AppendFormat("create table {0}(", tableName);
    foreach (DataColumn column in table.Columns)
    {
      sb.AppendFormat("{0} {1} {2}",
                      table.Columns.IndexOf(column) == 0 ? string.Empty : ",",
                      column.ColumnName, GetSqlType(column.DataType));
    }
    sb.Append(")");
 
    using (SqlCommand command = new SqlCommand(sb.ToString(), connection, transaction))
    {
      command.ExecuteNonQuery();
    }
  }
 
  private static string GetSqlType(Type type)
  {
    if (type == typeof (string))
      return string.Format("{0}(max)", SqlDbType.VarChar);
    else if (type == typeof (int))
      return SqlDbType.Int.ToString();
    else if (type == typeof (bool))
      return SqlDbType.Bit.ToString();
    else if (type == typeof (DateTime))
      return SqlDbType.DateTime.ToString();
    else if (type == typeof (Single))
      return SqlDbType.Float.ToString();
    else throw new NotImplementedException();
  }
}

Method FindItems create a new object of type DataTable, copy to this object list of identifiers (chosen by user), then method opens new transaction, create on SQL server new temporary table #FilterCategories, copy DataTable to server in this temporary table and then call stored procedure FindItems. This temporary table will be live only in transaction scope, so when we will commit or rollback transaction, this table will be dropped too, and if two users at the same time will execute this code, each of them will have separate temporary table #FilterCategories.

I used this solution very often when I had a task – copy data from Excel file to SQL server or some other import data task.

Let's find the minuses of this solution: a lot of code – is not a problem, because we can refactor this code and put it in some application framework. Next minus is more than one query for this task. Other – if this stored procedure will execute some other, which will create new temporary table with the same name we will have a problem (it can be some recursive call). Other minus – will be hard to work with this approach from Management Studio, we need to always write a script for creating temporary table (and the main problem you need to remember which structure this table has):

SQL
create table #FilterCategory(id int)
insert into #FilterCategory ( id ) values  ( 1  )
insert into #FilterCategory ( id ) values  ( 2 )
insert into #FilterCategory ( id ) values  ( 3  )
insert into #FilterCategory ( id ) values  ( 4  )
 
exec FindItems
 
drop table  #FilterCategory

Solution #3. Table-Valued Parameters (Database Engine)

And the last solution which I want to show you – is the table-valued parameters. This approach is very similar to the previous one, but more simple. You can use it in MS SQL server with version 2008 or bigger. Ok, we need to again rewrite out stored procedure FindItems, and we should create new table-valued type Identifiers:

SQL
if object_id('FindItems') is not null 
    drop proc FindItems
go
 
if exists(select * from sys.types where name = 'Identifiers')
    drop type Identifiers
go
 
create type Identifiers AS TABLE 
( id int primary key);
go
 
set ansi_nulls on
go 
set quoted_identifier on
go
 
create proc FindItems
(
    @categories Identifiers readonly
)
as
begin
    select i.Name as ItemName, f.Name as FirmName, c.Name as CategoryName 
    from Item i
        inner join Firm f on i.FirmId = f.FirmId
        inner join Category c on i.CategoryId = c.CategoryId
        inner join @categories cf on c.CategoryId = cf.Id
end 
go

Also, we need to rewrite C# code:

C#
List<int> categories = new List<int>() { 1, 2, 3 };
 
DataTable tbCategories = new DataTable("FilterCategory");
tbCategories.Columns.Add("Id", typeof(int));
categories.ForEach(x => tbCategories.Rows.Add(x));
 
DataTable table = new DataTable();
using (SqlConnection connection = new SqlConnection(
  "Data Source=(local);Initial Catalog=TableParameters;Integrated Security=SSPI;"))
{
  connection.Open();
  using (SqlCommand command = new SqlCommand("FindItems", connection) { 
    CommandType = CommandType.StoredProcedure })
  {
    command.Parameters.AddWithValue("@categories", tbCategories);
    using (SqlDataAdapter dataAdapter = new SqlDataAdapter(command))
    {
      dataAdapter.Fill(table);
    }
  }
}

Now it is very easy, and it is easier to work with this stored procedure from Management Studio:

SQL
declare @categories Identifiers
 
insert into @categories ( id ) values  ( 1  )
insert into @categories ( id ) values  ( 2 )
insert into @categories ( id ) values  ( 3  )
insert into @categories ( id ) values  ( 4  )
 
exec FindItems @categories

Table-valued parameters solution has some limitations, like this parameter should always be read-only. If you want to know about performance of this solution, you can look at this article Table-Valued Parameters (Database Engine), also this article will show you when it will be better to use Bulk Insert and when Table-valued parameters.

This article was originally posted at http://outcoldman.ru/en/blog/show/224

License

This article, along with any associated source code and files, is licensed under The Microsoft Public License (Ms-PL)


Written By
Software Developer (Senior)
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
GeneralThere's more... Pin
DaveRRR12-Oct-10 9:42
DaveRRR12-Oct-10 9:42 
GeneralRe: There's more... Pin
outcoldman12-Oct-10 10:21
outcoldman12-Oct-10 10:21 
GeneralSolution #5 Pin
xanatos8-Oct-10 0:18
xanatos8-Oct-10 0:18 
GeneralRe: Solution #5 Pin
outcoldman8-Oct-10 0:35
outcoldman8-Oct-10 0:35 
GeneralRe: Solution #5 Pin
xanatos8-Oct-10 1:16
xanatos8-Oct-10 1:16 
GeneralRe: Solution #5 Pin
outcoldman8-Oct-10 1:25
outcoldman8-Oct-10 1:25 
GeneralSplit Function Parameter Pin
JonathanFahey7-Oct-10 23:22
JonathanFahey7-Oct-10 23:22 
The Split function has an INT parameter, and the code seems to parse that parameter looking for commas. That seems to be an error. I would have expected the parameter to be a VARCHAR rather than an INT.
GeneralRe: Split Function Parameter Pin
outcoldman7-Oct-10 23:31
outcoldman7-Oct-10 23:31 
GeneralSolution #4 Pin
John C Wollner5-Oct-10 3:11
John C Wollner5-Oct-10 3:11 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.