Libjpeg将图像写入内存数据

Libjpeg write image to memory data

本文关键字:内存 数据 图像 Libjpeg      更新时间:2023-10-16

我想使用libjpeg库将图像保存到内存(矢量)中。我发现了以下功能:

init_destination
empty_output_buffer 
term_destination

我的问题是如何在并行程序中安全、正确地完成它?我的函数可以从不同的线程执行。我想在c++和Visual Studio 2010中实现它。

其他具有回调功能的库总是有额外的函数参数来存储一些额外的数据。我看不出有任何方法可以添加任何额外的参数,例如指向向量的本地实例的指针。

编辑:mmy问题的最佳解决方案如下:http://www.christian-etter.de/?cat=48

这里描述了不错的解决方案:http://www.christian-etter.de/?cat=48

typedef struct _jpeg_destination_mem_mgr
{
    jpeg_destination_mgr mgr;
    std::vector<unsigned char> data;
} jpeg_destination_mem_mgr;

初始化:

static void mem_init_destination( j_compress_ptr cinfo )
{
    jpeg_destination_mem_mgr* dst = (jpeg_destination_mem_mgr*)cinfo->dest;
    dst->data.resize( JPEG_MEM_DST_MGR_BUFFER_SIZE );
    cinfo->dest->next_output_byte = dst->data.data();
    cinfo->dest->free_in_buffer = dst->data.size();
}

当我们完成后,我们需要将缓冲区调整为实际大小:

static void mem_term_destination( j_compress_ptr cinfo )
{
    jpeg_destination_mem_mgr* dst = (jpeg_destination_mem_mgr*)cinfo->dest;
    dst->data.resize( dst->data.size() - cinfo->dest->free_in_buffer );
}

当缓冲区太小时,我们需要增加它:

static boolean mem_empty_output_buffer( j_compress_ptr cinfo )
{
    jpeg_destination_mem_mgr* dst = (jpeg_destination_mem_mgr*)cinfo->dest;
    size_t oldsize = dst->data.size();
    dst->data.resize( oldsize + JPEG_MEM_DST_MGR_BUFFER_SIZE );
    cinfo->dest->next_output_byte = dst->data.data() + oldsize;
    cinfo->dest->free_in_buffer = JPEG_MEM_DST_MGR_BUFFER_SIZE;
    return true;
}

回调配置:

static void jpeg_mem_dest( j_compress_ptr cinfo, jpeg_destination_mem_mgr * dst )
{
    cinfo->dest = (jpeg_destination_mgr*)dst;
    cinfo->dest->init_destination = mem_init_destination;
    cinfo->dest->term_destination = mem_term_destination;
    cinfo->dest->empty_output_buffer = mem_empty_output_buffer;
}

以及示例用法:

jpeg_destination_mem_mgr dst_mem;
jpeg_compress_struct_wrapper cinfo;
j_compress_ptr pcinfo = cinfo;
jpeg_mem_dest( cinfo, &dst_mem);