Overview:
In web development, ensuring the security of user input is crucial. Unfiltered or unvalidated inputs can lead to risks like SQL injection and cross-site scripting (XSS) attacks. This article explains how to use PHP to filter and validate data, securing the process from user input to database storage.
User-submitted data is untrusted and must be filtered first. Common input filtering techniques include:
To prevent XSS attacks, HTML tags in user inputs should be escaped. PHP’s built-in htmlspecialchars() function serves this purpose.
$input = $_POST['input'];
$filteredInput = htmlspecialchars($input);
Use the trim() function to remove whitespace from the beginning and end of input data, avoiding issues caused by accidental spaces.
$input = $_POST['input'];
$filteredInput = trim($input);
To avoid problems caused by special characters in input, filter_var() combined with the FILTER_SANITIZE_STRING filter can be used.
$input = $_POST['input'];
$filteredInput = filter_var($input, FILTER_SANITIZE_STRING);
Beyond filtering, validating the legitimacy of inputs is necessary. Common validation methods include:
Use filter_var() with FILTER_VALIDATE_EMAIL to check if an email address is valid.
$email = $_POST['email'];
if (filter_var($email, FILTER_VALIDATE_EMAIL)) {
    // Email is valid
} else {
    // Email is invalid
}
Similarly, use filter_var() with FILTER_VALIDATE_URL to validate URLs.
$url = $_POST['url'];
if (filter_var($url, FILTER_VALIDATE_URL)) {
    // URL is valid
} else {
    // URL is invalid
}
Use the is_numeric() function to check whether the input is a number.
$number = $_POST['number'];
if (is_numeric($number)) {
    // Input is numeric
} else {
    // Input is not numeric
}
Before storing user data into the database, further security measures are needed.
Prepared statements, which pass parameters via placeholders, effectively prevent SQL injection. PHP’s PDO or mysqli extensions support this mechanism.
$db = new PDO('mysql:host=localhost;dbname=test', 'username', 'password');
$stmt = $db->prepare("INSERT INTO users (name, email) VALUES (?, ?)");
$stmt->bindParam(1, $name);
$stmt->bindParam(2, $email);
$name = $_POST['name'];
$email = $_POST['email'];
$stmt->execute();
Passwords should never be stored in plain text. Use password_hash() to securely hash passwords before storage.
$password = $_POST['password'];
$hashedPassword = password_hash($password, PASSWORD_DEFAULT);
Data security is a fundamental aspect of web development. By implementing proper input filtering, validation, and database security measures, you can greatly enhance your application's defense against potential threats. It is recommended to apply these techniques according to your project's specific requirements to ensure the safety of user data.
