Storing Arrays in MySQL: An Alternative Approach
The question of how to save an array of data in a single MySQL field has long puzzled developers. While serialize() and unserialize() may offer a solution, it sacrifices queryability.
Examining the Relational Data
The best approach to storing arrays in MySQL lies in examining the relational data and modifying the schema accordingly. Instead of attempting to cram an array into a single field, consider creating a table that can accommodate the array's contents.
Example Table Structure
For instance, let's say we have an array of nested arrays:
$a = array( 1 => array( 'a' => 1, 'b' => 2, 'c' => 3 ), 2 => array( 'a' => 1, 'b' => 2, 'c' => 3 ), );
In this case, we would create a table like this:
CREATE TABLE test ( id INTEGER UNSIGNED NOT NULL, a INTEGER UNSIGNED NOT NULL, b INTEGER UNSIGNED NOT NULL, c INTEGER UNSIGNED NOT NULL, PRIMARY KEY (id) );
Inserting and Retrieving Records
To store the array in the table, we can use an insert query:
foreach ($t as $k => $v) { $query = "INSERT INTO test (id," . implode(',', array_keys($v)) . ") VALUES ($k," . implode(',', $v) . ")"; $r = mysql_query($query,$c); }
To retrieve the records, we can use a select query:
function getTest() { $ret = array(); $c = connect(); $query = 'SELECT * FROM test'; $r = mysql_query($query, $c); while ($o = mysql_fetch_array($r, MYSQL_ASSOC)) { $ret[array_shift($o)] = $o; } mysql_close($c); return $ret; }
This approach allows for easy querying and manipulation of the array data within the database.
The above is the detailed content of How Can I Efficiently Store and Query Array Data in MySQL?. For more information, please follow other related articles on the PHP Chinese website!