What are some common pitfalls to avoid when retrieving and formatting data from a MySQL database in PHP?

One common pitfall to avoid when retrieving and formatting data from a MySQL database in PHP is not properly sanitizing user input, which can lead to SQL injection attacks. To prevent this, always use prepared statements with parameterized queries to securely interact with the database.

// Connect to MySQL database
$pdo = new PDO('mysql:host=localhost;dbname=mydatabase', 'username', 'password');

// Prepare a statement with a parameterized query
$stmt = $pdo->prepare('SELECT * FROM users WHERE username = :username');

// Bind the parameter and execute the query
$stmt->bindParam(':username', $_POST['username']);
$stmt->execute();

// Fetch and format the data
while ($row = $stmt->fetch(PDO::FETCH_ASSOC)) {
    echo 'Username: ' . htmlspecialchars($row['username']) . '<br>';
    echo 'Email: ' . htmlspecialchars($row['email']) . '<br>';
}