What are some common approaches to connecting an image click event to a database update in PHP?

When a user clicks on an image, you may want to update a database record associated with that image. One common approach to achieving this is to use JavaScript to send an AJAX request to a PHP script that updates the database. The PHP script will receive the data from the AJAX request and perform the necessary database update.

// JavaScript code to send AJAX request when image is clicked
<script>
    $(document).ready(function(){
        $('#image').click(function(){
            $.ajax({
                url: 'update_database.php',
                type: 'POST',
                data: {image_id: 1}, // You can pass any necessary data here
                success: function(response){
                    console.log('Database updated successfully');
                }
            });
        });
    });
</script>

// PHP script (update_database.php) to update the database record
<?php
// Connect to 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);
}

// Get data from AJAX request
$image_id = $_POST['image_id'];

// Update database record
$sql = "UPDATE images SET clicked = 1 WHERE id = $image_id";
if ($conn->query($sql) === TRUE) {
    echo "Record updated successfully";
} else {
    echo "Error updating record: " . $conn->error;
}

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