What is the SQL query syntax to check if a specific value exists in a database table in PHP?

To check if a specific value exists in a database table in PHP, you can use a SQL query with a WHERE clause to search for the value in the table. If the query returns any rows, it means the value exists in the table. Here is a PHP code snippet that demonstrates how to check if a specific value exists in a database table:

<?php
// Connect to the database
$servername = "localhost";
$username = "username";
$password = "password";
$dbname = "database";

$conn = new mysqli($servername, $username, $password, $dbname);

// Check connection
if ($conn->connect_error) {
    die("Connection failed: " . $conn->connect_error);
}

// Value to check
$value = "example";

// SQL query to check if the value exists in the table
$sql = "SELECT * FROM table_name WHERE column_name = '$value'";
$result = $conn->query($sql);

if ($result->num_rows > 0) {
    echo "Value exists in the table";
} else {
    echo "Value does not exist in the table";
}

// Close the connection
$conn->close();
?>