How to Delete Multiple Records using Checkbox in Laravel

How to Delete Multiple Records using Checkbox in Laravel?

It’s almost need to give feature for remove multiple records using checkbox, if you are developing e-commerce application or any big web application then you must give feature to delete multiple records.

So in this post, i will let you know how to delete multiple records with checkbox in laravel 5, laravel 6, laravel 7, laravel 8, laravel 9, laravel 10 and laravel 11 application. here i also give multiple delete and you can also delete single records. Few days ago i posted for confirmation before delete record, so you can read from here :

In this example, i simply created “products” table with id, name, details, created_at and updated_at columns. I also added mysql query for add dummy records. Here i use jquery for select all checkboxs and delete all records. So finally you have to follow some step and get the layout like as bellow. You Can Learn Laravel 11 Add or Remove Multiple Input Fields with jQuery Tutorial

How to Delete Multiple Records using Checkbox in Laravel?

Preview:

Step 1: Create products Table with Dummy Records

Here, you have to create “products” table then you can run mysql query for dummy records. You can create products table using migration and then also create some dummy records using seeder. So now i just simple sql query.

Dummy Records Query:

INSERT INTO `products` (`id`, `name`, `details`, `created_at`, `updated_at`) VALUES

(1, 'Laravel', 'Laravel posts', NULL, NULL),

(3, 'PHP', 'PHP posts', NULL, NULL),

(4, 'JQuery', 'JQuery posts', NULL, NULL),

(5, 'Bootstrap', 'Bootstrap posts', NULL, NULL),

(6, 'Ajax', 'Ajax posts', NULL, NULL);

Step 2: Create new Routes

In this step, we are doing from scratch so we will add three routes, one for display data and another for delete request, then third for remove all selected data. So you have to simply add three new routes in your laravel application.

routes/web.php

Route::get('myproducts', 'ProductController@index');
Route::delete('myproducts/{id}', 'ProductController@destroy');
Route::delete('myproductsDeleteAll', 'ProductController@deleteAll');

Step 3: Add ProductController

Here, we will create new ProductController file to handle request of created three new route. In this Controller we define three method, index(), destroy() and deleteAll(). method will handle route request. So let’s create new controller and put code:

app/Http/Controllers/ProductController.php

<?php

namespace App\Http\Controllers;
use Illuminate\Http\Request;
use DB;


class ProductController extends Controller

{

    /**
     * Show the application dashboard.
     *
     * @return \Illuminate\Http\Response
     */

    public function index()

    {

        $products = DB::table("products")->get();
        return view('products',compact('products'));

    }



    /**
     * Show the application dashboard.
     *
     * @return \Illuminate\Http\Response
     */

    public function destroy($id)

    {
    	DB::table("products")->delete($id);
    	return response()->json(['success'=>"Product Deleted successfully.", 'tr'=>'tr_'.$id]);

    }



    /**
     * Show the application dashboard.
     *
     * @return \Illuminate\Http\Response
     */

    public function deleteAll(Request $request)

    {

        $ids = $request->ids;
        DB::table("products")->whereIn('id',explode(",",$ids))->delete();
        return response()->json(['success'=>"Products Deleted successfully."]);

    }

}

Step 4: Add Blade File

In last step, we will create products.blade.php file and write code of jquery for delete and delete all function. So let’s create products.blade.php file and put bellow code:

resources/views/products.blade.php

<!DOCTYPE html>
<html>
<head>
    <title>Laravel 5 - Multiple delete records with checkbox example</title>

    <link rel="stylesheet" href="https://maxcdn.bootstrapcdn.com/bootstrap/3.3.7/css/bootstrap.min.css">
    <script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.2.1/jquery.min.js"></script>
    <script src="https://cdnjs.cloudflare.com/ajax/libs/twitter-bootstrap/3.3.7/js/bootstrap.min.js"></script>

    <script src="https://cdnjs.cloudflare.com/ajax/libs/bootstrap-confirmation/1.0.5/bootstrap-confirmation.min.js"></script>

    <meta name="csrf-token" content="{{ csrf_token() }}">

</head>
<body>



<div class="container">
    <h3>Laravel 11 - Multiple delete records with checkbox example</h3>

    <button style="margin-bottom: 10px" class="btn btn-primary delete_all" data-url="{{ url('myproductsDeleteAll') }}">Delete All Selected</button>

    <table class="table table-bordered">
        <tr>
            <th width="50px"><input type="checkbox" id="master"></th>
            <th width="80px">No</th>
            <th>Product Name</th>
            <th>Product Details</th>
            <th width="100px">Action</th>

        </tr>

        @if($products->count())

            @foreach($products as $key => $product)
                <tr id="tr_{{$product->id}}">
                    <td><input type="checkbox" class="sub_chk" data-id="{{$product->id}}"></td>
                    <td>{{ ++$key }}</td>

                    <td>{{ $product->name }}</td>

                    <td>{{ $product->details }}</td>

                    <td>

                         <a href="{{ url('myproducts',$product->id) }}" class="btn btn-danger btn-sm"

                           data-tr="tr_{{$product->id}}"

                           data-toggle="confirmation"

                           data-btn-ok-label="Delete" data-btn-ok-icon="fa fa-remove"

                           data-btn-ok-class="btn btn-sm btn-danger"

                           data-btn-cancel-label="Cancel"

                           data-btn-cancel-icon="fa fa-chevron-circle-left"

                           data-btn-cancel-class="btn btn-sm btn-default"

                           data-title="Are you sure you want to delete ?"

                           data-placement="left" data-singleton="true">

                            Delete

                        </a>

                    </td>

                </tr>

            @endforeach

        @endif

    </table>

</div> <!-- container / end -->



</body>



<script type="text/javascript">

    $(document).ready(function () {



        $('#master').on('click', function(e) {

         if($(this).is(':checked',true))  

         {

            $(".sub_chk").prop('checked', true);  

         } else {  

            $(".sub_chk").prop('checked',false);  

         }  

        });



        $('.delete_all').on('click', function(e) {



            var allVals = [];  

            $(".sub_chk:checked").each(function() {  

                allVals.push($(this).attr('data-id'));

            });  



            if(allVals.length <=0)  

            {  

                alert("Please select row.");  

            }  else {  



                var check = confirm("Are you sure you want to delete this row?");  

                if(check == true){  



                    var join_selected_values = allVals.join(","); 



                    $.ajax({

                        url: $(this).data('url'),

                        type: 'DELETE',

                        headers: {'X-CSRF-TOKEN': $('meta[name="csrf-token"]').attr('content')},

                        data: 'ids='+join_selected_values,

                        success: function (data) {

                            if (data['success']) {

                                $(".sub_chk:checked").each(function() {  

                                    $(this).parents("tr").remove();

                                });

                                alert(data['success']);

                            } else if (data['error']) {

                                alert(data['error']);

                            } else {

                                alert('Whoops Something went wrong!!');

                            }

                        },

                        error: function (data) {

                            alert(data.responseText);

                        }

                    });



                  $.each(allVals, function( index, value ) {

                      $('table tr').filter("[data-row-id='" + value + "']").remove();

                  });

                }  

            }  

        });



        $('[data-toggle=confirmation]').confirmation({

            rootSelector: '[data-toggle=confirmation]',

            onConfirm: function (event, element) {

                element.trigger('confirm');

            }

        });



        $(document).on('confirm', function (e) {

            var ele = e.target;

            e.preventDefault();



            $.ajax({

                url: ele.href,

                type: 'DELETE',

                headers: {'X-CSRF-TOKEN': $('meta[name="csrf-token"]').attr('content')},

                success: function (data) {

                    if (data['success']) {

                        $("#" + data['tr']).slideUp("slow");

                        alert(data['success']);

                    } else if (data['error']) {

                        alert(data['error']);

                    } else {

                        alert('Whoops Something went wrong!!');

                    }

                },

                error: function (data) {

                    alert(data.responseText);

                }

            });



            return false;

        });

    });

</script>



</html>

Now we are ready to run our example so run bellow command for quick run:

php artisan serve

Now you can open bellow url on your browser:

http://localhost:8000/myproducts

I hope it can help you….

This Post Has 4 Comments

  1. vector-jet.com-buh

    The VectorJet team focuses on arranging private aviation services, group charter trips, and freight air transport.
    They provide customized solutions for private jet flights, on-demand flights, helicopter flights, and logistics operations, including time-critical and emergency aid missions.
    The company ensures adaptive travel options with individually tailored fleet suggestions, 24/7 support, and help with special requests, such as pet-friendly flights or off-grid destination access.
    Additional services include aircraft leasing, transactions, and private jet management.
    VectorJet operates as an liaison between travelers and partner airlines, ensuring comfort, convenience, and smooth execution.
    Their mission is to deliver private flight solutions simple, safe, and fully customized for each client.
    vector-jet.com

  2. Грузоперевозки в городе Минск — выгодное решение для организаций и физических лиц.
    Мы предлагаем перевозки по Минску и области, работая ежедневно.
    В нашем парке автомобилей современные автомобили разной вместимости, что дает возможность учесть любые запросы клиентов.
    gruzoperevozki-minsk12.ru
    Мы помогаем переезды, транспортировку мебели, строительных материалов, а также малогабаритных товаров.
    Наши водители — это квалифицированные эксперты, отлично ориентирующиеся в улицах Минска.
    Мы обеспечиваем своевременную подачу транспорта, аккуратную погрузку и разгрузку в указанное место.
    Заказать грузоперевозку вы можете онлайн или по контактному номеру с быстрым ответом.

  3. gameathlon.gr-assem

    Stake Online Casino gameathlon.gr is among the best crypto gambling since it was one of the first.
    The online casino market is evolving and players have a vast choice, but not all casinos offer the same experience.
    In this article, we will review the most reputable casinos accessible in the Greek region and the benefits they offer who live in Greece specifically.
    Best online casinos of 2023 are shown in the table below. The following are the best casino websites as rated by our expert team.
    When choosing a casino, it is important to check the validity of its license, software certificates, and data protection measures to guarantee safe transactions for players on their websites.
    If any of these elements are missing, or if we can’t confirm any of these elements, we exclude that website from our list.
    Gaming providers are another important factor in determining an online casino. Typically, if there’s no valid license, you won’t find reliable providers like NetEnt represented on the site.
    The best online casinos offer classic payment methods like Mastercard, but they should also include digital payment services like Paysafecard and many others.

  4. www.gameathlon.gr-Ben

    The GameAthlon platform is a renowned online casino offering exciting games for gamblers of all levels.
    The casino provides a extensive collection of slot games, live dealer games, card games, and betting options.
    Players can enjoy seamless navigation, top-notch visuals, and easy-to-use interfaces on both PC and mobile devices.
    http://www.gameathlon.gr
    GameAthlon focuses on security by offering encrypted transactions and reliable RNG systems.
    Reward programs and VIP perks are frequently refreshed, giving players extra opportunities to win and extend their play.
    The customer support team is available 24/7, assisting with any questions quickly and professionally.
    The site is the perfect place for those looking for fun and big winnings in one trusted space.

Leave a Reply