mal*_*iks 2 c# sql-server list parameter-passing
我必须使用 C# 将列表传递给 SQL Server 查询。我的代码在这里:
using (SqlDataReader _myReader_2 = _myCommand_3.ExecuteReader())
{
_Node_Neighbor.Clear();
while (_myReader_2.Read())
{
_Node_Neighbor.Add(Convert.ToInt32(_myReader_2["Target_Node"]));
}
_myReader_2.Close();
//Here I have to pass this _Node_Neighbor i.e. of type List<int> to another
//SQL Server query as:
try
{
SqlCommand _myCommand_4 = _con.CreateCommand();
_myCommand_4.CommandText = @"SELECT COUNT(*) FROM GraphEdges
WHERE Source_Node IN @Source_Node
AND Target_Node IN @Target_Node";
_myCommand_4.Parameters.AddWithValue("@Source_Node", _Node_Neighbor);
_myCommand_4.Parameters.AddWithValue("@Target_Node", _Node_Neighbor);
_Mutual_Links = Convert.ToInt32(_myCommand_4.ExecuteScalar());
}
catch(Exception e)
{
Console.WriteLine(e.Message);
}
}
Run Code Online (Sandbox Code Playgroud)
然而,要传递列表作为参数,我认为可能还有其他方法,这就是我收到此错误的原因:
No mapping exists from object type Systems.Collections.Generic.List
谢谢!
为了传递数组/列表IN,您必须为列表中的每个值创建一个参数。
try
{
SqlCommand _myCommand_4 = _con.CreateCommand();
List<string> sqlParams = new List<string>();
int i = 0;
foreach(var value in _Node_Neighbor){
var name = "@p" + i++;
_myCommand_4.Parameters.Add(name,value);
sqlParams.Add(name);
}
string paramNames = string.Join(",", sqlParams);
_myCommand_4.CommandText = "SELECT COUNT(*) FROM GraphEdges"
" WHERE Source_Node IN (" + paramNames + ") "
" AND Target_Node IN (" + paramNames + ")";
_Mutual_Links = Convert.ToInt32(_myCommand_4.ExecuteScalar());
}
catch(Exception e)
{
Console.WriteLine(e.Message);
}
Run Code Online (Sandbox Code Playgroud)