To update data with PHP, you can use the SQL UPDATE statement to modify existing records in a database table. Here is an example of how you can update data with PHP:

“`php
// Assuming you have established a database connection
$conn = mysqli_connect(‘localhost’, ‘username’, ‘password’, ‘database_name’);

// Check if the connection is successful
if (!$conn) {
die(“Connection failed: ” . mysqli_connect_error());
}

// Get the values you want to update from a form or any other source
$id = $_POST[‘id’];
$name = $_POST[‘name’];
$email = $_POST[’email’];

// Create an SQL update statement
$sql = “UPDATE users SET name=’$name’, email=’$email’ WHERE id=$id”;

// Execute the update statement
if (mysqli_query($conn, $sql)) {
echo “Record updated successfully”;
} else {
echo “Error updating record: ” . mysqli_error($conn);
}

// Close the database connection
mysqli_close($conn);
“`

In this example, we assume you have a database table called “users” with columns “id”, “name”, and “email”. The code establishes a connection to the database and retrieves the values to be updated from a form using the $_POST superglobal. It then creates an SQL update statement to modify the specified record in the table. After executing the update statement, it checks if the update was successful and displays an appropriate message. Finally, it closes the database connection.

Remember to always use prepared statements or input validation and sanitization to prevent SQL injection attacks when updating data with PHP.