Last active
February 7, 2016 16:46
-
-
Save abjerner/45c688c81ac17d283732 to your computer and use it in GitHub Desktop.
Calculates the WCAG 2.0 contrast ratio between two colors
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
using System; | |
using System.Drawing; | |
public class WcagHelpers { | |
/// <summary> | |
/// Calculates the relative luminance of a given <code>color</code> as specified by the WCAG 2.0 specification. | |
/// </summary> | |
/// <param name="color">The color.</param> | |
/// <returns>Returns the relative luminance.</returns> | |
/// <see> | |
/// <cref>https://www.w3.org/TR/WCAG20/#relativeluminancedef</cref> | |
/// </see> | |
public static double GetRelativeLuminance(Color color) { | |
// Get the RGB as values from 0-1 | |
double[] rgb = { | |
color.R / 255d, | |
color.G / 255d, | |
color.B / 255d | |
}; | |
// Because it says so on the website :D | |
for (int i = 0; i < rgb.Length; i++) { | |
if (rgb[i] <= 0.03928) { | |
rgb[i] = rgb[i] / 12.92; | |
} else { | |
rgb[i] = Math.Pow(((rgb[i] + 0.055) / 1.055), 2.4); | |
} | |
} | |
// Calculate and return the relative luminance | |
return (rgb[0] * 0.2126) + (rgb[1] * 0.7152) + (rgb[2] * 0.0722); | |
} | |
/// <summary> | |
/// Calculates the constrast ratio of to given colors as specified by the WCAG 2.0 specification. | |
/// </summary> | |
/// <param name="color1">The first color.</param> | |
/// <param name="color2">The second color.</param> | |
/// <returns>Returns the constrast ratio.</returns> | |
/// <see> | |
/// <cref>https://www.w3.org/TR/WCAG20/#contrast-ratiodef</cref> | |
/// </see> | |
public static double GetContrastRatio(Color color1, Color color2) { | |
// Calulate the relative lumancy of both colors | |
double l1 = GetRelativeLuminance(color1); | |
double l2 = GetRelativeLuminance(color2); | |
// Calculate the ratio | |
double ratio = (l1 + 0.05) / (l2 + 0.05); | |
// Invert the ratio if necessary | |
if (l2 > l1) ratio = 1 / ratio; | |
// Calucate and return the contrast ratio | |
return ratio; | |
} | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment