DEV Community

Anh Trần Tuấn
Anh Trần Tuấn

Posted on • Originally published at tuanh.net on

Methods to Defend Against SQL Injection Attacks

Image

1. Use Prepared Statements and Parameterized Queries

1.1 What are Prepared Statements?

Prepared statements are a feature provided by most database management systems that allow you to execute SQL queries with parameters. Unlike traditional SQL queries, prepared statements separate SQL code from the data. This prevents attackers from injecting malicious SQL code into the query.

Example:

Here's how you can use a prepared statement in Java with JDBC:

import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.PreparedStatement;
import java.sql.ResultSet;

public class SQLInjectionDemo {
    public static void main(String[] args) {
        String url = "jdbc:mysql://localhost:3306/mydatabase";
        String user = "root";
        String password = "password";

        try (Connection conn = DriverManager.getConnection(url, user, password)) {
            String sql = "SELECT * FROM users WHERE username = ?";
            PreparedStatement stmt = conn.prepareStatement(sql);
            stmt.setString(1, "admin' OR '1'='1");
            ResultSet rs = stmt.executeQuery();

            while (rs.next()) {
                System.out.println("User: " + rs.getString("username"));
            }
        } catch (Exception e) {
            e.printStackTrace();
        }
    }
}
Enter fullscreen mode Exit fullscreen mode

Prepared statements automatically handle escaping of special characters, reducing the risk of SQL Injection.

Reusing a prepared statement can be more efficient because the database can cache the execution plan.

1.2 How to Use Parameterized Queries

Parameterized queries work similarly to prepared statements but may be used directly in some libraries and frameworks.

Example with Spring JDBC:

import org.springframework.jdbc.core.JdbcTemplate;
import org.springframework.jdbc.core.RowMapper;

public class UserService {
    private JdbcTemplate jdbcTemplate;

    public UserService(JdbcTemplate jdbcTemplate) {
        this.jdbcTemplate = jdbcTemplate;
    }

    public List<User> getUserByUsername(String username) {
        String sql = "SELECT * FROM users WHERE username = ?";
        return jdbcTemplate.query(sql, new Object[]{username}, (rs, rowNum) -> {
            User user = new User();
            user.setUsername(rs.getString("username"));
            return user;
        });
    }
}
Enter fullscreen mode Exit fullscreen mode

2. Use Stored Procedures

Stored procedures are precompiled SQL statements that are stored in the database. They can encapsulate complex SQL logic and provide a layer of abstraction between the application and the database.

Example:

Here’s an example of a stored procedure in MySQL:

DELIMITER //
CREATE PROCEDURE GetUser(IN username VARCHAR(50))
BEGIN
    SELECT * FROM users WHERE username = username;
END //
DELIMITER ;
Enter fullscreen mode Exit fullscreen mode

In Java, you can call this stored procedure like this:

import java.sql.CallableStatement;
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.ResultSet;

public class StoredProcedureDemo {
    public static void main(String[] args) {
        String url = "jdbc:mysql://localhost:3306/mydatabase";
        String user = "root";
        String password = "password";

        try (Connection conn = DriverManager.getConnection(url, user, password)) {
            CallableStatement stmt = conn.prepareCall("{call GetUser(?)}");
            stmt.setString(1, "admin");
            ResultSet rs = stmt.executeQuery();

            while (rs.next()) {
                System.out.println("User: " + rs.getString("username"));
            }
        } catch (Exception e) {
            e.printStackTrace();
        }
    }
}
Enter fullscreen mode Exit fullscreen mode

By abstracting SQL code, stored procedures can minimize SQL Injection risks.

Procedures can be reused across multiple applications.

3. Sanitize and Validate User Inputs

Sanitizing and validating user inputs is essential for preventing SQL Injection attacks. By ensuring that user input conforms to expected formats and types, you reduce the risk of malicious data being executed as SQL code.

Example of Input Validation in Java:

Here’s how you can validate and sanitize user inputs in Java:

import java.util.regex.Pattern;

public class InputValidator {
    private static final Pattern USERNAME_PATTERN = Pattern.compile("^[a-zA-Z0-9_]{3,15}$");

    public static boolean isValidUsername(String username) {
        return USERNAME_PATTERN.matcher(username).matches();
    }
}
Enter fullscreen mode Exit fullscreen mode

Sanitization involves cleaning user inputs to remove or escape potentially harmful characters.

Example of Sanitizing Inputs:

public class Sanitizer {
    public static String sanitize(String input) {
        return input.replaceAll("[^a-zA-Z0-9_]", "");
    }
}
Enter fullscreen mode Exit fullscreen mode

In this example, the sanitize method removes any characters that are not alphanumeric or underscores.

4. Use ORM Frameworks

Object-Relational Mapping (ORM) frameworks like Hibernate and Entity Framework abstract database interactions and handle SQL generation. By using ORM, you leverage built-in mechanisms that often include protection against SQL Injection.

Example with Hibernate:

Here’s a basic example of using Hibernate with parameterized queries:

import org.hibernate.Session;
import org.hibernate.SessionFactory;
import org.hibernate.cfg.Configuration;

public class HibernateDemo {
    public static void main(String[] args) {
        SessionFactory factory = new Configuration().configure().buildSessionFactory();
        Session session = factory.openSession();
        session.beginTransaction();

        String hql = "FROM User WHERE username = :username";
        List<User> users = session.createQuery(hql, User.class)
                                  .setParameter("username", "admin")
                                  .getResultList();

        for (User user : users) {
            System.out.println("User: " + user.getUsername());
        }

        session.getTransaction().commit();
        session.close();
        factory.close();
    }
}
Enter fullscreen mode Exit fullscreen mode

ORM frameworks generate SQL queries, reducing the risk of manually crafted queries that could be vulnerable. Many ORM frameworks include features to prevent SQL Injection by design.

5. Conclusion

Preventing SQL Injection involves a combination of techniques, including using prepared statements, stored procedures, input validation, ORM frameworks, and adhering to database security best practices. By implementing these methods, you can significantly reduce the risk of SQL Injection attacks and enhance the overall security of your applications.

If you have any questions or need further clarification, please leave a comment below!

Read posts more at : Methods to Defend Against SQL Injection Attacks

Top comments (0)