创建数据模型
<?php
namespace App\Models;
use DB;
use Illuminate\Database\Eloquent\Model;
/**
* demo表模型
*/
class Demo extends Model
{
protected $table = 'demotable';
//批量更新
public function updateBatch($multipleData = [])
{
try {
if (empty($multipleData)) {
throw new \Exception("数据不能为空");
}
$tableName = DB::getTablePrefix() . $this->getTable(); // 表名
$firstRow = current($multipleData);
$updateColumn = array_keys($firstRow);
// 默认以id为条件更新,如果没有ID则以第一个字段为条件
$referenceColumn = isset($firstRow['id']) ? 'id' : current($updateColumn);
unset($updateColumn[0]);
// 拼接sql语句
$updateSql = "UPDATE " . $tableName . " SET ";
$sets = [];
$bindings = [];
foreach ($updateColumn as $uColumn) {
$setSql = "`" . $uColumn . "` = CASE ";
foreach ($multipleData as $data) {
$setSql .= "WHEN `" . $referenceColumn . "` = ? THEN ? ";
$bindings[] = $data[$referenceColumn];
$bindings[] = $data[$uColumn];
}
$setSql .= "ELSE `" . $uColumn . "` END ";
$sets[] = $setSql;
}
$updateSql .= implode(', ', $sets);
$whereIn = collect($multipleData)->pluck($referenceColumn)->values()->all();
$bindings = array_merge($bindings, $whereIn);
$whereIn = rtrim(str_repeat('?,', count($whereIn)), ',');
$updateSql = rtrim($updateSql, ", ") . " WHERE `" . $referenceColumn . "` IN (" . $whereIn . ")";
// 传入预处理sql语句和对应绑定数据
return DB::update($updateSql, $bindings);
} catch (\Exception $e) {
return false;
}
}
}
测试数据
// 要批量更新的数组
$param = [
['id' => 1, 'name' => '张三', 'email' => 'zhansan@163.com'],
['id' => 2, 'name' => '李四', 'email' => 'lisi@163.com'],
];
// 批量更新
app(Demo::class)->updateBatch($param);
打印出SQL执行语句
UPDATE demotable
SET NAME = CASE
WHEN id = 1 THEN
'张三'
WHEN id = 2 THEN
'李四'
ELSE
NAME
END,
email = CASE
WHEN id = 1 THEN
'zhansan@163.com'
WHEN id = 2 THEN
'lisi@163.com'
ELSE
email
END
WHERE
id IN (1, 2)
完成