1

我尝试通过 JNI 在我的平板电脑上保存由 OpenGL ES 2 修改的相机输出。

为此,我使用了 NDK-r8b 编译的 libjpeg 库。

我使用以下代码:

在渲染函数中:

renderImage();
if (iIsPictureRequired)
{
  savePicture();
  iIsPictureRequired=false;
}

保存过程:

bool Image::savePicture()
{
 bool l_res =false;
char p_filename[]={"/sdcard/Pictures/testPic.jpg"};
// Allocates the image buffer (RGBA)
int l_size = iWidth*iHeight*4*sizeof(GLubyte);
GLubyte *l_image = (GLubyte*)malloc(l_size);
if (l_image==NULL)
{
  LOGE("Image::savePicture:could not allocate %d bytes",l_size);
  return l_res;
}
// Reads pixels from the color buffer (byte-aligned)
glPixelStorei(GL_PACK_ALIGNMENT, 1);
checkGlError("glPixelStorei");
// Saves the pixel buffer
glReadPixels(0,0,iWidth,iHeight,GL_RGBA,GL_UNSIGNED_BYTE,l_image);
checkGlError("glReadPixels");
// Stores the file
FILE* l_file  = fopen(p_filename, "wb");
if (l_file==NULL)
 {
   LOGE("Image::savePicture:could not create %s:errno=%d",p_filename,errno);
   free(l_image);
   return l_res;
 }
 // JPEG structures
 struct jpeg_compress_struct cinfo;
 struct jpeg_error_mgr       jerr;

 cinfo.err = jpeg_std_error(&jerr);
 jerr.trace_level = 10;

 jpeg_create_compress(&cinfo);
 jpeg_stdio_dest(&cinfo, l_file);
 cinfo.image_width      = iWidth;
 cinfo.image_height     = iHeight;
 cinfo.input_components = 3;
 cinfo.in_color_space   = JCS_RGB;
 jpeg_set_defaults(&cinfo);

 // Image quality [0..100]
 jpeg_set_quality (&cinfo, 70, true);
 jpeg_start_compress(&cinfo, true);

 // Saves the buffer
 JSAMPROW row_pointer[1];          // pointer to a single row

 // JPEG stores the image from top to bottom (OpenGL does the opposite)
 while (cinfo.next_scanline < cinfo.image_height)
{
  row_pointer[0] = (JSAMPROW)&l_image[(cinfo.image_height-1-cinfo.next_scanline)* (cinfo.input_components)*iWidth];
  jpeg_write_scanlines(&cinfo, row_pointer, 1);
}
// End of the process
jpeg_finish_compress(&cinfo);
fclose(l_file);
free(l_image);
l_res =true;
return l_res;

}

显示是正确的,但生成的 JPEG 似乎是三倍并且从左到右重叠。

缩放图像(原始尺寸为 1210x648)

我做错什么了 ?

4

1 回答 1

0

看来 jpeg lib 和画布的内部格式不匹配。其他似乎使用 RGBRGBRGB 读取/编码,其他使用 RGBARGBARGBA。

如果一切都失败了,您也许可以重新排列图像数据......

 char *dst_ptr = l_image; char *src_ptr = l_image;
 for (i=0;i<width*height;i++) { *dst_ptr++=*src_ptr++;
  *dst_ptr++=*src_ptr++; *dst_ptr++=*src_ptr++; src_ptr++; }

编辑:现在原因已得到验证,可能会有更简单的修改。您可能能够以正确的格式 从gl 像素缓冲区获取数据:

 int l_size = iWidth*iHeight*3*sizeof(GLubyte);
 ...
 glReadPixels(0,0,iWidth,iHeight,GL_RGB,GL_UNSIGNED_BYTE,l_image);

还有一条警告:如果编译成功,但输出是倾斜的,那么这意味着您的屏幕宽度不是 4 的倍数,而是 opengl 想要在 dword 边界处开始每个新行。但在那种情况下,很有可能发生崩溃,因为在那种情况下,l_size应该比预期的大 1,2 或 3 个字节。

于 2012-11-14T18:57:52.003 回答