0

我有一个 mysql 表,其中有一个自动递增的 ID 字段。当我循环输出到页面时,我使用以下内容开始每次迭代的输出,以便我可以通过 url 中的锚点返回它:

// after query and while loop
<a name="'.$row['id'].'"></a>

我想做的是在每次迭代中都有一个下一个/上一个样式的链接,该链接获取 $id,将其递增 1 并解析一个链接,如果有下一个或上一个 $id,如下所示:

// query then loop
while ($row = mysql_fetch_array($result)) {

// increment $id to create var for NEXT link
$n = intval($row['id']);
$next = $n++;

// decrement $id to create var for PREV link
$p = intval($row['id']);
$prev = $p--;

// output PREV link
if($prev > intval($row['id'])) {
    echo '<a href="page.php#'.$prev.'">Previous</a> | ';
} else {
    echo 'Previous | ';
}

// output NEXT link
if($next < intval($row['id'])) {
    echo '<a href="page.php#'.$next.'">Next</a>'.PHP_EOL;
} else {
    echo 'Next'.PHP_EOL;
}

但是使用上面的方法什么也没返回。有人可以指出我正确的方向吗?

提前致谢!

4

2 回答 2

0
    You are using post increment and decrement but you need to pree increment and decimeter
Example
$x=5;
$y=$x++;
echo $y; //Output will be 5

// increment $id to create var for NEXT link
    $n = intval($row['id']);
    $next = ++$n;


    // decrement $id to create var for PREV link
    $p = intval($row['id']);
    $prev = --$p;
于 2013-03-07T19:57:48.937 回答
0

需要将其更改为 -

$next = $n+1;
$prev = $p-1;
// adds/subtracts 1 from $n/$p, but keeps the same value for $n/$p

或者

$next = ++$n;
$prev = --$p;
// adds/subtracts 1 from $n/$p, but changes the value for $n/$p to ++/--

http://www.php.net/manual/en/language.operators.increment.php

当你这样做

$next = $n++;
$prev = $p--;

直到执行代码行之后才会发生增加/减少

此外,您的比较运算符 (<>) 需要翻转。尝试 -

// increment $id to create var for NEXT link
$n = intval($row['id']);
$next = $n+1;

// decrement $id to create var for PREV link
$p = intval($row['id']);
$prev = $p-1;

// output PREV link
if($prev < $p) {
    echo '<a href="page.php#'.$prev.'">Previous</a> | ';
} else {
    echo 'Previous | ';
}

// output NEXT link
if($next > $n) {
    echo '<a href="page.php#'.$next.'">Next</a>'.PHP_EOL;
} else {
    echo 'Next'.PHP_EOL;
}

注意 -
if($prev < intval($row['id']))&if($next > intval($row['id']))将始终返回 TRUE。
你应该检查的是如果0 < $prev < intval($row['id'])intval($row['id']) < $next < max id

于 2013-03-07T19:58:03.503 回答