SQL 注入
SQL 注入
SQL注入是一种代码注入技术,可能会破坏您的数据库。 SQL注入是最常见的Web黑客技术之一。 SQL注入是通过网页输入在SQL语句中放置恶意代码。网页中的SQL
当您向用户询问输入时,通常会发生SQL注入,例如用户名,提供不是用户名而是一条SQL语句,您将无意中在数据库上运行该语句。 请查看以下示例,该示例通过向选择字符串添加变量(txtUserId)来创建SELECT语句。该变量是从用户输入(getRequestString)获取的:实例
txtUserId = getRequestString("UserId");
txtSQL = "SELECT *FROM Users WHERE UserId = " + txtUserId;
SQL注入基于1 = 1始终为True
再看一下上面的例子。代码的最初目的是创建一个SQL语句来选择具有给定用户ID的用户。 如果没有什么可以防止用户输入“错误”输入,用户可以输入一些“智能”输入,如下所示: 用户身份: 然后,SQL语句将如下所示:SELECT * FROM Users WHERE UserId = 105 OR 1=1;
SELECT UserId, Name, PasswordFROM Users WHERE UserId = 105 or 1=1;
SQL注入基于""=""的始终为True
以下是用户在网站上登录的示例: 用户名: 密码:实例
uName = getRequestString("username");
uPass = getRequestString("userpassword");
sql = 'SELECT * FROM Users WHERE Name ="' + uName + '" AND Pass ="' + uPass + '"'
结果
SELECT * FROM Users WHERE Name ="John Doe" AND Pass ="myPass"
结果
SELECT * FROM Users WHERE Name ="" or ""="" AND Pass ="" or ""=""
基于批处理SQL语句的SQL注入
大多数数据库都支持批处理SQL语句。 一批SQL语句是由两个或多个SQL语句组成的组,以分号分隔。 下面的SQL语句将返回“Users”表中的所有行,然后删除“Suppliers”表。实例
SELECT * FROM Users; DROP TABLE Suppliers
实例
txtUserId = getRequestString("UserId");
txtSQL = "SELECT *FROM Users WHERE UserId = " + txtUserId;
结果
SELECT * FROM Users WHERE UserId = 105; DROP TABLE Suppliers;
使用SQL参数进行保护
要保护网站免受SQL注入,您可以使用SQL参数。 SQL参数是在执行时以受控方式添加到SQL查询的值。ASP.NET Razor 实例
txtUserId = getRequestString("UserId");
txtSQL = "SELECT *FROM Users WHERE UserId = @0";
db.Execute(txtSQL,txtUserId);
另一个例子
txtNam = getRequestString("CustomerName");
txtAdd = getRequestString("Address");
txtCit = getRequestString("City");
txtSQL = "INSERT INTO Customers (CustomerName,Address,City) Values(@0,@1,@2)";
db.Execute(txtSQL,txtNam,txtAdd,txtCit);
例子
以下实例显示如何在某些常见Web语言中构建参数化查询。 在ASP.NET中选择语句:txtUserId = getRequestString("UserId");
sql = "SELECT * FROM Customers WHERE CustomerId = @0";
command = new SqlCommand(sql);
command.Parameters.AddWithValue("@0",txtUserID);
command.ExecuteReader();
txtNam = getRequestString("CustomerName");
txtAdd = getRequestString("Address");
txtCit = getRequestString("City");
txtSQL = "INSERT INTO Customers (CustomerName,Address,City) Values(@0,@1,@2)";
command = new SqlCommand(txtSQL);
command.Parameters.AddWithValue("@0",txtNam);
command.Parameters.AddWithValue("@1",txtAdd);
command.Parameters.AddWithValue("@2",txtCit);
command.ExecuteNonQuery();
$stmt = $dbh->prepare("INSERT INTO Customers (CustomerName,Address,City)
VALUES (:nam, :add, :cit)");
$stmt->bindParam(':nam', $txtNam);
$stmt->bindParam(':add', $txtAdd);
$stmt->bindParam(':cit', $txtCit);
$stmt->execute();