1

在 PHP 中使用关联数组构造 UPDATE 语句的最佳方法是什么?

例如,假设我有这样的功能:

/**
 * For update queries
 * 
 * @param string $tableName Name of the table we're wanting to update.
 * @param array $values Associative array of columns / values to update. e.g. array('name' => 'John', 'age' => 29)
 * @param array $conditions Associative array of conditions. e.g. array('user_id' => 1) equates to "WHERE user_id = 1"
 */
 public function update($tableName, $values, $conditions = array()){
      //Construct SQL
 }

到目前为止,我已经能够构建简单的 UPDATE 语句,例如:

UPDATE `myTableName` SET `name` = :name, `age` = :age WHERE `user_id` = :user_id

现在我想知道:构造 WHERE 子句的最佳方法是什么?我可以研究的其他库和代码库中是否有类似的实现?例如:我如何处理具有 OR 和 AND 和 IN() 等的 WHERE 子句的构造?

UPDATE example SET col = :val WHERE user_id = :user_id AND (age = :age OR name = :name)
4

2 回答 2

1
public function update($tableName, $values, $conditions = array()) {
    if (empty($values)) {
        throw new Exception('Nothing to update');
    }
    $valueStrings = array();
    foreach ($values as $name => $value) {
        $valueStrings[] = $name . ' = :' . $name;
    }
    $conditionStrings = array();
    foreach ($conditions as $column => $value) {
        $conditionString = $column;
        $conditionString .= is_array($value)
            ? ('IN ("' . implode('","', $value) . '")')
            : (' = "' . $value . '"')
        ;
        $conditionStrings[] = $conditionString;
    }
    $sql = 'UPDATE ' . $tableName
        . ' SET ' . implode(', ', $valueStrings)
        . ' WHERE ' . implode(' AND ', $conditionStrings)
    ;
    // execute query
}

但实际上你应该为此使用 ORM:

原则 2:使用查询生成器更新查询

于 2012-11-07T11:57:40.833 回答
0

我认为一个简单的解决方案是implode()使用“AND”作为分隔符:

$columnCArrayValues = array(1, 2, 3, 4);
$conditions = array(
    'column_a = :column_a',
    'column_b <> :column_b',
    'column_c IN (' . implode(',', $columnCArrayValues) . ')'
);

// ..

$where = '(' implode(') AND (', $conditions) . ')';
// result: (column_a = :column_a) AND (column_b <> :column_b) 
// AND (column_c IN (1,2,3,4))

或者,Zend 框架在框架的两个版本中都有一个非常好的Db组件。

于 2012-11-07T11:54:09.157 回答