十四、使用framebuffer填充纯色

时间:2022-03-29 13:35:52

  简单描述一下framebuffer的使用,它其实就相当于将屏幕上的像素映射到内存中,改变内存中的内容后屏幕自动就变颜色了。

  首先要调用open("/dev/fb0", O_RDWR);打开帧缓冲设备文件,获得文件描述符,然后使用mmap将文件内容映射到内存中,具体映大小取决于屏幕大小,初始化程序如下:

 typedef unsigned short color_t;                /* 根据实际情况修改,此处为unsigned short是565的屏 */

 static struct fb_var_screeninfo __g_vinfo;    /* 显示信息 */
static color_t *__gp_frame; /* 虚拟屏幕首地址 */ int framebuffer_init (void)
{
int fd = ; fd = open("/dev/fb0", O_RDWR);
if (fd == -) {
perror("fail to open /dev/fb0\n");
return -;
} ioctl(fd, FBIOGET_VSCREENINFO, &__g_vinfo); /* 获取显示信息 */
printf("bits_per_pixel = %d\n", __g_vinfo.bits_per_pixel); /* 得到一个像素点对应的位数 */ __gp_frame = mmap(NULL, /* 映射区的开始地址,为NULL表示由系统决定映射区的起始地址 */
__g_vinfo.xres_virtual * __g_vinfo.yres_virtual * __g_vinfo.bits_per_pixel / , /* 映射区大小 */
PROT_WRITE | PROT_READ, /* 内存保护标志(可读可写) */
MAP_SHARED, /* 映射对象类型(与其他进程共享) */
fd, /* 有效的文件描述符 */
); /* 被映射内容的偏移量 */
if (__gp_frame == NULL) {
perror("fail to mmap\n");
return -;
} return ;
}

初始化成功后对__gp_frame指针操作就相当于对屏幕进行操作了。附上完整测试程序:

 #include <stdio.h>
#include <linux/fb.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <sys/mman.h> typedef unsigned short color_t; /* 根据实际情况修改,此处为unsigned short是565的屏 */ static struct fb_var_screeninfo __g_vinfo; /* 显示信息 */
static color_t *__gp_frame; /* 虚拟屏幕首地址 */
static color_t __g_pen_color; /* 画笔颜色 */ int framebuffer_init (void)
{
int fd = ; fd = open("/dev/fb0", O_RDWR);
if (fd == -) {
perror("fail to open /dev/fb0\n");
return -;
} ioctl(fd, FBIOGET_VSCREENINFO, &__g_vinfo); /* 获取显示信息 */
printf("bits_per_pixel = %d\n", __g_vinfo.bits_per_pixel); /* 得到一个像素点对应的位数 */ __gp_frame = mmap(NULL, /* 映射区的开始地址,为NULL表示由系统决定映射区的起始地址 */
__g_vinfo.xres_virtual * __g_vinfo.yres_virtual * __g_vinfo.bits_per_pixel / , /* 映射区大小 */
PROT_WRITE | PROT_READ, /* 内存保护标志(可读可写) */
MAP_SHARED, /* 映射对象类型(与其他进程共享) */
fd, /* 有效的文件描述符 */
); /* 被映射内容的偏移量 */
if (__gp_frame == NULL) {
perror("fail to mmap\n");
return -;
} return ;
} /**
* \brief 填充整屏
*/
void full_screen (color_t color)
{
int i;
color_t *p = __gp_frame; for (i = ; i < __g_vinfo.xres_virtual * __g_vinfo.yres_virtual; i++) {
*p++ = color;
}
} int main(int argc, const char *argv[])
{
int i = ; if (framebuffer_init()) {
return ;
} while () {
if (i % == )
full_screen(0x001F);
else if (i % == )
full_screen(0x07E0);
else if (i % == )
full_screen(0xF800); sleep();
i++;
} return ;
}

执行程序后屏幕交替显示红绿蓝三种颜色。