user3936104
user3936104

Reputation:

How to update field when delete a row in laravel

Let I have a table named customer where customer table has a field named deleted_by. I implement softDelete in customer model. Now I want to update deleted_by when row delete. So that I can trace who delete this row.

I do search on google about it But I don't found anything.

I use laravel 4.2.8 & Eloquent

Upvotes: 7

Views: 12862

Answers (4)

Simon
Simon

Reputation: 131

I know this is an old question, but what you could do (in the customer model) is the following....

public function delete() 
{
    $this->deleted_by = auth()->user()->getKey();
    $this->save();

    return parent::delete();
}

That would still allow the soft delete while setting another value just before it deletes.

Upvotes: 4

Marwelln
Marwelln

Reputation: 29413

I would rather use a Model Event for this.

<?php
class Customer extends \Eloquent {
    ...
    public static function boot() {
        parent::boot();

        // We set the deleted_by attribute before deleted event so we doesn't get an error if Customer was deleted by force (without soft delete).
        static::deleting(function($model){
            $model->deleted_by = Auth::user()->id;
            $model->save();
        });
    }
    ...
}

Then you just delete it like you would normally do.

Customer::find(1)->delete();

Upvotes: 3

Jarek Tkaczyk
Jarek Tkaczyk

Reputation: 81167

Something like this is the way to go:

// override soft deleting trait method on the model, base model 
// or new trait - whatever suits you
protected function runSoftDelete()
{
    $query = $this->newQuery()->where($this->getKeyName(), $this->getKey());

    $this->{$this->getDeletedAtColumn()} = $time = $this->freshTimestamp();

    $deleted_by = (Auth::id()) ?: null;

    $query->update(array(
       $this->getDeletedAtColumn() => $this->fromDateTime($time), 
       'deleted_by' => $deleted_by
    ));
}

Then all you need is:

$someModel->delete();

and it's done.

Upvotes: 5

The Alpha
The Alpha

Reputation: 146191

You may update the field using something like this:

$customer = Customer::find(1); // Assume 1 is the customer id

if($customer->delete()) { // If softdeleted

    DB::table('customer')->where('id', $customer->id)
      ->update(array('deleted_by' => 'SomeNameOrUserID'));
}

Also, you may do it in one query:

// Assumed you have passed the id to the method in $id
$ts = Carbon\Carbon::now()->toDateTimeString();
$data = array('deleted_at' => $ts, 'deleted_by' => Auth::user()->id);
DB::table('customer')->where('id', $id)->update($data);

Both is done within one query, softDelete and recorded deleted_by as well.

Upvotes: 10

Related Questions