Created
May 9, 2018 06:10
-
-
Save ryancat/44707768f1791a5938c879d85f2dd9ef to your computer and use it in GitHub Desktop.
Convert color from RGB to LAB, RGB to HEX, or vice versa
This file contains hidden or 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
/** | |
* Convert a hex color string to RGB array | |
* @param {String} hex Hex color string | |
*/ | |
function hexToRgb(hex) { | |
var result = /^#?([a-f\d]{2})([a-f\d]{2})([a-f\d]{2})$/i.exec(hex); | |
return result ? [ | |
parseInt(result[1], 16), | |
parseInt(result[2], 16), | |
parseInt(result[3], 16) | |
] : null; | |
} | |
/** | |
* Convert RGB array to Hex color string | |
* @param {Array} rgb | |
*/ | |
function rgbToHex(rgb) { | |
const [r, g, b] = rgb | |
return "#" + ((1 << 24) + (r << 16) + (g << 8) + b).toString(16).slice(1); | |
} | |
/** | |
* Convert LAB to RGB color in array | |
* @param {Array} lab LAB color in array | |
*/ | |
function lab2rgb(lab){ | |
var y = (lab[0] + 16) / 116, | |
x = lab[1] / 500 + y, | |
z = y - lab[2] / 200, | |
r, g, b; | |
x = 0.95047 * ((x * x * x > 0.008856) ? x * x * x : (x - 16/116) / 7.787); | |
y = 1.00000 * ((y * y * y > 0.008856) ? y * y * y : (y - 16/116) / 7.787); | |
z = 1.08883 * ((z * z * z > 0.008856) ? z * z * z : (z - 16/116) / 7.787); | |
r = x * 3.2406 + y * -1.5372 + z * -0.4986; | |
g = x * -0.9689 + y * 1.8758 + z * 0.0415; | |
b = x * 0.0557 + y * -0.2040 + z * 1.0570; | |
r = (r > 0.0031308) ? (1.055 * Math.pow(r, 1/2.4) - 0.055) : 12.92 * r; | |
g = (g > 0.0031308) ? (1.055 * Math.pow(g, 1/2.4) - 0.055) : 12.92 * g; | |
b = (b > 0.0031308) ? (1.055 * Math.pow(b, 1/2.4) - 0.055) : 12.92 * b; | |
return [Math.max(0, Math.min(1, r)) * 255, | |
Math.max(0, Math.min(1, g)) * 255, | |
Math.max(0, Math.min(1, b)) * 255] | |
} | |
/** | |
* Convert RGB color to LAB in array | |
* @param {Array} rgb RGB color in array | |
*/ | |
function rgb2lab(rgb){ | |
var r = rgb[0] / 255, | |
g = rgb[1] / 255, | |
b = rgb[2] / 255, | |
x, y, z; | |
r = (r > 0.04045) ? Math.pow((r + 0.055) / 1.055, 2.4) : r / 12.92; | |
g = (g > 0.04045) ? Math.pow((g + 0.055) / 1.055, 2.4) : g / 12.92; | |
b = (b > 0.04045) ? Math.pow((b + 0.055) / 1.055, 2.4) : b / 12.92; | |
x = (r * 0.4124 + g * 0.3576 + b * 0.1805) / 0.95047; | |
y = (r * 0.2126 + g * 0.7152 + b * 0.0722) / 1.00000; | |
z = (r * 0.0193 + g * 0.1192 + b * 0.9505) / 1.08883; | |
x = (x > 0.008856) ? Math.pow(x, 1/3) : (7.787 * x) + 16/116; | |
y = (y > 0.008856) ? Math.pow(y, 1/3) : (7.787 * y) + 16/116; | |
z = (z > 0.008856) ? Math.pow(z, 1/3) : (7.787 * z) + 16/116; | |
return [(116 * y) - 16, 500 * (x - y), 200 * (y - z)] | |
} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment