What is the correct syntax for selecting the smallest value from a subset of data in a MySQL database using PHP?

When selecting the smallest value from a subset of data in a MySQL database using PHP, you can use the MIN() function in your SQL query. This function allows you to find the smallest value in a specific column or subset of data. You can then fetch the result using PHP and use it as needed in your application.

<?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);
}

// Select the smallest value from a subset of data
$sql = "SELECT MIN(column_name) AS min_value FROM table_name WHERE condition";
$result = $conn->query($sql);

if ($result->num_rows > 0) {
    // Output data of each row
    while($row = $result->fetch_assoc()) {
        echo "Smallest value: " . $row["min_value"];
    }
} else {
    echo "0 results";
}

$conn->close();
?>