RGB888 至 RGB565 / 位移位

问题描述 投票:0回答:3

我想使用位移位将三个字符组合成一个短片。这是为了实现 RGB565 调色板(其中 5 位用于红色,6 位用于绿色,5 位用于蓝色)。

这是我的示例程序,我只是缺少中间的一步,我认为我需要在哪里做一些操作。

#include <stdio.h>

int main( ){
        unsigned char r, g, b;
        unsigned short rgb;

        r = 255;        // 0xFF 1111 1111
        g = 100;        // 0x64 0110 0100
        b = 50;         // 0x32 0011 0010

        r = r >> 3;     // 0x31 0001 1111
        g = g >> 2;     // 0x19 0001 1001
        b = b >> 3;     // 0x06 0000 0110

        //r = r & something; //
        //g = g & something; //
        //b = b & something; //

        // Desired result:
        //          R      G     B
        // 0xFB26 11111 011001 00110
        rgb = r | g | b;

        printf( "r 0x%x g 0x%x b 0x%x, rgb 0x%08x\n", r, g, b, rgb );
}

最后你可以看到我想要的结果。感谢您的帮助!

c bit-manipulation rgb
3个回答
19
投票
rgb = ((r & 0b11111000) << 8) | ((g & 0b11111100) << 3) | (b >> 3);

我们将

r
左移 11-3=8 位,
g
左移 5-2=3 位,然后将这些与
b
右移 3 位进行按位或。


1
投票

感谢 A2A。我也遇到过同样的问题。下面的代码可以帮助你。

unsigned int r,g,b; // Pixel data in the RGB
unsigned char x1,x2; // The container for resulting 2 bytes

x1 = (r & 0xF8) | (g >> 5); // Take 5 bits of Red component and 3 bits of G component

x2 = ((g & 0x1C) << 3) | (b  >> 3); // Take remaining 3 Bits of G component and 5 bits of Blue component

您可以在GIThub中找到python程序。 https://github.com/ajay126z/RGB888ToRGB565-Converter


0
投票

记住 RGB 5-6-5。我们只需要 5 位红色、6 位绿色、5 位蓝色,然后将它们组合起来。

rgb565 = ((r>>3) << 11) | ((g>>2) << 5) | b >> 3
         ------- 5-bits
                ----------------- 6-bits
                                 ------------- 5-bits
         ------------------------------------- 16-bits
© www.soinside.com 2019 - 2024. All rights reserved.