标签:invalid 数据 方式 exce 语句 输出 throw fun 时间
工作中经常会对一列数据进行自增操作,设想一个场景。所以呢,将数据load到内存中加减完成再入库是有点风险的。
两种解决方案:
1)加锁,别管是加个乐观锁还是悲观锁,这个不细聊了;
2)不在内存中加,直接在数据库层面进行set number = number - 1;在Laravel中,有increment和decrement封装来实现操作。
increment:
public function increment($column, $amount = 1, array $extra = [])
{
if (! is_numeric($amount)) {
throw new InvalidArgumentException(‘Non-numeric value passed to increment method.‘);
}
$wrapped = $this->grammar->wrap($column);
$columns = array_merge([$column => $this->raw("$wrapped + $amount")], $extra);
return $this->update($columns);
}
decrement:
public function decrement($column, $amount = 1, array $extra = [])
{
if (! is_numeric($amount)) {
throw new InvalidArgumentException(‘Non-numeric value passed to decrement method.‘);
}
$wrapped = $this->grammar->wrap($column);
$columns = array_merge([$column => $this->raw("$wrapped - $amount")], $extra);
return $this->update($columns);
}
都调用了update方法,看一下update:
public function update(array $values)
{
$sql = $this->grammar->compileUpdate($this, $values);
var_dump($sql); // 打印一下sql语句
return $this->connection->update($sql, $this->cleanBindings(
$this->grammar->prepareBindingsForUpdate($this->bindings, $values)
));
}
用两种方式进行数据库修改:
1)直接修改数量
$res = self::where(‘id‘, $data[‘id‘])->update([‘number‘ => self::raw(‘number + 1‘)] );
查看输出的sql语句:
update coupon set number = ? where id = ?
2)用decrement
$res = self::where(‘id‘, $data[‘id‘])->decrement(‘number‘, 2);
查看sql输出结果:
update coupon set number = number - 2 where id = ?;
所以并发较多的情况下建议使用increment和decrement。
标签:invalid 数据 方式 exce 语句 输出 throw fun 时间
原文地址:https://blog.51cto.com/9443450/2394262