18

不透明度是如何数学计算的?

在 Photoshop、CSS 等中有 opacity 值。实际上这个 opacity 是图层的透明行为。我们都知道。但它是如何数学计算的呢?有什么公式可以计算不透明度吗?

通过设置不透明度值,那里发生了什么?

以纯色层为例:Layer 1(前景层)和Layer 2(背景层)

第 1 层是红色(比如 color value A),第 2 层是白色(比如 color value B)。

当我们将不透明度(比如p)设置为第 1 层时,我们可以设置 0.5 或 50% 并获得白色的红色(比如颜色值X)。

为了获得这个值X,我应该在数学上做什么?

IE。

X = (things which will be a relation containing p, A and B)

我想知道要找到的确切数学方程X

另外,如果我有方程式,并且颜色值本质上是十六进制的,那么使用十六进制计算器可以得到正确的结果吗?

4

3 回答 3

30

将C1 =(R1,G1,B1)C2 =组合(R2,G2,B2)成新颜色C3的公式,其中C2覆盖在C1之上,不透明度p 通常为( (1-p)R1 + p*R2, (1-p)*G1 + p*G2, (1-p)*B1 + p*B2 )

有关更多信息,请参阅有关透明度的 Wikipedia 文章

于 2012-01-05T13:52:12.780 回答
6

以下 javascript 提供了一种可用于手动计算不透明度颜色值的方法:

    function calculateTransparentColor(foregroundColor, backgroundColor, opacity) {
        if (opacity < 0.0 || opacity > 1.0) {
            alert("assertion, opacity should be between 0 and 1");
        }
        opacity = opacity * 1.0; // to make it float
        let foregroundRGB = colorHexToRGB(foregroundColor);
        let backgroundRGB = colorHexToRGB(backgroundColor);
        let finalRed = Math.round(backgroundRGB.r * (1-opacity) + foregroundRGB.r * opacity);
        let finalGreen = Math.round(backgroundRGB.g * (1-opacity) + foregroundRGB.g * opacity);
        let finalBlue = Math.round(backgroundRGB.b * (1-opacity) + foregroundRGB.b * opacity);
        return colorRGBToHex(finalRed, finalGreen, finalBlue);
    }

    var COLOR_REGEX = /^#([0-9a-fA-F]{2})([0-9a-fA-F]{2})([0-9a-fA-F]{2})$/;
    function colorHexToRGB(htmlColor) {
         
        let arrRGB = htmlColor.match(COLOR_REGEX);
        if (arrRGB == null) {
            alert("Invalid color passed, the color should be in the html format. Example: #ff0033");
        }
        let red = parseInt(arrRGB[1], 16);
        let green = parseInt(arrRGB[2], 16);
        let blue = parseInt(arrRGB[3], 16);
        return {"r":red, "g":green, "b":blue};
    }

    function colorRGBToHex(red, green, blue) {
        if (red < 0 || red > 255 || green < 0 || green > 255 || blue < 0 || blue > 255) {
            alert("Invalid color value passed. Should be between 0 and 255.");
        }

        let hexRed = formatHex(red.toString(16));
        let hexGreen = formatHex(green.toString(16));
        let hexBlue = formatHex(blue.toString(16));

        return "#" + hexRed + hexGreen + hexBlue;
    }

    function formatHex(value) {
        value = value + "";
        if (value.length == 1) {
            return "0" + value;
        }
        return value;
    }

    // Now we test it!
    let theColor = calculateTransparentColor('#ff0000', '#00ff00', 0.5)
    console.log("The color #ff0000 on a background of #00ff00 with 50% opacity produces: " + theColor);


    

于 2012-05-09T12:17:49.150 回答
3

混合两个透明像素的结果公式:

C1=[R1,G1,B1] 是前景像素颜色。

C2=[R2,G2,B2] 是背景像素颜色。

p1 是前景像素的不透明度百分比。

p2 是背景像素的不透明度百分比。

New_Pixel_Color = (p1*c1+p2*c2-p1*p2*c2)/(p1+p2-p1*p2)

New_Pixel_opacity = p1+p2-p1*p2

您可以测试并享受它!

于 2014-02-01T00:26:10.403 回答