我的Android应用程序使用外部lib进行了一些图像处理。处理链的最终输出是单色位图,但保存时具有彩色位图(32bpp)。

图像必须上传到云Blob,因此出于带宽考虑,我想将其转换为1bpp G4压缩TIFF。我通过JNI成功地将libTIFF集成到了我的应用程序中,现在我正在用C编写转换例程。

我设法产生了32 BPP TIFF,但无法减小到1bpp,输出图像始终不可读。有人成功完成了类似的任务吗?

更具体地说:


SAMPLE_PER_PIXEL和BITS_PER_SAMPLE的值应该是多少
参数?
如何确定带钢尺寸?
如何填充每个条带? (即:如何将32bpp像素行转换为1 bpp像素条?)


非常感谢 !

更新:在Mohit Jain的宝贵帮助下生成的代码

int ConvertMonochrome32BppBitmapTo1BppTiff(char* bitmap, int height, int width, int resx, int resy, char const *tifffilename)
{
    TIFF *tiff;

    if ((tiff = TIFFOpen(tifffilename, "w")) == NULL)
    {
        return TC_ERROR_OPEN_FAILED;
    }

    // TIFF Settings
    TIFFSetField(tiff, TIFFTAG_RESOLUTIONUNIT, RESUNIT_INCH);
    TIFFSetField(tiff, TIFFTAG_XRESOLUTION, resx);
    TIFFSetField(tiff, TIFFTAG_YRESOLUTION, resy);
    TIFFSetField(tiff, TIFFTAG_COMPRESSION, COMPRESSION_CCITTFAX4); //Group4 compression
    TIFFSetField(tiff, TIFFTAG_IMAGEWIDTH, width);
    TIFFSetField(tiff, TIFFTAG_IMAGELENGTH, height);
    TIFFSetField(tiff, TIFFTAG_ROWSPERSTRIP, 1);
    TIFFSetField(tiff, TIFFTAG_SAMPLESPERPIXEL, 1);
    TIFFSetField(tiff, TIFFTAG_BITSPERSAMPLE, 1);
    TIFFSetField(tiff, TIFFTAG_ORIENTATION, ORIENTATION_TOPLEFT);
    TIFFSetField(tiff, TIFFTAG_PLANARCONFIG, PLANARCONFIG_CONTIG);
    TIFFSetField(tiff, TIFFTAG_PHOTOMETRIC, PHOTOMETRIC_MINISWHITE);

    tsize_t tbufsize = (width + 7) / 8; //Tiff ScanLine buffer size for 1bpp pixel row

    //Now writing image to the file one row by one
    int x, y;
    for (y = 0; y < height; y++)
    {
        char *buffer = malloc(tbufsize);
        memset(buffer, 0, tbufsize);

        for (x = 0; x < width; x++)
        {
            //offset of the 1st byte of each pixel in the input image (is enough to determine is black or white in 32 bpp monochrome bitmap)
            uint32 bmpoffset = ((y * width) + x) * 4;

            if (bitmap[bmpoffset] == 0) //Black pixel ?
            {
                uint32 tiffoffset = x / 8;
                *(buffer + tiffoffset) |= (0b10000000 >> (x % 8));
            }
        }

        if (TIFFWriteScanline(tiff, buffer, y, 0) != 1)
        {
            return TC_ERROR_WRITING_FAILED;
        }

        if (buffer)
        {
            free(buffer);
            buffer = NULL;
        }
    }

    TIFFClose(tiff);
    tiff = NULL;

    return TC_SUCCESSFULL;
}

最佳答案

要将32 bpp转换为1 bpp,请提取RGB并将其转换为Y(亮度),然后使用某个阈值将其转换为1 bpp。

每个像素的样本数和位数应为1。

10-06 03:32