How to break a foreach loop in laravel blade view?

89,667

Solution 1

From the Blade docs:

When using loops you may also end the loop or skip the current iteration:

@foreach ($users as $user)
    @if ($user->type == 1)
        @continue
    @endif

    <li>{{ $user->name }}</li>

    @if ($user->number == 5)
        @break
    @endif
@endforeach

Solution 2

you can break like this

@foreach($data as $d)
    @if($d === "something")
        {{$d}}
        @if(condition)
            @break
        @endif
    @endif
@endforeach

Solution 3

Basic usage

By default, blade doesn't have @break and @continue which are useful to have. So that's included.

Furthermore, the $loop variable is introduced inside loops, (almost) exactly like Twig.

Basic Example

@foreach($stuff as $key => $val)
     $loop->index;       // int, zero based
     $loop->index1;      // int, starts at 1
     $loop->revindex;    // int
     $loop->revindex1;   // int
     $loop->first;       // bool
     $loop->last;        // bool
     $loop->even;        // bool
     $loop->odd;         // bool
     $loop->length;      // int

    @foreach($other as $name => $age)
        $loop->parent->odd;
        @foreach($friends as $foo => $bar)
            $loop->parent->index;
            $loop->parent->parentLoop->index;
        @endforeach
    @endforeach 

    @break

    @continue

@endforeach
Share:
89,667
Sagar Gautam
Author by

Sagar Gautam

I have completed Bachelors of Computer Engineering from Institute of Engineering Pulchowk Campus. I am a software developer. If you need to contact me feel free to email at [email protected].

Updated on February 03, 2022

Comments

  • Sagar Gautam
    Sagar Gautam about 2 years

    I have a loop like this:

    @foreach($data as $d)
        @if(condition==true)
            {{$d}}
            // Here I want to break the loop in above condition true.
        @endif
    @endforeach
    

    I want to break the loop after data display if condition is satisfied.

    How it can be achieved in laravel blade view ?

  • Sagar Gautam
    Sagar Gautam almost 7 years
    @break will work similar to other usage of break in loops ?