How can a PHP developer search for a range of values in a database effectively?

To search for a range of values in a database effectively as a PHP developer, you can use SQL queries with the BETWEEN operator. This operator allows you to specify a range of values to search for within a specific column in the database. By using the BETWEEN operator in your SQL query, you can efficiently retrieve records that fall within the specified range.

<?php
// Establish a connection 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);
}

// Define the range of values to search for
$min_value = 100;
$max_value = 200;

// SQL query to select records within the specified range
$sql = "SELECT * FROM table_name WHERE column_name BETWEEN $min_value AND $max_value";
$result = $conn->query($sql);

if ($result->num_rows > 0) {
    // Output data of each row
    while($row = $result->fetch_assoc()) {
        echo "id: " . $row["id"]. " - Name: " . $row["name"]. "<br>";
    }
} else {
    echo "0 results";
}

$conn->close();
?>