我看不出有任何方法可以编写一些花哨的 SELECT 查询来获得你想要的。你将不得不做一些预处理。
您必须从某种程序、应用程序、脚本等执行此 MySQL 查询。不确定该语言是什么,但这是我将在 PHP 中执行的操作:
/* $data is where our data is going to be stored in our desired format */
$data = array();
/* $columns is a list of all column names */
$columns = array();
/* $rows is a list of all row names (probably '1', '2', etc) */
$rows = array();
$result = mysql_query('SELECT column, value, row FROM TableName');
while ($row = mysql_fetch_array($result, MYSQL_ASSOC)) {
/* if this row isn't in $data yet, add it */
if (!array_key_exists($row['row'], $data) {
$data[$row['row']] = array();
}
/* if this column isn't in $columns yet, add it */
if (!in_array($row['column'], $columns)) {
array_push($columns, $row['column']);
}
/* if this row isn't in $rows yet, add it */
if (!in_array($row['row'], $rows)) {
array_push($rows, $row['row']);
}
/* set the actual value in our multi-dimensional array $data */
$data[$row['row']][$row['column']] = $row['value'];
}
/* free the result (php specific thing) */
mysql_free_result($result);
/* if we didn't set anything (row, column) pairs, set it to null in $data */
foreach ($rows as $r) {
foreach ($columns as $c) {
if (!array_key_exists($c, $data[$r])) {
$data[$r][$c] = null;
}
}
}
这会将所有数据以您想要的格式放入 PHP 的数组中。
例如,在您上面提供的示例数据上运行此算法后,您将能够:
echo $data['2']['age']; // $data['row']['column']
这将输出 55。
或者,如果您的数据库没有实时更新(您有一堆数据想要重新格式化一次,而不是连续地),您可以扩展上面的脚本,使其也有一些“CREATE TABLE”、“INSERT INTO”查询基本上以您正在寻找的格式重新创建表。
此外,如果您正在实时接收数据,您仍然可以编写上述脚本,但您只想在处理它们时从原始表中删除行,然后在数据被放入时运行脚本原来的表。