如何在路由参数中发送URL?

2022-06-13 00:00:00 php slim slim-3

我定义了这样的路由:

$app->map(['GET', 'POST'],'/abc/[{url}]', function ($request, $response, $args) {

    return $response;
})->add(new CustomMiddleware());

当我传递一个没有http://的URL,但给我一个带有http://https://404 page not found-Page时,它工作得很好。我也尝试了URL编码的字符串,但给出了相同的错误:

http://localhost/slim/public/index.php/abc/http%3A%2F%2Fstackoverflow.com

The requested URL /slim/public/index.php/abc/http://stackoverflow.com was not found on this server.

我使用的是Slim 3.1版。


解决方案

使用URL内的URL

当您添加带斜杠的url时,路由未得到执行原因,则在url之后有一个在路由内未定义的附加路径:

<例如example.org/abc/test工作正常,但example.org/abc/http://x 将仅使用类似/abc/{url}//{other}的路由定义。

在URL中使用编码的url

Apache会阻止URL中%5Cfor%2Ffor/的所有请求,并显示404 Not Found错误这是出于安全原因。因此,您不会从超薄框架中获得404,而是从您的Web服务器中获得。因此,您的代码永远不会执行。

您可以通过在ApacheRhttpd.conf中设置AllowEncodedSlashes On来启用此功能。

我建议解决此问题

将URL添加为GET参数时,在不更改Apache配置的情况下对斜杠进行编码是有效的。

示例调用http://localhost/abc?url=http%3A%2F%2Fstackoverflow.com

$app->map( ['GET', 'POST'], '/abc', function ($request, $response, $args) {
    $getParam = $request->getQueryParams();
    $url= $getParam['url']; // is equal to http://stackoverflow.com
});

相关文章