一直在查看用于排序数组值垂直的其他方式,以便在表格中使用,但大多数方法相当于将表格向右翻转90度。我一直在想办法正确实现这个,但我想我需要一些帮助。
例如,表格(水平顺序):
a b c d e
f g h i j
k l m n o
p q r
重新排序为(垂直顺序):
a e i m p
b f j n q
c g k o r
d h l
正如您所见,由于最后2个单元格为空,因此保留了结构。
不喜欢这样:
a e i m q
b f j n r
c g k o
d h l p
在此示例中,该表类似于侧向翻转。有谁知道如何正确地做到这一点?
答案 0 :(得分:2)
编辑:这比我想象的要难,我第一次(或两次)搞砸了。它现在应该工作。
假设您将表结构存储在二维数组中:
$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];
}
}
答案 1 :(得分:1)
诀窍是减去一个“悬挂”列。这是在最后一行中缺少值的列。
// setup some initial test data... rip this out and replace with whatever
$values = array();
for ($x = 0; $x < 18; ++$x)
$values[] = chr($x + ord("a"));
我们可以随意改变列数。行数取决于数据大小除以我们使用的列数。
// change # of columns to desired value
$columns = 5;
$rows = (int) ceil(count($values) / $columns);
有些列挂起。这就是列在最后一行中缺少一个值。
// the number of columns that will "hang" or miss a value in the last row
$hanging_columns = $columns * $rows - count($values);
$counter = 0;
for ($y = 0; $y < $rows; ++$y) {
for ($x = 0; $x < $columns; ++$x) {
// if we've displayed all values, stop
if ($counter++ >= count($values)) break;
// calculate the correct index to display
$index = ($y + $x * $rows);
// if we are in a hanging column, we need to back up by one
if ($x > $columns - $hanging_columns) $index -= 1;
// display the value
echo $values[$index] . " ";
}
echo "\n";
}
答案 2 :(得分:0)
这是另一种解决方案
$unflipped = array('a', 'b', 'c', 'd', 'e',
'f', 'g', 'h', 'i', 'j',
'k', 'l', 'm', 'n');
function flip90($arr, $lineHeight)
{
$tbl = array();
$index = 0;
$counter = 1;
for($i = 0; $i < count($arr); $i++)
{
if($counter > $lineHeight)
{
$index++;
$counter = 1;
}
if($counter <= $lineHeight)
{
$tbl[$index][$counter] = $arr[$i];
$counter++;
}
}
return $tbl;
}
$flipped = flip90($unflipped, 5);
echo "<pre>";
var_dump($flipped);
echo "<pre>";
该函数需要数组和行高来标注表格