The following is a guest post by David Khourshid about how he managed to build a specificity calculator in Sass. In all honesty, I would not have made any better than David with this, so I have to say I am very glad to have him talking about his experiment here.

As any web developer who has to write CSS knows, specificity is both an important and confusing concept. You might be familiar with principles such as avoiding nesting and IDs to keep specificity low, but knowing exactly how specific your selectors are can provide you valuable insight for improving your stylesheets. Understanding specificity is especially important if you are culpable of sprinkling !important throughout your CSS rules in frustration, which ironically, makes specificity less important.

CSS Specificity issue

TL;DR: Check out the source (and examples) here on SassMeister or directly on GitHub.

What is Specificity?

In short, specificity determines how specific a selector is. This might sound like a tautology, but the concept is simple: rules contained in a more specific selector will have greater weight over rules contained in a less specific selector. This plays a role in the cascading part of CSS, and ultimately determines which style rule (the one with the greatest weight) will be applied to an element. Specifically, specificity of a selector is the collective multiplicity of its simple selector types.

There are plenty of articles that further explain/simplify specificity:

The Simplicity of Calculating Specificity

The algorithm for calculating the specificity of a selector is surprisingly simple. A simple selector can fall into three types:

  • Type A: ID selectors;
  • Type B: class, attribute, and pseudo-class selectors;
  • Type C: element (type) and pseudo-element selectors.

Compound and complex selectors are composed of simple selectors. To calculate specificity, simply break apart your selector into simple selectors, and count the occurances of each type. For example:

#main ul li > a[href].active.current:hover {
}

…has 1 ID (type A) selector, 2 class + 1 attribute + 1 pseudo-class (type B) selector, and 3 element type (type C) selectors, giving it a specificity of 1, 4, 3. We’ll talk about how we can represent this accurately as an integer value later.

The Specifics

Now that we have our basic algorithm, let’s dive right in to calculating specificity with Sass. In Sass 3.4 (Selective Steve), one of the major new features was the addition of many useful selector functions that might have seemed pretty useless…

until now. (Okay, I’m sure people have found perfectly good uses for them, but still.)

First things first, let’s determine what our API is going to look like. The simpler, the better. I want two things:

  • A function that returns specificity as a type map or integer, given a selector (string), and…
  • A mixin that outputs both a type map and an integer value inside the generated CSS of the current selector’s specificity.

Great; our API will look like this, respectively:

/// Returns the specificity map or value of given simple/complex/multiple selector(s).
/// @access public
/// @param {List | String} $initial-selector - selector returned by '&'
/// @param {Bool} $integer - output specificity as integer? (default: false)
/// @return {Map | Number} specificity map or specificity value represented as integer
@function specificity($selector, $integer) {
}

/// Outputs specificity in your CSS as (invalid) properties.
/// Please, don’t use this mixin in production.
/// @access public
/// @require {function} specificity
/// @output specificity (map as string), specificity-value (specificity value as integer)
@mixin specificity() {
}

Looks clean and simple. Let’s move on.

Determining Selector Type

Consider a simple selector. In order to implement the algorithm described above, we need to know what type the simple selector is - A, B, or C. Let’s represent this as a map of what each type begins with (I call these type tokens):

$types: (
  c: (':before', ':after', ':first-line', ':first-letter', ':selection'),
  b: ('.', '[', ':'),
  a: ('#')
);

You’ll notice that the map is in reverse order, and that’s because of our irritable colon (:) - both pseudo-elements and pseudo-classes start with one. The less general (pseudo-element) selectors are filtered out first so that they aren’t accidentally categorized as a type B selector.

Next, according to the W3C spec, :not() does not count towards specificity, but the simple selector inside the parentheses does count. We can grab that with some string manipulation:

@if  {
  $simple-selector: str-slice($simple-selector, 6, -2);
}

Then, iterate through the $types map and see if the $simple-selector begins with any of the type tokens. If it does, return the type.

@each $type-key, $type-tokens in $types {
  @each $token in $type-tokens {
    @if str-index($simple-selector, $token) == 1 {
      @return $type-key;
    }
  }
}

As a catch-all, if none of the type tokens matched, then the simple selector is either the universal selector (*) or an element type selector. Here’s the full function:

@function specificity-type($simple-selector) {
  $types: (
    c: (':before', ':after', ':first-line', ':first-letter', ':selection'),
    b: ('.', '[', ':'),
    a: ('#')
  );

  $simple-selector: str-replace-batch($simple-selector, '::', ':');

  @if  {
    $simple-selector: str-slice($simple-selector, 6, -2);
  }

  @each $type-key, $type-tokens in $types {
    @each $token in $type-tokens {
      @if str-index($simple-selector, $token) == 1 {
        @return $type-key;
      }
    }
  }

  // Ignore the universal selector
  @if str-index($simple-selector, '*') == 1 {
    @return false;
  }

  // Simple selector is type selector (element)
  @return c;
}

Determining Specificity Value

Fair warning, this section might get a bit mathematical. According to the W3C spec:

Concatenating the three numbers a-b-c (in a number system with a large base) gives the specificity.

Our goal is to represent the multiplicity of the three types (A, B, C) as a (base 10) integer from a larger (base ??) number. A common mistake is to use base 10, as this seems like the most straightforward approach. Consider a selector like:

body nav ul > li > a + div > span ~ div.icon > i:before {
}

This complex selector doesn’t look too ridiculous, but its type map is a: 0, b: 1, c: 10. If you multiply the types by 102, 101, and 100 respectively, and add them together, you get 20. This implies that the above selector has the same specificity as two classes.

This is inaccurate.

In reality, even a selector with a single class should have greater specificity than a selector with any number of (solely) element type selectors.

What if we tried more power by XKCD

I chose base 256 (162) to represent two hexadecimal digits per type. This is historically how specificity was calculated, but also lets 256 classes override an ID. The larger you make the base, the more accurate your (relative) specificity will be.

Our job is simple, now. Multiply the multiplicity (frequency) of each type by an exponent of the base according to the map (a: 2, b: 1, c: 0) (remember - type A selectors are the most specific). E.g. the selector #foo .bar.baz > ul > li would have a specificity type map (a: 1, b: 2, c: 2) which would give it a specificity of 1 _ 2562 + 2 _ 2561 + 2 * 2560 = 66050. Here’s that function:

@function specificity-value($specificity-map, $base: 256) {
  $exponent-map: (
    a: 2,
    b: 1,
    c: 0
  );
  $specificity: 0;

  @each $specificity-type, $specificity-value in $specificity-map {
    $specificity: $specificity + ($specificity-value * pow($base, map-get($exponent-map, $specificity-type)));
  }

  @return $specificity;
}

Dealing with Complex and Compound Selectors

Thankfully, with Sass 3.4's selector functions, we can split a selector list comprised of complex and compound selectors into simple selectors. We’re going to be using two of these functions:

Some points to note: I’m using a homemade str-replace-batch function to remove combinators, as these don’t count towards specificity:

$initial-selector: str-replace-batch(#{$initial-selector},  ('+', '>', '~'));

And more importantly, I’m keeping a running total of the multiplicity of each simple selector using a map:

$selector-specificity-map: (
  a: 0,
  b: 0,
  c: 0
);

Then, I can just use my previously defined function selector-type to iterate through each simple selector ($part) and increment the $selector-specificity-map accordingly:

@each $part in $parts {
  $specificity-type: specificity-type($part);

  @if $specificity-type {
    $selector-specificity-map: map-merge(
      $selector-specificity-map,

      (
        #{$specificity-type}: map-get(
            $selector-specificity-map,
            $specificity-type
          ) + 1
      )
    );
  }
}

The rest of the function just returns the specificity map (or integer value, if desired) with the highest specificity, determined by the specificity-value function, by keeping track of it here:

$specificities-map: map-merge(
  $specificities-map,
   (specificity-value($selector-specificity-map): $selector-specificity-map)
);

Here’s the full function:

@function specificity($initial-selector, $integer: false) {
  $initial-selector: str-replace-batch(#{$initial-selector},  ('+', '>', '~'));
  $selectors: selector-parse($initial-selector);
  $specificities-map: ();

  @each $selector in $selectors {
    $parts: ();
    $selector-specificity-map: (
      a: 0,
      b: 0,
      c: 0
    );

    @each $simple-selectors in $selector {
      @each $simple-selector in simple-selectors($simple-selectors) {
        $parts: append($parts, $simple-selector);
      }
    }

    @each $part in $parts {
      $specificity-type: specificity-type($part);
      @if $specificity-type {
        $selector-specificity-map: map-merge(
          $selector-specificity-map,

          (
            #{$specificity-type}: map-get(
                $selector-specificity-map,
                $specificity-type
              ) + 1
          )
        );
      }
    }

    $specificities-map: map-merge(
      $specificities-map,
       (specificity-value($selector-specificity-map): $selector-specificity-map)
    );
  }

  $specificity-value: max(map-keys($specificities-map)...);
  $specificity-map: map-values(map-get($specificities-map, $specificity-value));

  @return if($integer, $specificity-value, $specificity-map);
}

The Applicability of Specificity

So, aside from this being another application of a rethinking of Atwood’s Law, knowing exactly how specific your selectors are can be much more beneficial than seeing in your dev tools that your desired styles have been overridden by another style for some relatively unknown reason (which I’m sure is a common frustration). You can easily output specificity as a mixin:

@mixin specificity() {
  specificity: specificity(&);
  specificity-value: specificity(&, true);
}

On top of this, you can find some way to communicate the specificities of your selectors to the browser in development, and output a specificity graph to ensure that your CSS is well-organized.

You can take this even further and, if you have dynamic selectors in your SCSS, know ahead of time which one will have the highest specificity:

@if specificity($foo-selector, true) > specificity($bar-selector, true) {
  // …
}

The full source for the specificity functions/mixins, as well as examples, are available here on SassMeister:

Play with this gist on SassMeister.