How to show response json of validation errors in Blade

66 Views Asked by At

I'm working with Laravel and this is my RegisterController Class based on API:

class RegisterController extends AuthController
{
    public function register(Request $request)
    {
        $validator = Validator::make($request->all(), [
            'name' => 'required|string',
            'email' => 'required|email|unique:users',
            'password' => 'required|string|min:6|max:13|same:password_confirmation',
        ]);

        $errors = [];
        if ($validator->fails()) {
            foreach($validator->errors()->all() as $err){
                array_push($errors, $err);
            }

            return view('auth.index', compact('errors'));
        }else{
            $user = User::create([
                'name' => $request->name,
                'email' => $request->email,
                'password' => bcrypt($request->password),
            ]);

            Auth::login($user);

            $token = $user->createToken('API Token')->accessToken;

            return response()->json(['token' => $token], 201);
        }
    }
}

It works fine but as you see I tried showing validation errors by returning the view and compacted the errors array to it:

return view('auth.index', compact('errors'));

This is wrong, however, I don't know how to capture the response json for the error showing.

So if you know how to do this, please let me know.

Thanks in advance.

1

There are 1 best solutions below

0
On

Automatic Redirection

If you would like to create a validator instance manually but still take advantage of the automatic redirection offered by the HTTP request's validate method, you may call the validate method on an existing validator instance. If validation fails, the user will automatically be redirected or, in the case of an XHR request, a JSON response will be returned:

Validator::make($request->all(), [
            'name' => 'required|string',
            'email' => 'required|email|unique:users',
            'password' => 'required|string|min:6|max:13|same:password_confirmation',
        ])->validate();

or

$request->validate([
            'name' => 'required|string',
            'email' => 'required|email|unique:users',
            'password' => 'required|string|min:6|max:13|same:password_confirmation',
        ])

So if the request contains header content-type:application/json then it automatically converts to JSON.In Blade you can do the following

@error('name')
    <div class="alert alert-danger">{{ $message }}</div>
@enderror

or

@if ($errors->any())
    <div class="alert alert-danger">
        <ul>
            @foreach ($errors->all() as $error)
                <li>{{ $error }}</li>
            @endforeach
        </ul>
    </div>
@endif