Creating a custom validation rule in Ardent w/ Laravel that can access the model to do dirty checking

1.1k Views Asked by At

Goal

I have an Ardent model called User in Laravel.
I want to have a custom validation rule called confirm_if_dirty.

This would only run if the User->password attribute is dirty. It would expect there to be a User->password_confirmation field.

Below is an example of how this rule might look.

Validator::extend('confirm_dirty', function($attribute, $value, $parameters) use($model)   
{
//If field is not dirty, no need to confirm.
if($model->isDirty("{$attribute}")){

    //Confirmation field should be present.
    if(!$model->__isset($attribute."_confirmation")){
        return false;
    }
    //Values should match.
    $confirmedAttribute = $model->getAttribute($attribute."_confirmation");
    if( $confirmedAttribute !== $value){
        return false;
    }
    //Check to see if _confirmation field matches dirty field.
}

return true;

});

Question

How can I make it so that $model in my case is passed in or is the model instance in question?

1

There are 1 best solutions below

2
On

Here is how I am doing to provide access to the model in a validator function:

class CustomModel extends Ardent {

    public function __construct(array $attributes = array())
    {
        parent::__construct($attributes);

        $this->validating(array($this, 'addModelAttribute'));
        $this->validated(array($this, 'removeModelAttribute'));
    }

    public function addModelAttribute()
    {
        $this->attributes['model'] = $this;
    }

    public function removeModelAttribute()
    {
        unset($this->attributes['model']);
    }

}

Now, it is possible to have access to the model instance as the model attribute in the validator:

class CustomValidator extends Validator {

    protected function validateConfirmDirty($attribute, $value, $parameters)
    {
        $this->data['model'];   // and here is the model instance!
    }

}