What are some tools or methods for exporting table data from a SQL query in PHP to a file (txt, csv)?

To export table data from a SQL query in PHP to a file (txt, csv), you can use methods such as fetching the data from the database using a SELECT query, formatting the data into the desired file format (txt or csv), and then writing the data to a file using PHP file handling functions like fopen, fwrite, and fclose.

<?php
// Connect to the database
$servername = "localhost";
$username = "username";
$password = "password";
$dbname = "database";
$conn = new mysqli($servername, $username, $password, $dbname);

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

// Perform SQL query to fetch data
$sql = "SELECT * FROM your_table";
$result = $conn->query($sql);

// Open a file for writing
$file = fopen("exported_data.csv", "w");

// Write column headers to the file
$headers = array("Column1", "Column2", "Column3");
fputcsv($file, $headers);

// Write data rows to the file
if ($result->num_rows > 0) {
    while ($row = $result->fetch_assoc()) {
        fputcsv($file, $row);
    }
}

// Close the file and database connection
fclose($file);
$conn->close();
?>