


Resource sharing about building a complete blog system using the Yii2 framework
Yii is one of the best practices for rapid development of PHP. With its rich expansion resources and rapid development ideas, it is increasingly favored by enterprises and has become more widely used. This course takes the blog system as an example to describe how to use yii2.0 for practical development and learn the practical application of yii2.0. The content is divided into three parts: basic configuration, blog front-end, and blog back-end.
Video playback address: http://www.php.cn/course/266.html
The teacher’s teaching style:
The teacher’s lectures are simple, clear, layer-by-layer analysis, interlocking, rigorous argumentation, rigorous structure, and use the logical power of thinking to attract students’ attention Strength, use reason to control the classroom teaching process. By listening to the teacher's lectures, students not only learn knowledge, but also receive training in thinking, and are also influenced and influenced by the teacher's rigorous academic attitude
The more difficult point in this video is the framework of the Yii framework blog system Routes configured:
##Basic routingThe vast majority of routes for your application will be in the app/routes.PHP file defined in. The simplest route in Laravel consists of a URI and a closure call. Basic GET routing
Route::get('/', function(){return 'Hello World';});Basic POST routing
Route::post('foo/bar', function() { return 'Hello World'; });
Register a route to respond to all HTTP methods
Route::any('foo', function() { return 'Hello World'; });
Force a route to be accessed through HTTPS
Route::get('foo', array('https', function() { return 'Must be over HTTPS'; }));
Often you need to generate URLs based on routes. You can do this by using the URL::to method:
$url = URL::to('foo');Route Parameter
Route::get('user/{id}', function($id) { return 'User '.$id; });
The optional routing parameter
Route::get('user/{name?}', function($name = null) { return $name; });
Optional routing parameters with default values
Route::get('user/{name?}', function($name = 'John') { return $name; });
Routing with regular expression constraints
Route::get('user/{name}', function($name) { // }) ->where('name', '[A-Za-z]+'); Route::get('user/{id}', function($id) { // }) ->where('id', '[0-9]+');Route Filter Route filter provides a simple way to restrict access to specified routes, which is very useful when you need to create a zone for your site that requires authentication. The Laravel framework contains some routing filters, such as auth filter, auth.basic filter, guest filter, and csrf filter. They are stored in the app/filters.php file. Define a routing filter
Route::filter('old', function() { if (Input::get('age') < 200) { return Redirect::to('home'); } });
If a response is returned from a routing filter, the response is considered In response to this request, the route will not be executed, and any after filters related to this route will also be canceled.
Route::get('user', array('before' => 'old', function() { return 'You are over 200 years old!'; }));
Specify multiple routing filters for a route
Route::get('user', array('before' => 'auth|old', function() { return 'You are authenticated and over 200 years old!'; }));
Specify routing filter parameters
Route::filter('age', function($route, $request, $value) { // }); Route::get('user', array('before' => 'age:200', function() { return 'Hello World'; }));
When the routing filter receives the third The response of the parameters $response:
Route::filter('log', function($route, $request, $response, $value) { // });
Basic routing filter pattern
Route::filter('admin', function() { // }); Route::when('admin/*', 'admin');
In the above example, the admin filter will be applied with all routes starting with admin/. The asterisk acts as a wildcard character and will match all character combinations.
Route::when('admin/*', 'admin', array('post'));Filter classFor advanced filters, you A class can be used instead of a closure function. Because the filter class is an IoC container that lives outside the application, you can use dependency injection in the filter, making it easier to test. Define a filter class
class FooFilter { public function filter() { // Filter logic... } }
Register a class-based filter
Route::filter('foo', 'FooFilter');Named routingNamed routing makes it easier to specify routes when generating redirects or URLs. You can specify a name for the route like this:
Route::get('user/profile', array('as' => 'profile', function() { // }));You can also specify a route name for the controller method:
Route::get('user/profile', array('as' => 'profile', 'uses' => 'UserController@showProfile'));Now you use the route name when generating URLs or jumps:
$url = URL::route('profile'); $redirect = Redirect::route('profile');You can use the currentRouteName method to get it The name of a route: The code is as follows:
$name = Route::currentRouteName();Route groupSometimes you may want to apply a filter to a group of routes. You do not need to specify filters for each route, you can use route groups:
Route::group(array('before' => 'auth'), function() { Route::get('/', function() { // Has Auth Filter }); Route::get('user/profile', function() { // Has Auth Filter }); });Subdomain routing Laravel routing can also handle wildcards subdomain name, and obtain wildcard parameters from the domain name: Register subdomain name routing
Route::group(array('domain' => '{account}.myapp.com'), function() { Route::get('user/{id}', function($account, $id) { // }); });Routing prefixOne Group routing can add a prefix to the routing group by using the prefix option in the attribute array: Add a prefix to the routing group
Route::group(array('prefix' => 'admin'), function() { Route::get('user', function() { // }); });Routing model binding Certainly
模型绑定提供了一个简单的方法向路由中注入模型。比如,不仅注入一个用户的 ID,您可以根据指定的 ID 注入整个用户模型实例。首先使用 Route::model 方法指定所需要的模型:
为模型绑定一个变量
代码如下:
Route::model('user', 'User');
然后, 定义一个包含 {user} 参数的路由:
代码如下:
Route::get('profile/{user}', function(User $user) { // });
因为我们已经绑定 {user} 参数到 User 模型,一个 User 实例将被注入到路由中。因此,比如一个 profile/1 的请求将注入一个 ID 为 1 的 User 实例。
注意: 如果在数据库中没有找到这个模型实例,将引发404错误。
如果您希望指定您自己定义的没有找到的行为,您可以为 model 方法传递一个闭包作为第三个参数:
代码如下:
Route::model('user', 'User', function() { throw new NotFoundException; });
有时您希望使用自己的方法处理路由参数,可以使用 Route::bind 方法:
代码如下:
Route::bind('user', function($value, $route) { return User::where('name', $value)->first(); });
引发404错误
有两种方法在路由中手动触发一个404错误。首先,您可以使用 App::abort 方法:
代码如下:
App::abort(404);
其次,您可以抛出一个 Symfony\Component\HttpKernel\Exception\NotFoundHttpException 的实例。
更多关于处理404异常和为这些错误使用使用自定义响应的信息可以在 错误 章节中找到。
路由至控制器
Laravel 不仅允许您路由至闭包,也可以路由至控制器类,甚至允许创建 资源控制器.
The above is the detailed content of Resource sharing about building a complete blog system using the Yii2 framework. For more information, please follow other related articles on the PHP Chinese website!

In PHP, you can use session_status() or session_id() to check whether the session has started. 1) Use the session_status() function. If PHP_SESSION_ACTIVE is returned, the session has been started. 2) Use the session_id() function, if a non-empty string is returned, the session has been started. Both methods can effectively check the session state, and choosing which method to use depends on the PHP version and personal preferences.

Sessionsarevitalinwebapplications,especiallyfore-commerceplatforms.Theymaintainuserdataacrossrequests,crucialforshoppingcarts,authentication,andpersonalization.InFlask,sessionscanbeimplementedusingsimplecodetomanageuserloginsanddatapersistence.

Managing concurrent session access in PHP can be done by the following methods: 1. Use the database to store session data, 2. Use Redis or Memcached, 3. Implement a session locking strategy. These methods help ensure data consistency and improve concurrency performance.

PHPsessionshaveseverallimitations:1)Storageconstraintscanleadtoperformanceissues;2)Securityvulnerabilitieslikesessionfixationattacksexist;3)Scalabilityischallengingduetoserver-specificstorage;4)Sessionexpirationmanagementcanbeproblematic;5)Datapersis

Load balancing affects session management, but can be resolved with session replication, session stickiness, and centralized session storage. 1. Session Replication Copy session data between servers. 2. Session stickiness directs user requests to the same server. 3. Centralized session storage uses independent servers such as Redis to store session data to ensure data sharing.

Sessionlockingisatechniqueusedtoensureauser'ssessionremainsexclusivetooneuseratatime.Itiscrucialforpreventingdatacorruptionandsecuritybreachesinmulti-userapplications.Sessionlockingisimplementedusingserver-sidelockingmechanisms,suchasReentrantLockinJ

Alternatives to PHP sessions include Cookies, Token-based Authentication, Database-based Sessions, and Redis/Memcached. 1.Cookies manage sessions by storing data on the client, which is simple but low in security. 2.Token-based Authentication uses tokens to verify users, which is highly secure but requires additional logic. 3.Database-basedSessions stores data in the database, which has good scalability but may affect performance. 4. Redis/Memcached uses distributed cache to improve performance and scalability, but requires additional matching

Sessionhijacking refers to an attacker impersonating a user by obtaining the user's sessionID. Prevention methods include: 1) encrypting communication using HTTPS; 2) verifying the source of the sessionID; 3) using a secure sessionID generation algorithm; 4) regularly updating the sessionID.


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

Video Face Swap
Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Article

Hot Tools

Dreamweaver CS6
Visual web development tools

SAP NetWeaver Server Adapter for Eclipse
Integrate Eclipse with SAP NetWeaver application server.

PhpStorm Mac version
The latest (2018.2.1) professional PHP integrated development tool

Atom editor mac version download
The most popular open source editor

Safe Exam Browser
Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.
