Advertisement
  1. Web Design
  2. HTML/CSS
  3. CSS

How to Add Variables to Your CSS Files

Scroll to top
Read Time: 12 min

Let's try something different on nettuts+ today. Any designer who has worked with large CSS files will agree that its major weakness is its inability to use variables. In this article, we will learn how to implement variables by using PHP and Apache's URL rewrite mod.


Preface

This technique is somewhat simple. We will ask Apache to redirect any stylesheet to a specific PHP script. This script will open the stylesheet, and read it line by line to find and replace any user-defined variables. Finally the parsed content will be displayed as pure CSS; browsers won't notice the difference. To close this tutorial, we will also see how to cache the processed result to avoid unnecessary CPU usage.

Please note that some basic PHP (OOP), Apache and HTTP knowledge are expected.

Requirements:

  • Apache with Rewrite mod on
  • PHP 5

Step 1 - Build the Project

Let's first create our simple project structure. Add an index.html file to the root of your project.

1
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "https://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
2
<html xmlns="http://www.w3.org/1999/xhtml">
3
<head>
4
    <meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
5
    <title>Variables in CSS Files... It's possible!</title>
6
    <link href="css/styles.css" rel="stylesheet" type="text/css" />
7
</head>
8
<body>
9
    <h1>Variables in Stylesheets</h1>
10
    <p>It's possible!</p>
11
    <p>With PHP and Apache URL Rewrite Mod</p>
12
</body>
13
</html>

Now, create a CSS file with the following variables and place it in a "css" folder

1
$font: arial, sans-serif;
2
$main-color: #3D7169; $secondary-color: #000;
3
4
h1 {
5
    font: 200% $font;
6
    color: $main-color;
7
}
8
p { 
9
    background: $secondary-color;
10
    color: $main-color;
11
    font-family: $font;
12
    padding: 10px;
13
}

Finally, create a blank PHP file named enhanced_css.php and a blank .htaccess file. This latter file overrides the default configuration of the server and is applied to the folder and its subfolders.

Now our project should look like this:


Step 2 - Redirect CSS files to a PHP Script

We want to redirect any URL with a CSS extension to our PHP script. The Apache server allows us to do this by utilizing URL Rewrite mod.
First, be sure that the "rewrite_module" modules is active on your server. Go and find the httpd.conf file in your Apache folder. Edit it and search for this line:

1
LoadModule rewrite_module modules/mod_rewrite.so

If needed, uncomment it by removing the prepended “#”, and restart Apache to make sure that your configuration settings are active.

Now, edit your .htaccess file and add the following lines.

1
RewriteEngine on
2
RewriteRule ^(.*\.css)$ enhanced_css.php?css=$0

Save it. As previously mentioned, the lines above ask Apache to catch all of the URLs with the .css extension and redirect them to "enhanced_css.php". The original CSS file path is passed in as a 'css' parameter.

For instance :

1
/css/styles.css 

Will be redirected to:

1
enhanced_css.php?css=/css/styles.css

Note:

Some hosting solutions don't allow their settings to be overrided by the user's ones. If so, the links to the stylesheets in the HTML code must be replaced manually.

In such instances, you will have to replace:

1
<link href="css/styles.css" rel="stylesheet" type="text/css" />

with:

1
<link href="enhanced_css?css=css/styles.css" rel="stylesheet" type="text/css" />

Step 3 - Parse the CSS file with PHP

Since the CSS files are redirected our PHP script, let's build a class named "Enhancedcss" to read them, find and replace variables, then display the contents as pure CSS. Our class will be instantiated by passing $_GET['css'] to the constructor. Remember the .htaccess redirection. $_GET contains the path to the current stylesheet.

1
if (isset($_GET['css'])) {
2
    $css = new EnhancedCss($_GET['css']);    
3
    $css->display();
4
}

The basic implementation of the class is composed of four methods. Later, we will add a caching method.

1
class EnhancedCss {
2
    public $values;
3
    public $cssFile;
4
    
5
    public function __construct($cssFile) {
6
        // check if the css file exists

7
    }
8
    
9
    private function parse() {
10
        // open the css file and throw every line to 

11
        // findAndReplaceVars method

12
    }
13
    
14
    private function findAndReplaceVars($line) {
15
        // find the variable definitions, store the values,

16
        // replace the variable by their defined values.

17
    }
18
    
19
    public function display() {
20
        // display the new parsed content        

21
    }
22
}

The Constructor

Nothing sexy here. We check if the requested CSS file exists. If not, the script returns a 404 http error. The path of the CSS file is kept in the $this->cssFile property to compute the name of the cache file later.

1
public function __construct($cssFile) {
2
    if (!file_exists($cssFile)) {
3
        header('HTTP/1.0 404 Not Found');
4
        exit;
5
    }
6
    $this->cssFile = $cssFile;
7
}

The Parse Method

This method opens the CSS file and reads it line by line.

1
private function parse() {
2
    $content = '';
3
    $lines = file($this->cssFile);
4
    foreach($lines as $line) { 
5
        $content .= $this->findAndReplaceVars($line); 
6
    }
7
    return $content;
8
}

The file function is used here. It can be useful because it opens a file and returns the content as an array of lines. Each line is thrown to the findAndReplaceVars which processes the variables. The parsed content is then returned.

The FindAndReplace Method

This method is the primary workhorse of our class. It finds the variable definitions, stores theirs values in an array. When a variable is found, and if its value exists, it is replaced by the value.

1
private function findAndReplaceVars($line) {
2
    preg_match_all('/\s*\\$([A-Za-z1-9_\-]+)(\s*:\s*(.*?);)?\s*/', $line, $vars); 
3
    $found     = $vars[0];
4
    $varNames  = $vars[1];
5
    $varValues = $vars[3];
6
    $count     = count($found);    
7
                    
8
    for($i = 0; $i < $count; $i++) {
9
        $varName  = trim($varNames[$i]);
10
        $varValue = trim($varValues[$i]);            
11
        if ($varValue) {
12
            $this->values[$varName] = $this->findAndReplaceVars($varValue);
13
        } else if (isset($this->values[$varName])) { 
14
            $line = preg_replace('/\\$'.$varName.'(\W|\z)/', $this->values[$varName].'\\1', $line);
15
        }
16
    }
17
    $line = str_replace($found, '', $line);
18
    return $line;
19
}

Lots of code here. Let's review it in detail.

1
private function findAndReplaceVars($line) {
2
    preg_match_all('/\s*\\$([A-Za-z1-9_\-]+)(\s*:\s*(.*?);)?\s*/', $line, $vars);

Here, we apply a regular expression to the current line. This expression matches and extract patterns like $variable:$value; (and some variants) or $variable in the current line. I wont go further here. Regular expressions are a complex topic which deserve an tutorial of their own. The Preg_match_all function returns all matches.

For example, the third line of our project's CSS file -

1
$main-color: #3D7169; $secondary-color: #000;

- will return this array:

1
$vars => Array 
2
(
3
    [0] => Array
4
        (
5
            [0] => $main-color: #3D7169;

6
            [1] => $secondary-color: #000;

7
        )
8
9
    [1] => Array
10
        (
11
            [0] => main-color
12
            [1] => secondary-color
13
        )
14
15
    [2] => Array
16
        (
17
            [0] =>  : #3D7169;

18
            [1] =>  : #000;

19
        )
20
21
    [3] => Array
22
        (
23
            [0] =>  #3D7169

24
            [1] =>  #000

25
        )
26
)

We assume that $vars[0] contains the complete match, $vars[1] contains the names of the variables, and $vars[3] contains the values. Let's organize the array to keep it clearer.

1
$found     = $vars[0];
2
$varNames  = $vars[1];
3
$varValues = $vars[3];

Now it's crystal.

1
$found => Array
2
        (
3
            [0] => $main-color: #3D7169;

4
            [1] => $secondary-color: #000;

5
        )
6
$varNames => Array
7
        (            
8
            [0] => main-color
9
            [1] => secondary-color
10
        )
11
 $varValues => Array
12
       (
13
           [0] =>  #3D7169

14
           [1] =>  #000

15
       )

We count how many variables have been found in the current line.

1
    $count = count($found);

This way we can cycle through each entry of our variables array. To make things clearer we set some new variables to handle the name and value.

1
for($i = 0; $i < $count; $i++) {
2
    $varName  = trim($varNames[$i]);
3
    $varValue = trim($varValues[$i]);            
4
5
    // ...

6
}

Variable Definitions

If $varValue is not empty, we're facing a variable defintion. So we have to store this value in the $this->values property.

1
if ($varValue) {
2
    $this->values[$varName] = $this->findAndReplaceVars($varValue);
3
} else if ...

Note that we pass the variable value in the findAndReplaceVars method again. This way, other potential variables will be processed as well.
The values are stored in the $this->values array with the name of the variable as the key. At the end of the script, the $this->values array looks like this.

1
Array
2
(
3
    [font] => arial, sans-serif
4
    [main-color] => #3D7169

5
    [secondary-color] => #000

6
)

Variable Applications

If $varValue is empty, we're facing a variable application. We check if this variable exists in the values array. If it does, we replace the variable name by its value.

1
} else if (isset($this->values[$varName])) { 
2
    $line = preg_replace('/\\$'.$varName.'(\W|\z)/', $this->values[$varName].'\\1', $line);
3
}

This replacement might seem to be abnormally complicated. Actually no, this replacement takes care of replacing the $variable only if it is followed by a non character (\W) or an end-of-line (\z).

Finally, we remove the entire match to keep the stylesheet clean and valid. The processed line is returned.

1
    $line = str_replace($found, '', $line);
2
    return $line;
3
}

The Display Method

This method displays the parsed stylesheet. To be served to the browser as CSS content, the header is set to text/css content type.

1
public function display() {        
2
    header('Content-type: text/css'); 
3
    echo $this->parse();
4
}

Step 4 - Cache the Result

At this point, everything is working perfectly. However, the operation can be very CPU-consuming when used with larger websites.

After all, we don't need to parse the CSS files every time the browser needs it. The process only needs to be run the first time to create the cache, or if the original CSS file has been modified since the last caching operation. Otherwise, the previously rendered result can be reused. So, let's add a caching solution to our script.

Add a new folder named cache to the project. If needed, give this folder the right to be written in by applying a chmod 777. Now our project should look like this:

The Cache Method

A new method has to be added. Its function will be to :

  • read the cache file if it exists.
  • create and store the rendered results.
  • update existing cache file if the CSS file has been modified.

All the logic is handled by the method below:

1
private function cache($content = false) {
2
    $cacheFile = "cache/".urlencode($this->cssFile);
3
    if (file_exists($cacheFile) && filemtime($cacheFile) > filemtime($this->cssFile)) {
4
        return file_get_contents($cacheFile);
5
    } else if ($content) {
6
        file_put_contents($cacheFile, $content);
7
    }
8
    return $content;
9
}

Let's explain this code. The cache file name is computed from the original CSS file name previously kept in the $this->cssFile property. Finally, we use the urlencode function.

1
$cacheFile = "cache/".urlencode($this->cssFile);

That way a CSS file as

1
/css/styles.css

will be cached as

1
/cache/css%2Fstyles.css

We need to check if the cache file already exists, (file_exists) and if so, check if its creation date is not prior to the modification date (filemtime) of the CSS file.

1
if (file_exists($cacheFile) && filemtime($cacheFile) > filemtime($this->cssFile)) {
2
    return file_get_contents($cacheFile);

Otherwise, we create/recreate the cache file.

1
} else if ($content) {
2
    file_put_contents($cacheFile, $content);
3
}

Now the rest of the class must deal with this new method. Two methods need to be modified.

1
private function parse() {
2
    if (!$content = $this->cache()) {
3
        $lines = file($this->cssFile);
4
        foreach($lines as $line) { 
5
            $content .= $this->findAndReplaceVars($line); 
6
        }
7
    }
8
    return $content;
9
}

The parsing method now checks the cache before to run the whole process. If there is no cache available, the CSS file is parsed, otherwise the cached content is returned.

1
public function display() {
2
    header("Content-type: text/css"); 
3
    echo $this->cache($this->parse());
4
}

Finally, the method displays the right content (new or cached) provided by the caching method.

Browser Caching

For security reason (sessions, dynamic contents) browsers don't keep PHP results in their cache. A real CSS file would have been
cached but not the result of our script. We have to deal with the browser to emulate the behavior of a real CSS file. Let's add some lines to the constructor.

1
public function __construct($cssFile) {
2
    if (!file_exists($cssFile)) {
3
        header('HTTP/1.0 404 Not Found');
4
        exit;
5
    }
6
7
    // Deals with the Browser cache

8
    $modified = filemtime($cssFile);
9
    header('Last-Modified: '.gmdate("D, d M Y H:i:s", $modified).' GMT');
10
	
11
    if(isset($_SERVER['HTTP_IF_MODIFIED_SINCE'])) {
12
        if (strtotime($_SERVER['HTTP_IF_MODIFIED_SINCE']) == $modified) {
13
            header('HTTP/1.1 304 Not Modified');
14
            exit();
15
        }
16
    }
17
18
    $this->cssFile = $cssFile;
19
}

We copy the last modification date of the original CSS file to our result in the header.
Basically, headers are exchanged by browsers and servers before serving data.
When the browser has a copy of a page in its cache, it send a HTTP_IF_MODIFIED_SINCE request to the server
with the date previously given by header('Last-Modified', ...) the day it was cached. If the dates match, the content
is up to date and doesn't need to be reloaded; so we send a 304 Not Modified response and exit the script.

A shorter way would be to simply add header('Cache-Control: max-age=3600'); to the file. The content will be cached
1 hour (3600 seconds) by any browser.


Conclusion

Done! You can now check one of your stylesheets on your server. For example, http://localhost/myproject/css/styles.css

1
$font: arial, sans-serif;
2
$main-color: #3D7169; $secondary-color: #000;
3
4
h1 {
5
    font: 200% $font;
6
    color: $main-color;
7
}
8
p { 
9
    background: $secondary-color;
10
    color: $main-color;
11
    font-family: $font;
12
    padding: 10px;
13
}

Becomes :

1
h1 {
2
    font: 200% arial, sans-serif;
3
    color: #3D7169;
4
}
5
p { 
6
    background: #000;
7
    color: #3D7169;
8
    font-family: arial, sans-serif;
9
    padding: 10px;
10
}

I hope you enjoyed this tutorial. What are your thoughts?

Advertisement
Did you find this post useful?
Want a weekly email summary?
Subscribe below and we’ll send you a weekly email summary of all new Web Design tutorials. Never miss out on learning about the next big thing.
Advertisement
Looking for something to help kick start your next project?
Envato Market has a range of items for sale to help get you started.