前言
众所周知我们大家在用 laravel 进行开发的时候,特别是前后端完全分离的时候,由于前端项目运行在自己机器的指定端口(也可能是其他人的机器) , 例如 localhost:8000 , 而 laravel 程序又运行在另一个端口,这样就跨域了,而由于浏览器的同源策略,跨域请求是非法的。其实这个问题很好解决,只需要添加一个中间件就可以了。下面话不多说了,来随着小编一起看看详细的解决方案吧。
解决方案:
1、新建一个中间件
1
|
php artisan make:middleware EnableCrossRequestMiddleware
|
2、书写中间件内容
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
|
<?php
namespace App\Http\Middleware;
use Closure;
class EnableCrossRequestMiddleware
{
/**
* Handle an incoming request.
*
* @param \Illuminate\Http\Request $request
* @param \Closure $next
* @return mixed
*/
public function handle( $request , Closure $next )
{
$response = $next ( $request );
$origin = $request ->server( 'HTTP_ORIGIN' ) ? $request ->server( 'HTTP_ORIGIN' ) : '' ;
$allow_origin = [
'http://localhost:8000' ,
];
if (in_array( $origin , $allow_origin )) {
$response ->header( 'Access-Control-Allow-Origin' , $origin );
$response ->header( 'Access-Control-Allow-Headers' , 'Origin, Content-Type, Cookie, X-CSRF-TOKEN, Accept, Authorization, X-XSRF-TOKEN' );
$response ->header( 'Access-Control-Expose-Headers' , 'Authorization, authenticated' );
$response ->header( 'Access-Control-Allow-Methods' , 'GET, POST, PATCH, PUT, OPTIONS' );
$response ->header( 'Access-Control-Allow-Credentials' , 'true' );
}
return $response ;
}
}
|
$allow_origin 数组变量就是你允许跨域的列表了,可自行修改。
3、然后在内核文件注册该中间件
1
2
3
4
|
protected $middleware = [
// more
App\Http\Middleware\EnableCrossRequestMiddleware:: class ,
];
|
在 App\Http\Kernel 类的 $middleware 属性添加,这里注册的中间件属于全局中间件。
然后你就会发现前端页面已经可以发送跨域请求了。
会多出一次 method 为 options 的请求是正常的,因为浏览器要先判断该服务器是否允许该跨域请求。
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作具有一定的参考学习价值,如果有疑问大家可以留言交流,谢谢大家对服务器之家的支持。
原文链接:https://segmentfault.com/a/1190000011729706