编辑:这比我想象的要难,我第一次(或两次)搞砸了。它现在应该可以工作了。
假设您将表结构存储在二维数组中:
$data = array(
array('a', 'b', 'c', 'd', 'e'),
array('f', 'g', 'h', 'i', 'j'),
array('k', 'l', 'm', 'n', 'o'),
array('p', 'q', 'r')
);
由于您想保持相同的“形状”,因此您需要确定表格的尺寸。为此,我们可以取count
第一行的 ,因为我们知道第一行必须是表格的最大宽度。高度只是数组中元素的数量。
$width = count($data[0]); // 5
$height = count($data); // 4
我们还需要元素的总数,但是我们可以通过使用 $width * $height 来高估。
$total = $width * $height; // 20
然后,计算事情的走向实际上只是一个小数学。我们必须为旧索引和新索引使用单独的计数器,因为一旦开始出现漏洞,我们将不得不以不同的方式递增它们。
$new_data = array();
$j = 0;
for($i = 0; $i < $total; $i++) {
$old_x = floor($i / $width); // integer division
$old_y = $i % $width; // modulo
do {
$new_x = $j % $height; // modulo
$new_y = floor($j / $height); // integer division
$j++;
// move on to the next position if we have reached an index that isn't available in the old data structure
} while (!isset($data[$new_x][$new_y]) && $j < $total);
if (!isset($new_data[$new_x])) {
$new_data[$new_x] = array();
}
if (isset($data[$old_x][$old_y])) {
$new_data[$new_x][$new_y] = $data[$old_x][$old_y];
}
}