我正在尝试更改下面函数 swapFE() 的颜色,但我不知道如何编写它。我被告知将短语节点的颜色更改为颜色值 (155, 102, 102)。我尝试这样做,正如您在函数末尾看到的那样, see-parent.childNodes[1].style.color= (155, 102, 102);但它只是呈现深海军蓝色。应该是棕红色。我不知道我做错了什么。我该如何解决这个问题以获得正确的 RGB 颜色?我知道我剩下的都对了,只是弄清楚如何编写颜色和值给我带来了问题。谢谢!
//this function changes the French phrase to an English phrase.
function swapFE(e) {
var phrase = e.srcElement;
//phrase.innerText = english[phrase.id];
var parent = phrase.parentNode;
//childNodes[0] is the number of the phrase +1
var idnum = parent.childNodes[0];
//parseInt takes a textstring and extracts it to make a number. Then you will subtract 1 from the number.
var phrasenum = parseInt(idnum.innerHTML)-1;
phrase.innerText = english[phrasenum];
parent.childNodes[1].style.fontStyle= "normal";
parent.childNodes[1].style.color= (155, 102, 102);
}
function swapEF(e) {
var phrase = e.srcElement;
//phrase.innerText = english[phrase.id];
var parent = phrase.parentNode;
var idnum = parent.childNodes[0];
var phrasenum = parseInt(idnum.innerHTML)-1;
phrase.innerText = french[phrasenum];
parent.childNodes[1].style.fontStyle= "italic";
parent.childNodes[1].style.color= "black";
尝试:
parent.childNodes[1].style.color = "rgb(155, 102, 102)";
或者
parent.childNodes[1].style.color = "#"+(155).toString(16)+(102).toString(16)+(102).toString(16);
这是一个简单的函数,它从 0 到 255 的 RGB 值创建 CSS 颜色字符串:
function rgb(r, g, b){
return "rgb("+r+","+g+","+b+")";
}
或者(为了创建更少的字符串对象),您可以使用数组 join():
function rgb(r, g, b){
return ["rgb(",r,",",g,",",b,")"].join("");
}
只有当(r、g和b)是0到255之间的整数时,上述函数才能正常工作。如果它们不是整数,颜色系统会将它们视为0到1之间的范围。为了考虑到非-整数,使用以下内容:
function rgb(r, g, b){
r = Math.floor(r);
g = Math.floor(g);
b = Math.floor(b);
return ["rgb(",r,",",g,",",b,")"].join("");
}
您还可以使用 ES6 语言功能:
const rgb = (r, g, b) =>
`rgb(${Math.floor(r)},${Math.floor(g)},${Math.floor(b)})`;
这是更好的功能
function RGB2HTML(red, green, blue)
{
var decColor =0x1000000 * blue + 0x100 * green + 0x10000 *red ;
return '#'+decColor.toString(16).substr(1);
}
编辑:修复了 decColor 计算中的拼写错误
我展示了一个添加随机颜色的示例。可以这样写
var r = Math.floor(Math.random() * 255);
var g = Math.floor(Math.random() * 255);
var b = Math.floor(Math.random() * 255);
var col = "rgb(" + r + "," + g + "," + b + ")";
parent.childNodes[1].style.color = col;
该属性应为字符串
ES6(模板文字)辅助函数:
function rgba(r, g, b, a=1){
return `rgba(${r}, ${g}, ${b}, ${a})`
}
function rgb(r, g, b){
return `rgb(${r}, ${g}, ${b})`
}
尝试创建一个新变量,将 RGB 值存储为像这样的字符串
let newColor = `rgb(${red},${green},${blue})`;
然后使用变量将值传递给后台的DOM
document.body.style.backgroundColor = newColor;
不知道为什么,但是 JS 似乎不接受直接的
rgb
值。 :/
与asd的答案类似,但更快更简单(使用按位运算):
function rgb(red, green, blue) {
return (red & 0xF0 ? '#' : '#0') + (red << 16 | green << 8 | blue).toString(16)
}
dec2hex = function (d) {
if (d > 15)
{ return d.toString(16) } else
{ return "0" + d.toString(16) }
}
rgb = function (r, g, b) { return "#" + dec2hex(r) + dec2hex(g) + dec2hex(b) };
和:
parent.childNodes[1].style.color = rgb(155, 102, 102);