What are the recommended methods for securely updating database records in PHP to avoid data corruption or loss?

When updating database records in PHP, it is important to use prepared statements with parameterized queries to prevent SQL injection attacks. Additionally, it is advisable to use transactions to ensure data integrity by either committing all changes or rolling them back in case of an error. Finally, always validate user input and sanitize data before updating the database to prevent data corruption or loss.

<?php

// Establish a database connection
$pdo = new PDO('mysql:host=localhost;dbname=mydatabase', 'username', 'password');

// Prepare a SQL statement with placeholders
$stmt = $pdo->prepare("UPDATE mytable SET column1 = :value1 WHERE id = :id");

// Bind parameters to the placeholders
$stmt->bindParam(':value1', $value1);
$stmt->bindParam(':id', $id);

// Set the values of the parameters
$value1 = 'new value';
$id = 1;

// Begin a transaction
$pdo->beginTransaction();

// Execute the update query
$stmt->execute();

// Commit the transaction
$pdo->commit();

?>