函数只返回一个值多次

时间:2016-07-25 05:07:55

标签: php mysql function associative-array

我有function

function get_content($text_to_match) {
    $query  = "SELECT * ";
    $query .= "FROM table_name ";
    $query .= "WHERE one_column_name LIKE '%{$text_to_match}%' OR another_column_name LIKE '%{$text_to_match}%'";
    $cont = mysqli_query($connection, $query);
    if($content = mysqli_fetch_assoc($cont)) {
        return $content;
    } else {
        return null;
    }
}

但是我称之为:

  <div>
      <?php
        for ($i = 1; $i < count(get_content("text_to_match")); $i++) {
          echo '<article>' .
                 '<h3>' . get_content("text_to_match")["string1"] . '</h3>'.
                 '<p>' . get_content("text_to_match")["string2"] . '</p>' .
               '</article>';
        }
      ?>
  </div>

我只会在DB中重复第一场比赛,重复的次数与找到的项目数相同。

我哪里出错?

3 个答案:

答案 0 :(得分:0)

使用此代码然后正确获取数据

 while($content = mysql_fetch_array($cont))
{
   return $content;

 }

答案 1 :(得分:0)

你的逻辑有错。您正在调用get_content函数来获取循环的所有匹配项,以及从列表中获取单个元素。这是:

  • 错误的逻辑 - 第二个用例没有意义
  • 过度 - 您不应该只是为了输出已检索的结果而运行数据库查询

您可能想要做的是:

foreach (get_content('text_to_match') as $content) {
    echo '<article>';
    echo '<h3>' . $content['string1']  . '</h3>';
    echo '<p>' . $content['string2'] . '</p>';
    echo '</article>';
}

答案 2 :(得分:0)

通过一些修改与@ Anant 和@ Unix One 的答案相结合,我得出了这个有效的解决方案:

功能定义

  function get_content($text_to_match, $multiple=false) {
        $query  = "SELECT * ";
        $query .= "FROM table_name ";
        $query .= "WHERE one_column_name LIKE '%{$text_to_match}%' OR another_column_name LIKE '%{$text_to_match}%'";
        $cont = mysqli_query($connection, $query);
        if ($multiple) {
          $content_array = [];
          while($content = mysqli_fetch_array($cont)) {
            $content_array[] = $content;
          }
          return $content_array;
        } else {
          if($content = mysqli_fetch_assoc($cont)) {
            return $content;
          } else {
            return null;
          }
        }
   }

功能调用

<?php
  /* multiple items */
  foreach(get_content("text_to_match", true) as $content) {
    echo '<article>' .
           '<h3>' . $content["string1"] . '</h3>' .
           '<p>' . $content["string2"] . '</p>' .
         '</article>';
  }
?>

<?php
  /* one item */
  echo get_content("text_to_match")["string"];
?>