How get all values in a column using PHP? How get all values in a column using PHP? arrays arrays

How get all values in a column using PHP?


Here is a simple way to do this using either PDO or mysqli

$stmt = $pdo->prepare("SELECT Column FROM foo");// careful, without a LIMIT this can take long if your table is huge$stmt->execute();$array = $stmt->fetchAll(PDO::FETCH_COLUMN);print_r($array);

or, using mysqli

$stmt = $mysqli->prepare("SELECT Column FROM foo");$stmt->execute();$array = [];foreach ($stmt->get_result() as $row){    $array[] = $row['column'];}print_r($array);

Array(    [0] => 7960    [1] => 7972    [2] => 8028    [3] => 8082    [4] => 8233)


Note that this answer is outdated! The mysql extension is no longer available out of the box as of PHP7. If you want to use the old mysql functions in PHP7, you will have to compile ext/mysql from PECL. See the other answers for more current solutions.


This would work, see more documentation here :http://php.net/manual/en/function.mysql-fetch-array.php

$result = mysql_query("SELECT names FROM Customers");$storeArray = Array();while ($row = mysql_fetch_array($result, MYSQL_ASSOC)) {    $storeArray[] =  $row['names'];  }// now $storeArray will have all the names.


I would use a mysqli connection to connect to the database. Here is an example:

$connection = new mysqli("127.0.0.1", "username", "password", "database_name", 3306);

The next step is to select the information. In your case I would do:

$query = $connection->query("SELECT `names` FROM `Customers`;");

And finally we make an array from all these names by typing:

$array = Array();while($result = $query->fetch_assoc()){    $array[] = $result['names'];}print_r($array);

So what I've done in this code:I selected all names from the table using a mysql query. Next I use a while loop to check if the $query has a next value. If so the while loop continues and adds that value to the array '$array'. Else the loop stops. And finally I print the array using the 'print_r' method so you can see it all works. I hope this was helpful.