这两天看以前一个系统的数据库时,发现其中有个Color字段,显然是存储颜色的。但字段类型却是Integer,存储的值是一长串数字。一时犯糊,跑去问经理数字怎么换算成R、G、B三个值啊?经理说你难道不知道RGB函数么?哦,想起来了。用VB开发的朋友应该都知道这个函数,确切的说是一个宏,在MSDN6中找到它的定义:
#define RGB(r, g ,b) ((DWORD) (((BYTE) (r) | \ ((WORD) (g) << 8)) | \ (((DWORD) (BYTE) (b)) << 16)))
也许您跟我一样计算机基础学的不好,看到这堆东东有点晕。那么看下面这个它效果相同的公式就明白了:
RGB = R + G * 256 + B * 256 * 256
C#中没有RGB函数,不过知道了原理,马上能写一个出来。
办法一,笨办法,效率也低,但是好理解,呵呵。
int rgb = 202 + 69 * 256 + 137 * 256 * 256;
int b = rgb / (256 * 256);
int g = (rgb - b * 256 * 256) / 256;
int r = (rgb - b * 256 * 256 - g * 256);
int b = rgb / (256 * 256);
int g = (rgb - b * 256 * 256) / 256;
int r = (rgb - b * 256 * 256 - g * 256);
办法二:网上找来的,用移位做,号称是最高效的办法。不过按MSDN上说的,uint、ushort等类型不符合CLS,不知道会有什么问题。
uint ParseRGB(Color color)
{
return (uint)(((uint)color.B << 16) | (ushort)(((ushort)color.G << 8) | color.R));
}
Color RGB(int color)
{
int r = 0xFF & color;
int g = 0xFF00 & color;
g >>= 8;
int b = 0xFF0000 & color;
b >>= 16;
return Color.FromArgb(r, g, b);
}
{
return (uint)(((uint)color.B << 16) | (ushort)(((ushort)color.G << 8) | color.R));
}
Color RGB(int color)
{
int r = 0xFF & color;
int g = 0xFF00 & color;
g >>= 8;
int b = 0xFF0000 & color;
b >>= 16;
return Color.FromArgb(r, g, b);
}