5

我正在尝试截取全屏截图并将其保存为 png。我在这里找到了一个代码并对其进行了一些修改。对于屏幕截图,我使用 openGL 和 Glut,并在 png 中保存 c 的 gd 库。我得到的只是一个黑色的png,我不知道为什么。我在stackoverflow中搜索并找到了一些帖子,但不幸的是它们没有帮助。其中之一是使用 glReadBuffer(GL_FRONT); 而不是 glReadBuffer(GL_BACK); 我尝试了他们两个都没有成功。这是我的代码:

int SVimage2file(char *filename){
    int width = glutGet(GLUT_SCREEN_WIDTH);
    int height = glutGet( GLUT_SCREEN_HEIGHT);
    FILE *png;
    GLubyte *OpenGLimage, *p;
    gdImagePtr image;
    unsigned int r, g, b;
    int i,j,rgb;

    png = fopen(filename, "wb");

    if (png == NULL) {
        printf("*** warning:  unable to write to %s\n",filename);
        return 1;
    }

    OpenGLimage = (GLubyte *) malloc(width * height * sizeof(GLubyte) * 3);
    if(OpenGLimage == NULL){
        printf("error allocating image:%s\n",filename);
        exit(1);
    }

    printf("Saving to: %s .\n",filename);
    glPixelStorei(GL_PACK_ALIGNMENT, 1);
    glReadBuffer( GL_FRONT);
    glReadPixels(0, 0, width, height, GL_RGB, GL_UNSIGNED_BYTE, OpenGLimage);
    p = OpenGLimage;
    image = gdImageCreateTrueColor(width,height);

    for (i = height-1 ; i>=0; i--) {
        for(j=0;j<width;j++){
                r=*p++; g=*p++; b=*p++;
                rgb = (r<<16)|(g<<8)|b;
                //printf("the rgb color %d\n", rgb );
                gdImageSetPixel(image,j,i,rgb);
        }
    }

    gdImagePng(image,png);
    fclose(png);
    gdImageDestroy(image);
}

我错过了什么?

4

2 回答 2

2

您可以使用魔鬼图像库并通过以下方式截取截图:

void takeScreenshot(const char* screenshotFile)
{
    ILuint imageID = ilGenImage();
    ilBindImage(imageID);
    ilutGLScreen();
    ilEnable(IL_FILE_OVERWRITE);
    ilSaveImage(screenshotFile);
    ilDeleteImage(imageID);
    printf("Screenshot saved to: %s\n", screenshotFile);
}

takeScreenshot("screenshot.png");
于 2012-11-22T16:57:03.957 回答
1

如果你不拒绝使用 C++ 库,你应该试试PNGwriter!它逐像素写入图片及其RGB值。由于 PNGwriter 从左上角开始,而 glReadPixels() 从左下角开始,因此您的代码如下:

GLfloat* OpenGLimage = new GLfloat[nPixels];
glReadPixels(0.0, 0.0, width, height,GL_RGB, GL_FLOAT, OpenGLimage);
pngwriter PNG(width, height, 1.0, fileName);
size_t x = 1;   // start the top and leftmost point of the window
size_t y = 1;
double R, G, B;
for(size_t i=0; i<npixels; i++)
{
      switch(i%3) //the OpenGLimage array look like [R1, G1, B1, R2, G2, B2,...]
     {
           case 2:
                 B = (double) pixels[i]; break;
           case 1:
                 G = (double) pixels[i]; break;
           case 0:
                 R = (double) pixels[i];
                 PNG.plot(x, y, R, G, B);
                 if( x == width )
                 {
                       x=1;
                       y++;
                  }
                  else
                  { x++; }
                  break;
     }
}
PNG.close();

PS。我也尝试过 libgd,但似乎只能将一个图像文件(在硬盘或内存中)转换为另一种格式的图像。但我认为当您想将许多 PNG 文件转换为 GIF 格式以创建 GIF 动画时,它仍然很有用。

于 2014-07-23T09:22:42.227 回答