JavaScript将RGB整数转换为十六进制

时间:2015-12-04 06:31:51

标签: javascript arrays hex rgb vivagraphjs

我使用Vivagraph JS库来渲染一些图形。

我想像这样改变节点的颜色

nodeUI.color = 0xFFA500FF;

^这是一个随机的例子。不是

下面的RGB对应的十六进制值

我从服务器RGB值获得像这样的数组

rgb = [229,64,51]

如何将RGB转换为上面提到的十六进制类型值?

由于

1 个答案:

答案 0 :(得分:1)

根据以下代码中的评论:https://github.com/anvaka/VivaGraphJS/blob/master/demos/other/webglCustomNode.html

值0xFFA500FF是一个包含alpha通道的32位值,因此忽略它相当于rgb(255,165,0)的alpha通道。

下面是一些从32位十六进制转换为24位rgb和返回的函数,这些注释应该足以解释它们是如何工作的。



/*  @param {number} v - value to convert to RGB values
**  @returns {Array}  - three values for equivalent RGB triplet
**                      alpha channel is ingored
**
**  e.g. from32toRGB(0xaec7e8) // 255,165,0
*/
function from32toRGB(v) {
  var rgb = ('0000000' + v.toString(16))  // Convert to hex string with leading zeros
             .slice(-8)     // Get last 8 characters
             .match(/../g)  // Split into array of character pairs
             .splice(0,3)   // Get first three pairs only
             .map(function(v) {return parseInt(v,16)}); // Convert each value to decimal
  return rgb;
}

/*  @param {Array} rgbArr - array of RGB values
**  @returns {string}     - Hex value for equivalent 32 bit color
**                          Alpha is always 1 (FF)
**
**  e.g. fromRGBto32([255,165,0]) // aec7e8FF
**
**  Each value is converted to a 2 digit hex string and concatenated
**  to the previous value, with ff (alpha) appended to the end
*/
function fromRGBto32(rgbArr) {
  return rgbArr.reduce(function(s, v) {
    return s + ('0' + v.toString(16)).slice(-2);
  },'') + 'ff'
}

//  Tests for from32toRGB
  [0xFFA500FF, 0xaec7e8ff,0,0xffffffff].forEach(function(v) {
    document.write(v.toString(16) + ' : ' + from32toRGB(v) + '<br>')
  });

document.write('<br>');

// Tests for fromRGBto32
  [[255,165,0],[174,199,232], [0,0,0], [255,255,255]].forEach(function(rgbArr) {
    document.write(rgbArr + ' : ' + fromRGBto32(rgbArr) + '<br>');
  });
&#13;
&#13;
&#13;

请注意,在作业中:

odeUI.color = 0xFFA500FF

十六进制值0xFFA500FF立即转换为十进制11454440.要将 fromRGBto32 的结果转换为可以分配给 odeUI.color 的数字,请使用parseInt:< / p>

parseInt(fromRGBto32([229,64,51]), 16);

或者如果你想硬编码,只需添加&#39; 0x&#39;在前面。

如果您有一个类似&#39; rgb(229,64,51)&#39;的字符串,您可以通过获取数字,转换为十六进制字符串并连接来将其转换为十六进制值:

&#13;
&#13;
var s = 'rgb = [229,64,51]';
var hex = s.match(/\d+/g);

if (hex) {
  hex = hex.reduce(function(acc, value) {
    return acc + ('0' + (+value).toString(16)).slice(-2);
  }, '#')
}

document.write(hex + '<br>');

// Append FF to make 32 bit and convert to decimal
// equivalent to 0xe54033ff
document.write(parseInt(hex.slice(-6) + 'ff', 16)); // 0xe54033ff -> 3846190079
&#13;
&#13;
&#13;