0

所以我有两个数组需要在 MySQL 中更新和设置。item_id [1,2,3] 和 item_order[2,1,3]

这是数组插入之前的项目表:

item_id item_order
  1         1 //should become 2
  2         2 // should become 1
  3         3 // should become 3

数组应该成对插入,1-2、2-1、3-3。如何有效地使用准备好的语句执行此操作,以及如何测试数组项是否确实是数字?

4

2 回答 2

1

这是一个例子:

UPDATE mytable SET myfield = CASE other_field WHEN 1 THEN 'value' WHEN 2 THEN 'value' WHEN 3 THEN 'value' END WHERE id IN (1,2,3)

于 2012-06-01T18:31:11.023 回答
1

假设您有这样的输入:

$item_id = array(1, 2, 3);
$item_order = array(2, 1, 3);
// and a PDO connection named $pdo

你可以尝试这样的事情。(我还假设您已将 PDO 配置为在出现问题时抛出异常)。

function all_numbers($input) {
  foreach($input as $o) {
    if(!is_numeric($o)) {
      return false;
    }
  }
  return true;
}

if(count($item_id) != count($item_order)) {
  throw new Exception("Input size mismatch!");
}

if(!all_numbers($item_id) || !all_numbers($item_order)) {
  throw new Exception("Invalid input format!");
}

$pairs = array_combine($item_id, $item_order);
// now $pairs will be an array(1 => 2, 2 => 1, 3 => 3);

if($pdo->beginTransaction()) {
  try {
    $stmt = $pdo->prepare('UPDATE `items` SET `item_order` = :order WHERE `item_id` = :id');

    foreach($pairs as $id => $order) {
      $stmt->execute(array(
        ':id' => $id,
        ':order' => $order,
      ));
    }
    $pdo->commit();
  } catch (Exception $E) {
    $tx->rollback();
    throw $E;
  }
} else {
  throw new Exception("PDO transaction failed: " . print_r($pdo->errorInfo(), true));
}

但是重新设计您的输入可能会更好 - 仅以item_ids所需的顺序传递并item_order自动计算它们的值。

于 2012-06-02T06:06:43.457 回答