2

我了解如何将目录斜杠添加到实际目录,但我需要在虚拟目录上添加尾部斜杠 - 这样,当用户访问 example.com/website/blog/entries时(其中 /blog 和 /entries 都是虚拟目录),URL 地址将实际更改为:example.com/website/blog/entries/

这是我当前的工作 htaccess 代码,用于将假/虚拟目录转换为我的 php 脚本的参数:

RewriteRule ^/?([a-zA-Z_\-/.]+)$ index.php?file=$1 [L,QSA]  

这个RewriteRule使example.com/website/blog/entries/看起来像example.com/website/index.php?file=blog/entries/只对 PHP,而不是用户。

以下是一些我尝试过但无济于事的重写规则:

RewriteCond %{REQUEST_FILENAME} !-f
RewriteRule .*[^/]$ %{REQUEST_URI}$1/ [L,R=301]

# -----------------------------------------------

RewriteCond %{REQUEST_URI} ^(.+)/$
RewriteRule ^.+/$ %1 [R=301,L]

我认为问题是因为我当前将虚拟目录转换为参数的正则表达式会查找以“/”开头的目录名称,因此当站点安装时不在根文件夹(“/”)中,或者如果没有斜杠,它重定向到完全错误的东西。我无法在我的 htaccess 文件中的任何位置写入文件夹路径,因为路径会不断变化。例如,我不能使用类似的东西:

RewriteRule ^(.*)$ http://localhost:8888/project/$1/ [L,R=301]

在将虚拟目录转换为 PHP 参数之前,有没有办法在真实目录和虚拟目录上强制使用斜杠?

4

1 回答 1

1

像下面这样的东西应该做你需要的:

RewriteEngine On

# Put here the URL where .htaccess is located
RewriteBase /project/

# Redirect virtual URLs w/o trailing slash to URL with it
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule ^(.*[^/])$ $1/ [R=301,QSA,L]

# pass virtual URLs into index.php as file argument
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteRule ^/?([a-zA-Z_\-/.]+)$ index.php?file=$1 [L,QSA]

规则按照它们在配置中出现的顺序进行处理,因此重定向是在将数据传递到 index.php 之前完成的

这是不使用RewriteBaseURL 硬编码部分的版本:

RewriteEngine On

# Redirect virtual URLs w/o trailing slash to URL with it
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteCond %{REQUEST_URI} ^(.*[^/])$
RewriteRule .* %1/ [R=301,QSA,L]

# pass virtual URLs into index.php as file argument
RewriteCond %{REQUEST_FILENAME} !-f
RewriteCond %{REQUEST_FILENAME} !-d
RewriteCond %{REQUEST_URI} ^/?([a-zA-Z_\-/.]+)$
RewriteRule .* index.php?file=%1 [L,QSA]
于 2012-11-18T10:42:10.447 回答