当依赖于是否设置了某些PHP变量时,用PDO构造SQL语句的最佳方法是什么?
这里有一个例子;

$query="SELECT * FROM table ";

if($variable1 != "") {  $query = $query . "WHERE variable1 = :variable1";   }
if($variable2 != "") {  $query = $query . " AND variable2 = :variable2";    }

$query -> execute(array(':variable1' => $variable1, ':variable2' => $variable2));

我有很多这样的if语句,当将变量绑定到查询时,我不想再遍历所有这些if语句。
有没有一种更简单的方法来构造具有这种if/else条件的SQL语句?

最佳答案

我会使用一个数组来包含where。。。当匹配发生时,将结果语句添加到数组中。在计算完所有值后,内爆,用“AND”分隔并连接到$query。

$arrWhere = array();
$assWhere = array();

if($variable1 != "") {
    $arrWhere[] = "variable1 = :variable1";
    $assWhere[":variable1"] = $variable1;
}
if($variable2 != "") {
    $arrWhere[] = "variable2 = :variable2";
    $assWhere[":variable2"] = $variable2;
}
if($variable3 != "") {
    $arrWhere[] = "variable3 = :variable3";
    $assWhere[":variable3"] = $variable3;
}

$query="SELECT * FROM table WHERE " . implode ( " AND " , $arrWhere );

$query -> execute($assWhere);

10-06 09:10