Laravel Eloquent 增加而不更新时间戳

Laravel Eloquent increment without updating timestamps

我有一个 Eloquent 模型,我想在该模型上增加一个属性。到目前为止,我一直在使用以下代码行来实现这一点:

Thread::where('id', $threadId)->increment('like_count');

然而,这具有更新 updated_at 时间戳的不良副作用。我发现了以下在不更改时间戳的情况下更新记录的方法:

    $thread = Thread::where('id', $threadId)->first();

    $thread->timestamps = false;
    $thread->like_count++;
    $thread->save();

但这突然看起来不那么简洁了。因此,我想知道有一种方法可以在不更新时间戳的情况下使用 increment 方法。

如果您根本不需要时间戳,您可以使用 :

为该特定型号一次性禁用它

public $timestamps = false; 在您的模型中。这将添加额外的步骤,每当您想要更新时间戳时,您需要手动为它们分配值,如 $object->created_at = Carbon::now()

其次,如果您希望针对特定查询禁用那些,那么正如您在问题中提到的那样是一种方法。

另一种方法是使用查询生成器。现在时间戳是与 Eloquent 关联的功能。但是,如果您使用简单的查询构建器进行更新,它不会自行更新时间戳。

所以你可以这样做:

DB::table('threads')
            ->where('id', $threadId)
            ->update([ 'votes' => DB::raw('votes + 1') ]);

但是,如果可以选择的话,我个人更喜欢使用 Eloquent 的方式。

更新

您现在可以将附加参数传递给 increment 函数以指定您要更新的其他列。

所以这将变成:

$thread = Thread::find($threadId);

$thread->increment('votes', 1, [
   'updated_at' => $thread->updated_at
]);

您可以将整个过程封装到模型的一个方法中。

旧线程但使用 laravel 7 和 php7.4 你可以做到

Thread::where('id', $threadId)
->where(fn($q) => $q->getModel()->timestamps = false)
->increment('like_count');

php 的旧版本:

Thread::where('id', $threadId)
->where(function($q) {$q->getModel()->timestamps = false;})
->increment('like_count');