Tutorial

How To Set Up mod_rewrite for Apache on Ubuntu 14.04

Published on June 27, 2015
Default avatar

By Alvin Wan

AI PhD Student @ UC Berkeley

How To Set Up mod_rewrite for Apache on Ubuntu 14.04

Introduction

In this tutorial, we will activate and learn how to manage URL rewrites using Apache2’s mod_rewrite module. This tool allows us to rewrite URLs in a cleaner fashion, translating human-readable paths into code-friendly query strings.

This guide is split into two halves: the first sets up a sample web application and the second explains commonly-used rewrite rules.

Prerequisites

To follow this tutorial, you will need:

  • One fresh Ubuntu 14.04 Droplet
  • A sudo non-root user, which you can set up by following steps 2 and 3 of this tutorial

Step 1 — Installing Apache

In this step, we will use a built-in package installer called apt-get. It simplifies management drastically and facilitates a clean installation.

First, update the system’s package index. This will ensure that old or outdated packages do not interfere with the installation.

  1. sudo apt-get update

Apache2 is the aforementioned HTTP server and the world’s most commonly used. To install it, run the following:

  1. sudo apt-get install apache2

For information on the differences between Nginx and Apache2, the two most popular open-source web servers, see this article.

Step 2 — Enabling mod_rewrite

Now, we need to activate mod_rewrite.

  1. sudo a2enmod rewrite

This will activate the module or alert you that the module is already in effect. To put these changes into effect, restart Apache.

  1. sudo service apache2 restart

Step 3 — Setting Up .htaccess

In this section, we will setup a .htaccess file for simpler rewrite rule management.

A .htaccess file allows us to modify our rewrite rules without accessing server configuration files. For this reason, .htaccess is critical to your web application’s security. The period that precedes the filename ensures that the file is hidden.

We will need to set up and secure a few more settings before we can begin.

First, allow changes in the .htaccess file. Open the default Apache configuration file using nano or your favorite text editor.

  1. sudo nano /etc/apache2/sites-enabled/000-default.conf

Inside that file, you will find the <VirtualHost *:80> block on line 1. Inside of that block, add the following block:

/etc/apache2/sites-available/default
<Directory /var/www/html> Options Indexes FollowSymLinks MultiViews AllowOverride All Order allow,deny allow from all </Directory>

Your file should now match the following. Make sure that all blocks are properly indented.

/etc/apache2/sites-available/default
<VirtualHost *:80> <Directory /var/www/html> . . . </Directory> . . . </VirtualHost>

To put these changes into effect, restart Apache.

  1. sudo service apache2 restart

Now, create the .htaccess file.

  1. sudo nano /var/www/html/.htaccess

Add this first line at the top of the new file to activate the RewriteEngine.

/var/www/html/.htaccess
RewriteEngine on

Save and exit the file.

To ensure that other users may only read your .htaccess, run the following command to update permissions.

  1. sudo chmod 644 /var/www/html/.htaccess

You now have an operational .htaccess file, to govern your web application’s routing rules.

Step 4 — Setting Up Files

In this section, we will set up a basic URL rewrite, which converts pretty URLs into actual paths to code. Specifically, we will allow users to access example.com/about.

We will begin by creating a file named about.html.

  1. sudo nano /var/www/html/about.html

Copy the following code into the HTML page.

/var/www/html/about.html
<html> <head> <title>About Us</title> </head> <body> <h1>About Us</h1> </body> </html>

You may access your web application at your_server_ip/about.html or example.com/about.html. Now notice that only about.html is accessible; if you try to access your_server_ip/about, you will get a Not Found error. We would like users to access about instead. Our rewrite rules will allow this very functionality.

Open up the .htaccess file.

  1. sudo nano /var/www/html/.htaccess

After the first line, add the following.

/var/www/html/.htaccess
RewriteRule ^about$ about.html [NC]

Your file should now be identical to the following.

/var/www/html/.htaccess
RewriteEngine on RewriteRule ^about$ about.html [NC]

Congratulations. You can now access example.com/about in your browser!

This is a good simple example that shows the general syntax that all Rewrite Rules follow.

^about$ is the string that gets matched from the URL. That is, it’s what the viewer types in her browser. Our example uses a few metacharacters.

  • ^ indicates the start of the URL, after example.com/ is stripped away.
  • $ indicates the end of the URL
  • about matches the string “about”

about.html is the actual path that the user accesses; that is, Apache will still serve the about.html file.

[NC] is a flag that ignores capitalization in the URL.

With the rule shown above, the following URLs will point to about.html:

  • example.com/about
  • example.com/About
  • example.com/about.html

The following will not:

  • example.com/about/
  • example.com/contact

Common Patterns

In this section, we will show some commonly-used directives.

Your web application is now running and is governed by a protected .htaccess file. The simplest example was included above. We will explore an additional two examples in this section.

You can set up example files at the result paths if you would like, but this tutorial does not include creating the HTML and PHP files; just the rules for rewriting.

Example 1: Simplifying Query Strings with RewriteRule

All RewriteRules abide by the following format:

RewriteRule pattern substitution [flags]
  • RewriteRule: specifies the directive RewriteRule
  • pattern: a regular expression that matches the desired string
  • substitution: path to the actual URL
  • flags: optional parameters that can modify the rule

Web applications often make use of query strings, which are appended to a URL using the ? question mark and delimited using the & ampersand. These are ignored when matching rewrite rules. However, sometimes query strings may be required for passing data between pages. For example, a search result page written in PHP may utilize something akin to the following:

http://example.com/results.php?item=shirt&season=summer

In this example, we would like to simplify this to become:

http://example.com/shirt/summer

Example 1A: Simple Replacement

Using a rewrite rule, we could use the following:

/var/www/html/.htaccess
RewriteRule ^shirt/summer$ results.php?item=shirt&season=summer

The above is fairly self-explanatory, as it actually maps shirt/summer to results.php?item=shirt&season=summer. This achieves our desired effect.

Example 1B: Matching Options

However, we would like to generalize this to include all seasons. So, we will do the following:

  • Specify a series of options using the | boolean, meaning “OR”
  • Group the match using (), then reference the group using $1, with 1 for the first matched group

The Rewrite Rule now becomes:

/var/www/html/.htaccess
RewriteRule ^shirt/(summer|winter|fall|spring) results.php?item=shirt&season=$1

The rule shown above matches a URL of shirt/ followed by a specified season. That season is grouped using () and then referenced with the $1 in the subsequent path. This means that, for example, that:

http://example.com/shirt/winter

becomes:

http://example.com/results.php?item=shirt&season=winter

This also achieves the desired effect.

Example 1C: Matching Character Sets

However, we would also like to specify any type of item, not just URLs at /shirt. So, we will do the following:

  • Write a regular expression that matches all alphanumeric characters. The bracket expression [] matches any character inside of it, and the + matches any number of characters specified in the brackets
  • Group the match, and reference it with $2 as the second variable in the file
/var/www/html/.htaccess
RewriteRule ^([A-Za-z0-9]+)/(summer|winter|fall|spring) results.php?item=$1&season=$2

The above will convert, for example:

http://example.com/pants/summer

to:

http://example.com/results.php?item=pants&season=summer

Example 1D: Passing Query Strings

This section doesn’t introduce any new concepts but addresses an issue that may come up. Using the above example, say we would like to redirect http://example.com/pants/summer but will pass an additional query string ?page=2. We would like the following:

http://example.com/pants/summer?page=2

to map to:

http://example.com/results.php?item=pants&season=summer&page=2

If you were to attempt to access the above URL with our current settings, you would find that the query string page=2 got lost. This is easily fixed using an additional QSA flag. Modify the rewrite rule to match the following, and the desired behavior will be achieved.

/var/www/html/.htaccess
RewriteRule ^([A-Za-z0-9]+)/(summer|winter|fall|spring) results.php?item=$1&season=$2 [QSA]

Example 2: Adding Conditions with Logic

RewriteCond lets us add conditions to our rewrite rules. All RewriteConds abide by the following format:

RewriteCond TestString Condition [Flags]
  • RewriteCond: specifies the RewriteCond directive
  • TestString: the string to test against
  • Condition: the pattern to match
  • Flags: optional parameters that may modify the condition

If a RewriteCond evaluates to true, the RewriteRule immediately following will be considered.

Example 2A: Default Page

In an imaginary administration panel, we may want to direct all malformed URLs back to the home page, instead of greeting users with a 404. Using a condition, we can check to see if the requested file exists.

/var/www/html/.htaccess
RewriteCond %{REQUEST_FILENAME} !-f RewriteRule ^admin/(.*)$ /admin/home

This will redirect something like /admin/blargh to /admin/home.

With the above:

  • %{REQUEST_FILENAME} is the string to check
  • !-f uses the ! not operator on the filename
  • RewriteRule redirects all requests back to /admin/home

Note that a more syntactically and technically correct approach would be to define the 404 ErrorDocument.

/var/www/html/.htaccess
ErrorDocument 404 /error.html

Example 2B: IP Access Restriction

Although this can also achieved using other methods, a RewriteCond can be used to restrict access to one IP or a collection of IP addresses.

This example blocks traffic from everywhere except 12.34.56.789.

/var/www/html/.htaccess
RewriteCond %{REMOTE_ADDR} !^(12\.34\.56\.789)$ RewriteRule (.*) - [F,L]

This example is simply the negation of Example 3 from the old mod_rewrite article. The entire statement reads “if the address is not 12.34.56.789, do not allow access.”

In short:

  • %{REMOTE_ADDR} is the address string
  • !^(12\.34\.56\.789)$ escapes all . periods with a \ backslash and negates the IP address using !
  • The F flag forbids access, and the L flag indicates that this is the last rule to run, if executed

If you’d rather block 12.34.56.789, use this instead:

/var/www/html/.htaccess
RewriteCond %{REMOTE_ADDR} ^(12\.34\.56\.789)$ RewriteRule (.*) - [F,L]

You can find more rewrite rules, and how to prevent hot linking, in the original article’s part 1 and part 2.

Conclusion

mod_rewrite can be used effectively to ensure human-readable URLs. The .htaccess file itself has many more uses than simply this module, however, and it should be noted that many other Apache modules may be installed to extend its functionality.

There are other resources that detail the capabilities of mod_rewrite:

mod_rewrite is a critical module for web application security, but can sometimes end up in redirect loops or ubiquitous, ambiguous 500 forbidden errors. For tips on debugging .htaccess, see this StackOverflow post.

Rewrite rules are written with regular expressions. To become an expert, reference this tutorial all about regular expressions.

For quick analysis of your regular expression patterns, here is an online debugger that can provide immediate feedback and live interpretations of your regular expression patterns.

Thanks for learning with the DigitalOcean Community. Check out our offerings for compute, storage, networking, and managed databases.

Learn more about us


About the authors
Default avatar
Alvin Wan

author

AI PhD Student @ UC Berkeley

I’m a diglot by definition, lactose intolerant by birth but an ice-cream lover at heart. Call me wabbly, witling, whatever you will, but I go by Alvin



Still looking for an answer?

Ask a questionSearch for more help

Was this helpful?
 
10 Comments


This textbox defaults to using Markdown to format your answer.

You can type !ref in this text area to quickly search our full set of tutorials, documentation & marketplace offerings and insert the link!

I think I got this working but I’m still a little confused. In Step 3 you mention to “sudo nano /etc/apache2/sites-enabled/000-default.conf” and in the code snippet that follows shortly after you show a file path of “/etc/apache2/sites-available/default” . I assumed I was suppose to nano the sites-available conf file instead of the sites-enabled conf file but wanted to be sure. Or maybe I missed something. Thanks for the write up though. Huge help.

my all problems solved … hats off to you…

For HTTPS sites:

sudo nano /etc/apache2/sites-enabled/000-default-le-ssl.conf

<VirtualHost *:443> . . . <Directory /var/www/html> Options Indexes FollowSymLinks MultiViews AllowOverride All Order allow,deny allow from all </Directory>

Good tutorial and steps! Thx

after adding <Directory /var/www/html> Options Indexes FollowSymLinks MultiViews AllowOverride All Order allow,deny allow from all </Directory> I am unable to restart my apache2 server. How i use it?

Hi Alvin, nice tutorial. I have this observation, did to the point where I put “RewriteEngine on” in the “.htaccess” file, and I was able to find the created “html doc” by doing both: “locahost/about.html or localhost/about” I did not actual enter any specific rule for it in the htaccess file. Can you explain this is so? Using Ubuntu Xenial, and apache version 2.4.18.

Best Regards

If any of you are coming new to this (like me) you should check out the latest apache documention (2.4 at time of writing) before following this tutorial… the documentation says:

You should avoid using .htaccess files completely if you have access to httpd main server config file. Using .htaccess files slows down your Apache http server. Any directive that you can include in a .htaccess file is better set in a Directory block, as it will have the same effect with better performance.

I assume this is new functionality, anyway for further info read the advice here: http://httpd.apache.org/docs/2.4/howto/htaccess.html

After doing the above steps my server rewrite only html file, when trying to rewrite with php file my browser (view source) showing the source code of the php file.

It’s not executing php. By the way I’ve enabled mod_rewrite and restarted the Apache.

Running Ubuntu 14.04 LAMP stack.

Contents of : /etc/apache2/sites-enabled/000-default.conf

<Directory /var/www/html> Options Indexes FollowSymLinks MultiViews AllowOverride All Order allow,deny allow from all </Directory>

Please help me on this and tell me what are the modules necessary and configuration changes needed.

Many thanks !

Hi! Cool tutorial! One question: is that way also the same when using webpublishing with userdir? Any modifications within the 000-default.conf file necessary?

I use a webserver for my pupils at school to play around with wordpress and build websites, therefore the userdir-option is wonderful for me, but I have troubles with the permalinks and I think that there is a bug in my mod_rewrite configuration…

Regarding the permalinks: when I look at the /etc/apache2/sites-available/000-default.conf files mine warns me saying:

ServerAdmin webmaster@localhost
DocumentRoot /var/www/html/

<Directory "/var/www/html/>
    # AllowOverride All      # Deprecated
    # Order Allow,Deny       # Deprecated
    # Allow from all         # Deprecated
    Require all granted    # << New way of doing it
</Directory>

So your tutorial does not work for me, I can’t get permalinks to work :-(

Try DigitalOcean for free

Click below to sign up and get $200 of credit to try our products over 60 days!

Sign up

Join the Tech Talk
Success! Thank you! Please check your email for further details.

Please complete your information!

Get our biweekly newsletter

Sign up for Infrastructure as a Newsletter.

Hollie's Hub for Good

Working on improving health and education, reducing inequality, and spurring economic growth? We'd like to help.

Become a contributor

Get paid to write technical tutorials and select a tech-focused charity to receive a matching donation.

Welcome to the developer cloud

DigitalOcean makes it simple to launch in the cloud and scale up as you grow — whether you're running one virtual machine or ten thousand.

Learn more
DigitalOcean Cloud Control Panel