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 Frameworkには、両方のバージョンのフレームワークに非常に優れたDbコンポーネントがあります。

于 2012-11-07T11:54:09.157 に答える