Laravel Flashcards
Learn Laravel inside-out
Write the simplest “Hello World” route.
Route::get(‘/’, function () {
return ‘Hello, World!’;
});
All of the configuration files for the Laravel framework are stored in…
The config directory.
How to override configuration values when running tests?
Create a .env.testing file. This overrides .env when running PHPUnit or executing Artisan commands with the –env=testing option.
How to retrieve environment variables from within config files?
Use the env helper.
‘debug’ => end(‘APP_DEBUG’, false);
Second argument is the default fallback.
Only call this within config files because once the configuration has been cached (php artisan config:cache) all calls to env() will return null.
How to determine the current environment? (dev/production etc)
Using the App facade, App::environment() returns the APP_ENV value from the .env file.
What does the App::environment method do?
Returns the APP_ENV value from the .env file. Pass it a string and it returns boolean if the env matches.
App::environment(‘local’); //true if in local
App::environment([‘local’, ‘dev’]); //true if in local OR dev
How to access configuration values (globally)?
Use the config helper function. Use dot-syntax of filename.option, eg:
$value = config(‘app.timezone’);
How to set configuration values at runtime?
Pass an array to the config helper:
config([app.timezone’ => ‘America/Chicago’]);
How to put an application into maintenance mode? and to disable maintenance mode?
php artisan down
php artisan up
What happens when a request is made and the application is in maintenance mode?
A MaintenanceModeException is thrown with status code 503 (service unavailable).
Where to customize the default maintenance mode template?
resources/views/errors/503.blade.php
How to generate a model in a ‘App/Models’ folder, and not in the default App folder?
php artisan make:model Models/Car
What does the bootstrap directory contain?
The app.php file which bootstraps the framework.
Also, a cache directory of cached files (eg routes and services)
What does the config directory contain?
All the applications configuration files.
What does the database directory contain?
Migrations, model factories, and seeds.
What does the public directory contain?
index.php - the entry point for all requests.
Also houses compiled assets such as JS and CSS.
What does the resources directory contain?
All views and un-compiled assets such as SASS and JS. Also language files.
What does the routes directory contain?
The route definitions: web, api, console and channels.
What does routes/web.php do?
Contains your web routes that the RouteServiceProvider places in the web middleware group, which provides session state, CSRF protection, and cookie encryption.
What does routes/api.php do?
Contains your API routes that the RouteServiceProvider places in the api middleware group, which provides rate limiting. These routes are stateless, so should be authenticated via tokens and will not have access to session.
What does routes/console.php do?
Contains your closure-based console commands.
What does routes/channels.php do?
Where you register all of the event broadcasting channels that your application supports.
What does the storage directory contain?
app directory to store application-generated files.
framework directory to store framework-generated files.
logs directory contains application’s log files.
storage/app/public to store user-generated files (is symbolically linked in public/storage)
What does the tests directory contain?
Feature and unit tests
What does the vendor directory contain?
Composer dependencies
What does the app directory contain? (And list default directories.)
The majority of your application. Namespaced under App and autoloaded by composer.
Directories: console, exceptions, http, providers
What is special about the app/console and app/http directories?
They can be thought of as providing an API into the core of your application. The HTTP protocol and CLI are two ways of issuing commands to your application, but do not actually contain application logic.
What does the app/console directory contain?
All your Artisan commands and the console kernel where commands are registered and scheduled.
What does the app/http directory contain?
Controllers, middleware and form requests.
What does the app/exceptions directory contain?
All your exception handlers. Also should be where you store custom exceptions. The default Handler class determines how exceptions are logged and rendered.
What does the app/providers directory contain?
All the service providers that bootstrap your application by binding services in the service container, registering events, or performing any other tasks to prepare your application for incoming requests.
What is the entry point for all requests to a Laravel app?
public/index.php
What are Facades?
They provide a ‘static’ interface to classes that are available in the application’s service container.
In what namespace are Laravel’s Facades defined?
Illuminate\Support\Facades
The most basic Laravel routes accept…
…a URI and a closure
What is the default route file for your web interface?
routes/web.php
What middleware are applied to routes/web.php?
The web middleware group is applied, which provides features like session state and CSRF protection.
What middleware are applied to routes/api.php?
The api middleware group is applied. It is stateless (has no sessions).
How to redirect a route to another URI?
Use Route::redirect(‘/here’, ‘/there’);
This provides a shortcut so you don’t have to define a controller for performing a simple redirect.
It returns 302 status by default (can customise this using the optional third parameter).
How to return a permanent redirect on a route?
Route::permanentRedirect(‘/here’, ‘/there’); returns a 301 status code.
If you don’t need a controller, how to return a view from a route?
Route::view(‘/welcome’, ‘welcome’);
Accepts a URI and a view name. You may pass data as an associative array in the third, optional, argument.
In what order are route parameters injected into route callbacks/controllers?
Only based on their order. The names of the callback/controller arguments do not matter.
What are route parameter naming constraints?
Only alphabetic, always encased in { } and may contain an underscore but NOT a hyphen.
Write a simple route with a closure that takes two parameters.
Route::get(‘/posts/{post}/comments/{comment}’, function ($postId, $commentId) { … });
Write a simple route with a close that takes an optional parameter.
Route::get(‘user/{name?}’, function ($name = null) { … });
Make sure to supply a default value.
Why would we name routes? Write a simple route, named.
They allow convenient generation of URLs or redirects. Define by chaining the name method onto the route definition:
Route::get(‘user/profile’, ‘UsersController@show’)->name(‘profile’);
How to generate a URL to a named route?
Using the route helper.
$url = route(‘profile’);
How to generate a redirect to a named route?
return redirect()->route(‘profile’);
If a named route defines parameters, how to pass them to the route helper function?
As an associative array in the second parameter:
$url = route(‘profile’, [‘id’ => 1]);
If you pass more parameters to the route helper function that there are defined in the route, what happens?
They get added to the URL’s query string.
How to determine whether the current request was routed to a given named route?
Use the named method on a Route instance:
$request->route()->named(‘profle’);
// returns boolean
How does form method spoofing work?
Since HTML forms don’t support PUT, PATCH or DELETE, you need to add a hidden _method field with value set to the verb.
< form>
< input type=”hidden” name=”_method” value=”PUT”>
< input type=”hidden” name=”_token” value=”{{ csrf_token() }}”>
< /form>
Blade directive/shorthand: < form> @method('DELETE') @csrf < /form>
Briefly describe middleware.
It provides convenient mechanisms for filtering incoming requests.
Where are the middleware located?
app/Http/Middleware
How do you create a new middleware?
php artisan make:middleware CheckSomething Places a new class in app/Http/Middleware. Here our handle method can redirect if necessary or let them pass with return $next($request);
How to register global middleware?
Middleware that is to be run on every request gets listed in the $middleware property in app/Http/Kernel.php
Where is the VerifyCsrfToken middleware registered by default?
In the ‘web’ middleware group.
Give a brief explanation of what controller do.
Controllers group related request handling logic into a single class, instead of defining all your request handling logic as Closures in route files.
What is the syntax of a basic route to a controller action?
Route::get(‘user/{id}’, ‘UserController@show’);
How to generate an invokable controller? Howto write the route?
A single-action controller is made by Artisan:
php artisan make:controller ShowProfile –invokable
Route::get(‘user/{id}’, ‘ShowProfile’); // no need for method name
What does Route::resource do? Syntax?
Resource routing assigns CRUD routes to a controller in a single line of code.
Route::resource(‘photos’, ‘PhotoController’);
How to generate a resource controller?
php artisan make:controller PhotoController –resource
What is the syntax for registering many resource routes / resource controllers at once?
Route::resources([
‘photos’ => ‘PhotoController’,
‘posts’ => ‘PostController’,
]);
What actions are handled by a resource controller and their respective routes and verbs?
Using example:
Route::resource(‘photos’, ‘PhotoController’)
VERB /URI (CONTROLLER METHOD) get /photos (index) get /photos/create (create) post /photos (store) get /photos/{photo} (show) get /photos/{photo}/edit (edit) put or patch /photos/{photo} (update) delete /photos/{photo} (destroy)
How are resource routes named?
Each is names as “base_URI (dot) controller_method” eg:
Route::resource(‘photos’, ‘PhotoController’) generates names like:
photos.index (for GET /photos)
photos.create (for GET /photos/create)
photos.store (for POST /photos)
etc.
How to generate a model while making a resource controller?
php artisan make:controller PhotoController –resource –model=Photo
Give a three line example of spoofing form methods with blade.
< form action”/foo/bar” method=”POST”>
@method(‘PUT’)
< /form>
How to specify only a subset of actions on a resource route?
Either: Route::resource('user', 'UserController')->only([ 'index', 'show' ]); or Route::resource('user', 'UserController')->except([ 'update', 'destroy' ]);
What two actions are typically excluded from API resource routes?
Create and edit, because they are intended to present HTML form templates.
How to automatically exclude the create and edit routes from a resource route? and for what purpose?
Route::apiResource(‘photos’, ‘PhotoController’);
There are excluded from API routes because they are typically expected to present user-fillable HTML forms.
How to generate an API resource controller?
php artisan make:controller API/PhotoController –api
How to obtain an instance of the current HTTP request in a controller method?
Dependency inject via type-hinting Illuminate\Http\Request on your controller method. Will be automatically injected by the service container.
Whereto list route parameters if your controller method is already type-hinting other dependencies.
Always list route parameters AFTER other dependencies. eg:
public function update(Request $request, $id)
How to retrieve the ‘request path’ and what is it?
$uri = $request->path();
If the full uri is http://domain.com/foo/bar then the request path is foo/bar
How to check whether the incoming request path matches a given pattern?
if ($request->is(‘admin/*’)) { … }
What is the difference between the request path and the URL?
If the URL is http://domain.com/foo/bar then the request path is foo/bar.
How to retrieve the current request’s URL?
Without query string…
$url = $request->url()
With query string…
$url = $request->fullUrl();
How to retrieve or check the request method (verb)?
$method = $request->method();
if ($request->isMethod(‘post’)) { … }
What sort of responses can be returned? (name 6)
strings,
arrays (will automatically convert to JSON),
Eloquent collections (will automatically convert to JSON),
Full Illuminate\Http\Response instances,
redirects, or
views
Returning a full Response instance allows you to…
… customize the response’s HTTP status code and headers.
Where are views stored?
In resources/views
How to access views within sub-directories? eg, write code to return the view resources/views/admin/profile.blade.php
with dot notation... return view('admin.profile', $data);
How to determine whether a view file exists?
With the View facade…
use Illuminate\Support\Facades\View;
if (View::exists('emails.customer')) { // }
What is the second argument passed to return view(‘page’, ?);
An array of data that should be made available to the view.
What are two alternative ways of passing data to views using return view(‘abc’…?
Either as an associative array (kay / value pairs), or you may chain on ->with method to add individual pieces of data to the view.