循环中的准备语句

prepared statement in the loop

我有个问题想了很久也想不通。基本上我有 table 和用户名(table 中有 1 个唯一的用户名)和 1 个相应的图像文件。有些用户有图像文件,有些则没有。用户名存储在数组 $Users[] 中。我正在尝试使用以下方法为每个用户获取图像文件名:

$stmt = $db->prepare("SELECT file_name FROM images WHERE BINARY username=?"); 
    for($temp1=0; $temp1<count($Users); $temp1++){
        $stmt->bind_param("s", $Users[$temp1]);
        $stmt->execute();
        $stmt->store_result();
        $stmt->bind_result($ImgFileName);
        $stmt->fetch();
        $imageURL[$temp1]=$ImgFileName;
    }

但是这有烦人的行为。假设代码循环通过,如果用户 User[0] 有与之相关的 $ImgFileName,但 User[1]、User[2] 等没有,则 $ImgFileName 用于最后一个具有可用图像的用户,而不是 null。这种情况会发生,直到循环中的某些用户再次在 table 中拥有图像文件名。因此,如果我在循环通过后打印 $imageURL[] 数组,它看起来像:

$Users[]=[user1,user2,user3,user4,user5]
$imageURL[]=[img001.png,img001.png,img001.png,img231.png,img124.png,img124.png]

而不是

$Users[]=[user1,user2,user3,user4,user5]
$imageURL[]=[img001.png,,,img231.png,img124.png,]

有人知道为什么吗?

原因是因为您从未在循环内重置 $ImgFileName

$ImgFileName = null; 放入循环中。

您也可以取消设置变量,这将导致相同的结果。

for($temp1=0; $temp1<count($Users); $temp1++){
    $stmt->bind_param("s", $Users[$temp1]);
    $stmt->execute();
    $stmt->store_result();
    $stmt->bind_result($ImgFileName);
    $stmt->fetch();
    $imageURL[$temp1]=$ImgFileName;

    unset($ImgFileName);
}

另一种方法是将文件名存储在一个数组中,并将名称作为索引(同时确保每次都删除图像名称)...

for($temp1=0; $temp1<count($Users); $temp1++){
    $ImgFileName = '';
    $userName = $Users[$temp1];
    $stmt->bind_param("s", $userName);
    $stmt->execute();
    $stmt->store_result();
    $stmt->bind_result($ImgFileName);
    $stmt->fetch();
    $imageURL[$userName] = $ImgFileName;
}

如果您还结合使用 in(来自 How do you use IN clauses with mysqli prepared statements),您可以在一次执行中获取已知用户和文件名的列表...

$stmt = $db->prepare("SELECT username, file_name
                       FROM images 
                       WHERE username in...

只需遍历结果并将它们添加到数组中。