您好,登錄后才能下訂單哦!
工作中經常會對一列數據進行自增操作,設想一個場景。
總共發放10張優惠券(以下的操作以時間為序列)
1)用戶1請求領取1張優惠券;
2)進程1查詢到數據庫中剩余10張,代碼更新優惠券數量,此時為內存中優惠券數量為9;
3)此時,用戶2請求領取1張優惠券。進程1并未將9寫入到數據庫中,所以此時進程2取到的優惠券的數量還是10。進程2計算數量,內存中的優惠券數量為9;
4)進程1更新數據庫優惠券的數量,number = 9;
5)進程2更新數據庫優惠券的數量,number = 9;
實際上已經發出去了兩張優惠券,但是數據庫中還剩9張優惠券。
所以呢,將數據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。
免責聲明:本站發布的內容(圖片、視頻和文字)以原創、轉載和分享為主,文章觀點不代表本網站立場,如果涉及侵權請聯系站長郵箱:is@yisu.com進行舉報,并提供相關證據,一經查實,將立刻刪除涉嫌侵權內容。