Matlab处理彩色图像 RGB888-RGB565

image=imread('E:\64c.bmp');
fr=image(:,:,1);
fg=image(:,:,2);

fb=image(:,:,3);

以上代码为打开bmp图片并分开RGB三种分量,所以怎么把RGB888转化成RGB56516位真彩色呢?

“著作权归作者所有。
商业转载请联系作者获得授权,非商业转载请注明出处。
作者:萧Brenda
链接:http://www.zhihu.com/question/26038646/answer/46135041
来源:知乎

我猜想楼主的意思并不是要问为什么要右移,而是为什么是右移3位吧。如果是这样的话,我来解释一下。先反过来看,当把16位转换为24位的时候,(假设是5.5.5的格式)此时通过掩码和右移操作获取到的R、G、B分量需要进行一个线性的放大过程,这个放大因子是:256/32= 8. (256,32是各分量取值的最大范围)操作上而言,放大8倍,就是左移3位。 那反过来,当把24位转换成16位的时候(5.5.5格式),自然是需要一个线性的缩小因子,也就是右移3位。

当在5.6.5的格式下,R和B操作不变,但是G的分量放大或缩小的因子变成了 256/64 = 4. 于是就变成了左移或者右移2位。”

线性缩小的过程 留下高五位

背景:在我们的计算机中图像是以RGB888格式显示图像的,24位图每个像素保存了32bit的数据,即RGB888+Alpha,Alpha就是半透明填充字节……但是对于真彩的图像而言,肉眼在16bit的时候已经难以分辨了,因此,有些时候,可以讲RGB888转换为RGB565来存储,减少了存储器的容量的同时,降低了数据量;在后端显示的时候,再次把RGB565转换为RGB888,实现数据宽度的匹配!!

 

一.RGB888->RGB565

方法只要提取相应单色高位即可(R5 G6 B5),但会导致低位的缺失,影响精度,而且无法恢复。

二.RGB565->RGB888

方法只要补充相应单色低位即可(R3 G2 B3)。

 

RGB888用unsigned int 32位字节存储
  0   0   0   0   0   0   0   0 R7 R6 R5 R4 R3 R2 R1 R0 G7 G6 G5 G4 G3 G2 G1 G0 B7 B6 B5 B4 B3 B2 B1 B0

 

RGB565用unsigned short 16位字节存储
R7 R6 R5 R4 R3 G7 G6 G5 G4 G3 G2 B7 B6 B5 B4 B3

 

代码:

#define RGB888_RED      0x00ff0000
#define RGB888_GREEN    0x0000ff00
#define RGB888_BLUE     0x000000ff

#define RGB565_RED      0xf800
#define RGB565_GREEN    0x07e0
#define RGB565_BLUE     0x001f

unsigned short RGB888ToRGB565(unsigned int n888Color)
{
	unsigned short n565Color = 0;

	// 获取RGB单色,并截取高位
	unsigned char cRed   = (n888Color & RGB888_RED)   >> 19;
	unsigned char cGreen = (n888Color & RGB888_GREEN) >> 10;
	unsigned char cBlue  = (n888Color & RGB888_BLUE)  >> 3;

	// 连接
	n565Color = (cRed << 11) + (cGreen << 5) + (cBlue << 0);
	return n565Color;
}

unsigned int RGB565ToRGB888(unsigned short n565Color)
{
	unsigned int n888Color = 0;

	// 获取RGB单色,并填充低位
	unsigned char cRed   = (n565Color & RGB565_RED)    >> 8;
	unsigned char cGreen = (n565Color & RGB565_GREEN)  >> 3;
	unsigned char cBlue  = (n565Color & RGB565_BLUE)   << 3;

	// 连接
	n888Color = (cRed << 16) + (cGreen << 8) + (cBlue << 0);
	return n888Color;
Matlab的实现过程:

image=imread('E:\64c.bmp');
fr=image(:,:,1);
fg=image(:,:,2);
fb=image(:,:,3);
ar=fr*(31/255);
ag=fg*(63/255);
ab=fb*(31/255);
%imgR = uint8((255/31)*bitshift(bitand(fr,63488),-11));  %# Red component
%imgG = uint8((255/63)*bitshift(bitand(fg,2016),-5));    %# Green component
%imgB = uint8((255/31)*bitand(fb,31));                   %# Blue component

相关知识:http://stackoverflow.com/questions/3578265/how-can-i-convert-between-rgb565-and-rgb24-image-formats-in-matlab

你可能感兴趣的:(Matlab)