1567997808
Originally published at https://www.techiediaries.com
Most of the times, the authentication system provided by Laravel 6 is enough for adding login and registration to your web application.
The auth scaffolding which is now moved to a separate laravel/ui
package provides out of the box routes and views for the LoginController
, RegisterController
, and ResetPasswordController
which are included in your project and are responsible for providing the functionality of the auth system.
If you take a look at the app/Http/Controllers/Auth/LoginController.php
file, for example, you would find the following code:
<?phpnamespace App\Http\Controllers\Auth;
use App\Http\Controllers\Controller;
use Illuminate\Foundation\Auth\AuthenticatesUsers;class LoginController extends Controller
{use AuthenticatesUsers;
protected $redirectTo = ‘/home’;
public function __construct()
{
$this->middleware(‘guest’)->except(‘logout’);
}
}
You can see that a $redirectTo
variable exists and has the value of /home
where users are redirected after they are logged in.
In the Laravel built-in authentication system, you can customize many sides such as the redirection route using the $redirectTo
variable which exists in both the login and registration controllers.
If you want to redirect your users to different routes other than the default ones after they register or login, you simply need to change the value of $redirectTo
.
Now, what if you want to redirect users to a route depending on some user criteria such as their role?
The Laravel auth system also covers that by providing a redirectTo()
method that you can use instead of a $redirectTo
variable.
Let’s take this example of the LoginController
of our CRM application by adding the redirectTo()
method to redirect the admin users to a different route other than the /home
route:
<?phpnamespace App\Http\Controllers\Auth;
use App\Http\Controllers\Controller;
use Illuminate\Foundation\Auth\AuthenticatesUsers;class LoginController extends Controller
{
use AuthenticatesUsers;protected $redirectTo = ‘/home’;
protected function redirectTo()
{
if (auth()->user()->role == ‘admin’) {
return ‘/admin’;
}
return ‘/home’;
}public function __construct()
{
$this->middleware(‘guest’)->except(‘logout’);
}
}
We also need to do that in the registration controller. Open the app/Http/Controllers/Auth/RegisterController.php
file and update it as follows:
<?phpnamespace App\Http\Controllers\Auth;
use App\User;
use App\Http\Controllers\Controller;
use Illuminate\Support\Facades\Hash;
use Illuminate\Support\Facades\Validator;
use Illuminate\Foundation\Auth\RegistersUsers;class RegisterController extends Controller
{
use RegistersUsers;protected $redirectTo = ‘/home’;
protected function redirectTo()
{
if (auth()->user()->role == ‘admin’) {
return ‘/admin’;
}
return ‘/home’;
}public function __construct()
{
$this->middleware(‘guest’);
}protected function validator(array $data)
{
return Validator::make($data, [
‘name’ => [‘required’, ‘string’, ‘max:255’],
‘email’ => [‘required’, ‘string’, ‘email’, ‘max:255’, ‘unique:users’],
‘password’ => [‘required’, ‘string’, ‘min:8’, ‘confirmed’],
]);
}protected function create(array $data)
{
return User::create([
‘name’ => $data[‘name’],
‘email’ => $data[‘email’],
‘password’ => Hash::make($data[‘password’]),
]);
}
}
You can either remove the $redirectTo
variable or leave it as it will be simply overridden by the redirectTo()
method.
Now, all you need is to create an /admin
route along with an AdminController
. Head back to your terminal and run the following artisan command:
$ php artisan make:controller AdminController
Next, open the app/Http/Controllers/AdminController.php
file and update it as follows:
<?phpnamespace App\Http\Controllers;
use Illuminate\Http\Request;
class AdminController extends Controller
{
public function __construct()
{
$this->middleware(‘auth’);
}public function index()
{
return “Hello, admin!”;
}
}
Next, open the routes/web.php
file and add a route to the admin controller as follows:
Route::get(‘/admin’, ‘AdminController@index’)->name(‘admin’);
In this tutorial, we’ve implemented redirection in our Laravel 6 CRM app so admin users are redirected to a different route while the normal users are redirected to the home route. Redirection doesn’t enforce any security rules because the normal users will still be able to visit the /admin
route. We need to prevent that using a middleware which is the subject of the next tutorial.
Thanks for reading ❤
If you liked this post, share it with all of your programming buddies!
Follow me on Facebook | Twitter
☞ Laravel 5.8 Tutorial for Beginners
☞ Laravel 6 CRUD Application Tutorial
☞ Laravel 6 Image Upload Tutorial
#laravel #php #security #web-development
1623389100
Today, We will see laravel 8 create custom helper function example, as we all know laravel provides many ready mate function in their framework, but many times we need to require our own customized function to use in our project that time we need to create custom helper function, So, here i am show you custom helper function example in laravel 8.
#laravel 8 create custom helper function example #laravel #custom helper function #how to create custom helper in laravel 8 #laravel helper functions #custom helper functions in laravel
1602036957
Laravel 8 rest api authentication with passport tutorial, you will learn step by step how to create rest API with laravel 8 passport authentication. And as well as how to install and cofigure passport auth in laravel 8 app.
Step 1: Download Laravel 8 App
Step 2: Database Configuration
Step 3: Install Passport Auth
Step 4: Passport Configuration
Step 5: Run Migration
Step 6: Create APIs Route
Step 7: Create Passport Auth Controller
Step 8: Now Test Laravel REST API in Postman
https://www.tutsmake.com/laravel-8-rest-api-authentication-with-passport/
#laravel api authentication with passport #laravel 8 api authentication #laravel 8 api authentication token tutorial #laravel 8 api authentication using passport #laravel 8 api authentication session
1622049211
Customer Feedback Tool | Fynzo online customer feedback comes with Android, iOS app. Collect feedback from your customers with tablets or send them feedback links.
Visit page for more information: https://www.fynzo.com/feedback
#CustomerFeedbackSystem
#PowerfulCustomerFeedbackSystem
#freecustomerfeedbacktools
#automatedcustomerfeedbacksystem
#customerfeedbacktools
#customerratingsystem
#Customerfeedbackmanagement
#customer feedback system #powerful customer feedback system #free customer feedback tools #automated customer feedback system #customer feedback tools #customer rating system
1595201363
First thing, we will need a table and i am creating products table for this example. So run the following query to create table.
CREATE TABLE `products` (
`id` int(10) unsigned NOT NULL AUTO_INCREMENT,
`name` varchar(255) COLLATE utf8mb4_unicode_ci NOT NULL,
`description` varchar(255) COLLATE utf8mb4_unicode_ci DEFAULT NULL,
`created_at` timestamp NULL DEFAULT CURRENT_TIMESTAMP,
`updated_at` datetime DEFAULT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB AUTO_INCREMENT=7 DEFAULT CHARSET=utf8mb4 COLLATE=utf8mb4_unicode_ci
Next, we will need to insert some dummy records in this table that will be deleted.
INSERT INTO `products` (`name`, `description`) VALUES
('Test product 1', 'Product description example1'),
('Test product 2', 'Product description example2'),
('Test product 3', 'Product description example3'),
('Test product 4', 'Product description example4'),
('Test product 5', 'Product description example5');
Now we are redy to create a model corresponding to this products table. Here we will create Product model. So let’s create a model file Product.php file under app directory and put the code below.
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
class Product extends Model
{
protected $fillable = [
'name','description'
];
}
Now, in this second step we will create some routes to handle the request for this example. So opeen routes/web.php file and copy the routes as given below.
routes/web.php
Route::get('product', 'ProductController@index');
Route::delete('product/{id}', ['as'=>'product.destroy','uses'=>'ProductController@destroy']);
Route::delete('delete-multiple-product', ['as'=>'product.multiple-delete','uses'=>'ProductController@deleteMultiple']);
#laravel #delete multiple rows in laravel using ajax #laravel ajax delete #laravel ajax multiple checkbox delete #laravel delete multiple rows #laravel delete records using ajax #laravel multiple checkbox delete rows #laravel multiple delete
1604492424
Laravel 8 custom validation rules and error messages. In this tutorial, i will show you how to add custom validation rules and display custom validation error messages in laravel 8 app.
https://www.tutsmake.com/laravel-8-custom-validation-error-messages-tutorial/
#laravel custom validation rule with parameters #laravel custom validation message #laravel request validation custom message #laravel custom validation error messages