What is the correct way to check if a table exists in a database using PHP?

To check if a table exists in a database using PHP, you can query the information_schema database to see if the table name exists in the tables list. This can be done by executing a SQL query to check for the table name in the information_schema.tables table. If the query returns a result, then the table exists in the database.

<?php

// Connect to the database
$servername = "localhost";
$username = "username";
$password = "password";
$dbname = "database_name";
$conn = new mysqli($servername, $username, $password, $dbname);

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

// Check if table exists
$table_name = "your_table_name";
$sql = "SELECT table_name FROM information_schema.tables WHERE table_schema = '$dbname' AND table_name = '$table_name'";
$result = $conn->query($sql);

if ($result->num_rows > 0) {
    echo "Table exists";
} else {
    echo "Table does not exist";
}

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

?>