假设路线是这样的:
Route::get('messages/{messages}', ['as' => 'messages.show', 'uses' => 'MessagesController@show']);
因此,当我们使用Laravel的URL帮助程序创建URL时,
{{ route('messages.show', 12) }}
将显示example.com/messages/12
。
这是对的。我们在网址中有一些哈希值。
{{ route('messages.show', [12, '#reply_23']) }}
这将显示example.com/messages/12#reply_23
。
这看起来不错。现在让我们添加一些查询字符串而不是哈希。
{{ route('messages.show', [12, 'ref=email']) }}
这将显示example.com/messages/12?ref=email
。这看起来很酷。
现在添加查询字符串和哈希。
{{ route('messages.show', [12, 'ref=email', '#reply_23']) }}
现在这将显示example.com/messages/12?ref=email&#reply_23
。由于URL中的&
,这看起来很难看。但是,它不会产生很多问题,我希望得到一个像example.com/messages/12?ref=email#reply_23
这样的干净网址。有没有办法摆脱URL中不必要的&
?
修改 有一种解决方法,但我正在寻找一个可靠的答案。
<a href="{{ route('messages.show', [12, 'ref=email']) }}#reply_23">Link to view on website</a>
答案 0 :(得分:3)
Laravel UrlGenerator
类不支持指定URL的#fragment
部分。负责构建URL的代码如下,您可以看到它只是追加查询字符串参数而不是其他内容:
$uri = strtr(rawurlencode($this->trimUrl(
$root = $this->replaceRoot($route, $domain, $parameters),
$this->replaceRouteParameters($route->uri(), $parameters)
)), $this->dontEncode).$this->getRouteQueryString($parameters);
对您的代码进行快速测试后会发现您发布的第二个示例:
{{ route('messages.show', [12, '#reply_23']) }}
实际上生成:
/messages/12?#reply_23 // notice the "?" before "#reply_23"
因此它将#reply_23
视为参数而不是片段。
这个缺点的替代方法是编写一个自定义辅助函数,允许将片段作为第三个参数传递。您可以使用自定义函数创建文件app/helpers.php
:
function route_with_fragment($name, $parameters = array(), $fragment = '', $absolute = true, $route = null)
{
return route($name, $parameters, $absolute, $route) . $fragment;
}
然后在app/start/global.php
文件的末尾添加以下行:
require app_path().'/helpers.php';
然后您可以像这样使用它:
{{ route_with_fragment('messages.show', [12, 'ref=email'], '#reply_23') }}
当然,如果你觉得我给它的名字太长,你可以把它命名为你想要的功能。