In web development, handling user input is a critical part of building secure applications. To prevent malicious script injections and ensure data integrity, it's essential to sanitize inputs properly. The PHP function htmlspecialchars() is widely used for this purpose—it converts special characters in a string into their corresponding HTML entities, reducing the risk of cross-site scripting (XSS) attacks.
string htmlspecialchars(
    string $string,
    int $flags = ENT_COMPAT | ENT_HTML401,
    string $encoding = "UTF-8",
    bool $double_encode = true
)
This function escapes the following characters by default:
Escaping these characters prevents them from being interpreted as HTML or JavaScript by the browser.
$input = '<script>alert("Hello!");</script>';
$output = htmlspecialchars($input);
echo $output;
// Output: <script>alert("Hello!");</script>
In this example, potentially dangerous HTML tags are safely escaped, ensuring they are displayed as text rather than executed.
$input = 'I\'m "John"';
$output = htmlspecialchars($input, ENT_QUOTES);
echo $output;
// Output: I'm "John"
With the ENT_QUOTES flag, both single and double quotes are converted, which is useful for safely including content within HTML attributes.
$input = '中文字符';
$output = htmlspecialchars($input, ENT_QUOTES, 'GBK');
echo $output;
// Output: 中文字符
If the specified encoding matches the actual input encoding, multibyte characters such as Chinese text will be handled correctly without unnecessary transformation.
$input = 'special & character';
$output = htmlspecialchars($input, ENT_QUOTES, 'UTF-8', false);
echo $output;
// Output: special & character
By setting $double_encode to false, already encoded entities are preserved and not re-encoded.
The htmlspecialchars() function is a fundamental tool in PHP development for ensuring the safe display of user input. By properly escaping special characters, developers can significantly reduce the risk of XSS attacks and improve the overall security of their web applications. It is highly recommended to use this function when rendering any user-supplied content within HTML output.