PHP双循环,第二循环不多次迭代

时间:2012-03-16 00:20:57

标签: php mysql while-loop

所以我正在开发一个“产品列表”,其想法是获得产品的名称,然后是从数据库派生的颜色下拉列表。问题是我只能得到“颜色”而循环迭代一次,我得到第一个产品名称和下拉菜单中的颜色一次但不随后,我想要的帮助,我怎么能改变这段代码让它做我需要的,我已经尝试了一个星期,我真的可以使用一些帮助。

    $product_query = mysql_query('SELECT * FROM products WHERE id > 0');
$colour_query = mysql_query('SELECT * FROM product_colours WHERE id > 0');


while ($get_product_rows = mysql_fetch_assoc($product_query)){
echo $get_product_rows['name'];
    echo "<br \>";

    if ($get_product_rows['has_colour'] == '1'){
        while ($get_colour_row = mysql_fetch_assoc($colour_query)){
            // Drop down box population goes here.


        }
    }
}

如果有人可以提供帮助,我会很感激。 来自Grant M。

3 个答案:

答案 0 :(得分:2)

mysql_fetch_assoc()的工作方式是它有一个内部指针,每次运行该方法时,都会得到下一个项目并且指针被移动一次。如果没有指针,那么while循环将如何终止?它会一遍又一遍地拉出颜色。

解决此问题的方法是重置每次迭代中的点。这可以使用mysql_data_seek()完成。

$product_query = mysql_query('SELECT * FROM products WHERE id > 0');
$colour_query = mysql_query('SELECT * FROM product_colours WHERE id > 0');

while ($get_product_rows = mysql_fetch_assoc($product_query)) {
    echo $get_product_rows['name'];
    echo "<br />";

    if ($get_product_rows['has_colour'] == '1') {
        while ($get_colour_row = mysql_fetch_assoc($colour_query)) {
            // Drop down box population goes here. 
        }
    }
    mysql_data_seek($colour_query, 0);
}

答案 1 :(得分:2)

@Kristian Antonsen非常正确 - 一旦你在'结束'时读过行,除非你回到结果集的开头。

除了发布的其他答案之外,因为颜色不依赖于产品 - 只需获取一次,然后在内存中重复使用它们。

// get the colours once
$colour_query = mysql_query('SELECT * FROM product_colours WHERE id > 0');
$colours = array();
while ($get_colour_row = mysql_fetch_assoc($colour_query)) {
  array_push($colours, $get_colour_row['colour']);
}

// loop through each product
$product_query = mysql_query('SELECT * FROM products WHERE id > 0');
while ($get_product_rows = mysql_fetch_assoc($product_query)) {
    echo $get_product_rows['name'];
    echo "<br />\n";

    if ($get_product_rows['has_colour'] == '1'){
        foreach ($colours as $colour) {
            echo $colour . "<br />\n";
        }
    }
}

答案 2 :(得分:0)

问题是第二次,指针已经在$colour_query的记录的末尾;它将继续返回null,因为它不知道嵌套循环是否完整。

您可以使用mysql_data_seek重置指针来解决此问题:

$product_query = mysql_query('SELECT * FROM products WHERE id > 0');
$colour_query = mysql_query('SELECT * FROM product_colours WHERE id > 0');

while ($get_product_rows = mysql_fetch_assoc($product_query)) {
    echo $get_product_rows['name'];
    echo "<br />";

    if ($get_product_rows['has_colour'] == '1') {
        while ($get_colour_row = mysql_fetch_assoc($colour_query)) {
            // Drop down box population goes here.
        }

        // Reset the pointer:
        mysql_data_seek($colour_query, 0);
    }
}

此外,您的<br \>错了;它应该是<br />