我一直在为类中的项目做一些php开发,但是遇到了问题。
当与我输入的参数一起使用时,以下函数应该返回true,但返回false:
public function check_if_in($table, $condition){
$request="SELECT *"; // Selecting one column
$request=$request.' FROM '.$table.' WHERE '; // From the table i want to check in
$keys = array_keys($condition);
foreach($condition as $clé=>$val){
if(!($clé == end($keys))){ // If it's not the last condition
$request = $request.$clé." = :".$clé." AND "; // add AND
}
else{
$request = $request.$clé." = :".$clé.";"; // Add a semicolon
}
}
try {
$statement = $this->pdo->prepare($request); // Prepare the statement
}
catch (PDOException $e){
die("Erreur array :" . $e->getMessage());
}
foreach($condition as $clé=>$val) {
$statement->bindValue($clé, '%'.$val.'%'); // Binding all the parameters
}
try {
$statement->execute();
}
catch (PDOException $e){
die("Error :" . $e->getMessage());
}
if($statement->rowCount() > 0){
return true;
}
else {
return false;
}
}
请问哪里可能是问题所在?
答案 0 :(得分:1)
您的问题似乎是查询和您绑定的变量的组合:
查询的构建方式如下:
// You use `=` to compare values
$request = $request.$clé." = :".$clé
然后像这样绑定变量:
// You use `%` characters as if it is a `LIKE`
$statement->bindValue($clé, '%'.$val.'%');
^ ^ here you have a problem
您正在使用%
符号,就像在LIKE
条件下使用通配符一样,但是您正在使用=
。
现在,您的查询正在寻找被%
符号包围的文字字符串。哪个(可能...)不存在。
因此,使用LIKE
而不是=
或摆脱绑定变量的%
字符:
$statement->bindValue($clé, $val);