Creating a MySQL Database with PHP

In this article, we will guide you through the process of creating a MySQL database using PHP. This tutorial assumes that you have a basic understanding of PHP and MySQL, as well as a development environment set up on your computer.

Connecting to the MySQL Server

The first step in creating a MySQL database with PHP is to connect to the MySQL server. This can be done using the mysqli extension, which provides an object-oriented interface for working with MySQL databases.

<?php
$servername = "localhost";
$username = "username";
$password = "password";

// Create connection
$conn = new mysqli($servername, $username, $password);

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

Creating the Database

Once you have established a connection to the MySQL server, you can create the database using the CREATE DATABASE statement.

<?php
// Create database
$sql = "CREATE DATABASE myDB";
if ($conn->query($sql) === TRUE) {
    echo "Database created successfully";
} else {
    echo "Error creating database: " . $conn->error;
}
$conn->close();
?>

Creating Tables

The next step is to create tables within the database. This can be done using the CREATE TABLE statement, followed by the name of the table and a list of columns and their data types.

<?php
// Create connection
$conn = new mysqli($servername, $username, $password, $dbname);

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

// sql to create table
$sql = "CREATE TABLE MyGuests (
id INT(6) UNSIGNED AUTO_INCREMENT PRIMARY KEY,
firstname VARCHAR(30) NOT NULL,
lastname VARCHAR(30) NOT NULL,
email VARCHAR(50),
reg_date TIMESTAMP DEFAULT CURRENT_TIMESTAMP ON UPDATE CURRENT_TIMESTAMP
)";

if ($conn->query($sql) === TRUE) {
    echo "Table MyGuests created successfully";
} else {
    echo "Error creating table: " . $conn->error;
}

$conn->close();
?>

Conclusion

By following these steps, you should now be able to create a MySQL database using PHP. This will provide you with a solid foundation for building more complex applications and working with data stored in a MySQL database. Don't hesitate to reach out if you have any questions or need further assistance.

Practice Your Knowledge

What is the correct syntax to create a database in PHP using MySQLi?

Quiz Time: Test Your Skills!

Ready to challenge what you've learned? Dive into our interactive quizzes for a deeper understanding and a fun way to reinforce your knowledge.

Do you find this helpful?