从表中检索不同的值

从表中检索不同的值

我必须为每个客户打印一次客户名称和所有产品。我的代码如下。

 <div id="Allproducts">
 <?php
  $AllprodsRes = $conn -> query("select * from sepproducts");
  if($AllprodsRes ->num_rows > 0){
    $result = $AllprodsRes -> fetch_array();
  ?>
    <label for="name"><?php echo $result['name'] . " " . $result['surname']; ?></label>
  <?php } ?>
  <?php do{ ?>

  <p><?php echo $result['product_name'] . " " //$result['count']; ?></p>
 <?php }while($result = $AllprodsRes -> fetch_array()); ?>
 </div>

查看sepproducts
CREATE
    ALGORITHM = UNDEFINED
    DEFINER = `root`@`localhost`
    SQL SECURITY DEFINER
VIEW `sepproducts` AS
    select
        `customers`.`name` AS `name`,
        `customers`.`surname` AS `surname`,
        `custproducts`.`product_name` AS `product_name`,
        count(0) AS `count`
    from
        (`custproducts`
        join `customers` ON ((`custproducts`.`custid` = `customers`.`custid`)))
    group by `custproducts`.`product_name`

任何帮助都是受欢迎和感激的。
提前谢谢。

最佳答案

您可以使用以下内容(假设您使用MySQLi):

<?php
$con = new mysqli('localhost', 'username', 'password', 'db');
$query = $con->query('SELECT * FROM...');

$currentCustomer = null;
while ($result = $query->fetch_array()) {
    $name = $result['name'] . ' ' . $result['surname'];

    // Check to see if we're working with a new customer.
    if ($currentCustomer != $name) {
        echo $name . '<br />';
        $currentCustomer = $name;
    }

    echo $result['product_name'] . '<br />';
    echo $result['product_type'] . '<br />';

    // ETC.
}
?>

或者,如果您只有一个客户需要担心,请使用以下方法:
<?php
$con = new mysqli('localhost', 'username', 'password', 'db');
$query = $con->query('SELECT * FROM...');

if ($query->num_rows > 0) {
    $result = $query->fetch_array();

    echo $result['name'] . ' ' . $result['surname'] . '<br />';

    do {
        echo $result['product_name'] . '<br />';
        echo $result['product_type'] . '<br />';

        // ETC.
    } while ($result = $query->fetch_array());
}
?>

实际上,它检查是否找到记录,如果找到,则将一个结果写入数组$result。然后,我们在循环外输出客户的名称(因此这只发生一次),然后使用do…while()循环继续遍历结果数组的其余部分。
我希望这有帮助!

关于php - 从表中检索不同的值,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/22700151/

10-13 02:37