Reputation: 5500
I wrote the following in htaccess
in the process of learning:
RewriteRule ^/test(a-zA-z)\.htm$ /test$1.htm
And test2.htm
still gets mapped to test1.htm
I'm assuming the $1
is not being treated as the variable placeholder properly because $
is not escaped. What is the right way of writing this (so that for test purpose, test2.htm gets mapped to itself, test2.thm
)
Ultimately, I'm trying to map something like:
domain.com/$1/$2
to
domain.com/?a=$1&b=$2
or
domain.com/$1
to
domain.com/?a=$1
I do not want the URL of the browser to change when the first url is mapped to the second. I know this is possible in C#
Global.asax
file (using routes.MapRoute
), but not sure how to get this happening in php
.
Upvotes: 3
Views: 8683
Reputation: 5500
For me this was the simplest article I found which really helped me to figure out what I needed and worked in the end, so I'll share it here and try to use the terms which makes sense to me.
http://www.workingwith.me.uk/articles/scripting/mod_rewrite
RewriteRule ^page/([^/\.]+)/?$ index.php?page=$1 [L]
The right hand side (index.php?page=$1
) is the destination which is hidden from the browser.
The left hand side is the mapping rule.
The variable parsed from the left - $1
need not be right at the end of the string and can be anywhere in the middle, for example, /CHECK/?VAR=$1MORETEXT
or if there are more variables to parse from the left, it could be "/CHECK/?VAR=$1MORETEXT$2
".
The "/?
" is optional, if it is desired for the destination URL to not have a "/
" at the end, don't include it and just end with the $
like ^page/([^/\.]+)$
The [L]
is useful because it stops the htaccess from wasting time reading onwards once a matching Rule is found.
Upvotes: 1
Reputation: 15778
Proceed by elimination, from the most complex to the less complex.
QSA
directive (important) to keep all GET
variables, then L
directive to stop all,QSA
directive (important) to keep all GET
variables, then L
directive to stop all,That should work:
RewriteRule ^/([a-zA-z0-9]+)/([a-zA-z0-9]+)$ /?a=$1&b=$2 [QSA,L]
RewriteRule ^/([a-zA-z0-9]+)$ /?a=$1 [QSA,L]
Oh by the way:
And if that's not enough:
If you're not in a hosted environment (= if it's your own server and you can modify the virtual hosts, not only the .htaccess
files), try to use the RewriteLog
directive: it helps you to track down such problems:
# Trace:
# (!) file gets big quickly, remove in prod environments:
RewriteLog "/web/logs/mywebsite.rewrite.log"
RewriteLogLevel 9
RewriteEngine On
My favorite tool to check for regexp:
http://www.quanetic.com/Regex (don't forget to choose ereg(POSIX) instead of preg(PCRE)!)
Upvotes: 2
Reputation: 7888
When want to write something like a range you should use []
. e.g:
RewriteRule ^/test([a-zA-z0-9]+)\.htm$ /index.php?data=$1 [L]
Upvotes: 1