CRUD 操作通常在数据库上执行,因此,在本 PHP CRUD 操作教程中,您将借助 PHP 在 MySQL 数据库上实现 CRUD 技术。
CRUD 缩写包含在关系数据库上执行的所有主要操作。它代表:
C = 创建
R = 读取
U = 更新
D = 删除
你现在就会明白不同操作的详细信息。
首先,在数据库和 PHP 代码之间创建连接。
以下代码充当网页与存储网页数据的数据库之间的连接。
这里,将文件命名为 config.php
<?php $servername = "localhost";$username = "root"; $password = ""; $dbname = "mydb"; $conn = new mysqli($servername, $username, $password, $dbname);if ($conn->connect_error) { die("Connection failed: " . $conn->connect_error);}?>
PHP CRUD Operations 中的第一个操作 Create 负责
用于创建表或将新记录添加到现有表中。为此,
首先,您必须为网页编写代码以在
数据库。
将文件命名为 create.php。
<?php include "config.php"; if (isset($_POST['submit'])) { $first_name = $_POST['firstname']; $last_name = $_POST['lastname']; $email = $_POST['email']; $password = $_POST['password']; $gender = $_POST['gender']; $sql = "INSERT INTO `users`(`firstname`, `lastname`, `email`, `password`, `gender`) VALUES ('$first_name','$last_name','$email','$password','$gender')"; $result = $conn->query($sql); if ($result == TRUE) { echo "New record created successfully."; }else{ echo "Error:". $sql . "<br>". $conn->error; } $conn->close(); }?>nbsp;html><h2>Signup Form</h2>
此页面显示一个注册表单,将页面上输入的详细信息存储到名为“users”的表中。
第二个操作,顾名思义,‘Read’用于 显示或读取数据库中已有的数据。
要执行该操作,您需要创建一个页面来显示“users”表中的记录。
现在,名称页面为view.php
<?php include "config.php";$sql = "SELECT * FROM users";$result = $conn->query($sql);?>nbsp;html> <title>View Page</title><link> <div> <h2>users</h2> <table> <thead> <tr> <th>ID</th> <th>First Name</th> <th>Last Name</th> <th>Email</th> <th>Gender</th> <th>Action</th> </tr> </thead> <tbody> <?php if ($result->num_rows > 0) { while ($row = $result->fetch_assoc()) { ?> <tr> <td><?php echo $row['id']; ?></td> <td><?php echo $row['firstname']; ?></td> <td><?php echo $row['lastname']; ?></td> <td><?php echo $row['email']; ?></td> <td><?php echo $row['gender']; ?></td> <td> <a>Edit</a> <a>Delete</a> </td> </tr> <?php } } ?> </tbody> </table> </div>
第三个操作,即“更新”用于更改或修改数据库中已存在的数据。
为此,您需要创建另一个页面来更新数据库中的详细信息。这里,将页面命名为 update.php
<?php include "config.php"; if (isset($_POST['update'])) { $firstname = $_POST['firstname']; $user_id = $_POST['user_id']; $lastname = $_POST['lastname']; $email = $_POST['email']; $password = $_POST['password']; $gender = $_POST['gender']; $sql = "UPDATE `users` SET `firstname`='$firstname',`lastname`='$lastname',`email`='$email',`password`='$password',`gender`='$gender' WHERE `id`='$user_id'"; $result = $conn->query($sql); if ($result == TRUE) { echo "Record updated successfully."; }else{ echo "Error:" . $sql . "<br>" . $conn->error; } } if (isset($_GET['id'])) { $user_id = $_GET['id']; $sql = "SELECT * FROM `users` WHERE `id`='$user_id'"; $result = $conn->query($sql); if ($result->num_rows > 0) { while ($row = $result->fetch_assoc()) { $first_name = $row['firstname']; $lastname = $row['lastname']; $email = $row['email']; $password = $row['password']; $gender = $row['gender']; $id = $row['id']; } ?> <h2>User Update Form</h2>
以上是您需要的 PHP CRUD 操作的最佳指南的详细内容。更多信息请关注PHP中文网其他相关文章!