通过string.format生成的SQL查询字符串中的转义字符

时间:2013-11-19 18:36:43

标签: c# sql string formatting

我在c#中有声明:

String sql = String.Format("UPDATE Table SET FIRST_NAME='{0}',LAST_NAME='{1}',BIRTH_DATE='{2}' where CUSTOMER_NUMBER ='{3}'",FirstName, LastName,DateOfBirth,Number);

如果名字,姓氏等撇号像O'Hare,O'Callahagan,则上述语句不执行,因为这样更新语句的语法错误。

如何在string.format中转义撇号?

3 个答案:

答案 0 :(得分:16)

  

如何在string.format中转义撇号?

不要转义它,而是使用参数化查询。

想象一个用户really unconventional name强烈相似的SQL语句,用于删除表或做同样恶意的事情。逃避报价不会有太大帮助。

请改用此查询:

String sql = @"UPDATE Table
    SET FIRST_NAME=@FirstName
,   LAST_NAME=@LastName
,   BIRTH_DATE=@BirthDate
WHERE CUSTOMER_NUMBER =@CustomerNumber";

之后,在相应参数上设置FirstNameLastNameDateOfBirthNumber的值:

SqlCommand command = new SqlCommand(sql, conn);
command.Parameters.AddWithValue("@FirstName", FirstName);
command.Parameters.AddWithValue("@LastName", LastName);
command.Parameters.AddWithValue("@BirthDate", BirthDate);
command.Parameters.AddWithValue("@CustomerNumber", CustomerNumber);

您的RDMBS驱动程序将为您执行其他所有操作,保护您免受恶意攻击。作为一个额外的好处,当RDBMS的日期格式与您的计算机不同时,它可以让您避免问题:因为您的date将不再作为字符串表示传递,所以不会有任何问题需要了解格式化日期代表一天,哪一天代表一个月。

答案 1 :(得分:3)

您应该使用参数化查询:

using (SqlCommand cmd = new SqlCommand("UPDATE Table SET FIRST_NAME= @FirstName, LAST_NAME= @LastName, BIRTH_DATE=@BirthDate where CUSTOMER_NUMBER = @CustomerNumber"))
{
    cmd.Parameters.Add(new SqlParameter("FirstName", FirstName));
    cmd.Parameters.Add(new SqlParameter("LastName", LastName));
    cmd.Parameters.Add(new SqlParameter("BirthDate", DateOfBirth));
    cmd.Parameters.Add(new SqlParameter("CustomerNumber", Number));

    // Now, update your database
} // the SqlCommand gets disposed, because you use the 'using' statement

通过使用参数化查询,您可以解决问题。使用参数化查询还有两个优点:

答案 2 :(得分:1)

使用参数化查询。

string commandString = "insert into MyTable values (@val1, @val2)";     
SqlCommand command = new SqlCommand(commandString, connection);
command.Parameters.AddWithValue("val1", "O'Hare");
command.Parameters.AddWithValue("val2", "O'Callahagan");
command.ExecuteNonQuery();