Book Image

Laravel 5 Essentials

By : Martin Bean
Book Image

Laravel 5 Essentials

By: Martin Bean

Overview of this book

Table of Contents (15 chapters)
Laravel 5 Essentials
Credits
About the Author
About the Reviewers
www.PacktPub.com
Preface
Index

Back to the routes


Now that we have a main layout template that we can extend and re-use, we can start to create the individual routes of our application at app/Http/routes.php, along with the different views that will display the application data.

The overview page

This is the index page that is going to display all of the cats using the cats.index view. We will also re-use this view for the second route where cats are filtered by breed, since both the routes are almost identical. Note that Laravel expects you to use the dot notation (cats.index and not cats/index) to refer to a view located inside a subdirectory:

Route::get('cats', function() {
  $cats = Furbook\Cat::all();
  return view('cats.index')->with('cats', $cats);
});

Route::get('cats/breeds/{name}', function($name) {
  $breed = Furbook\Breed::with('cats')
    ->whereName($name)
    ->first();
  return view('cats.index')
    ->with('breed', $breed)
    ->with('cats', $breed->cats);
});

The only novelty in these...