gil-boost:将rgb8_image_t转换为rgba8_imaget

gil boost : convert rgb8_image_t to rgba8_image_t

本文关键字:转换 rgba8 imaget image rgb8 gil-boost      更新时间:2023-10-16

我对GIL语法有点困惑。我想转换

rgb8_image_t

rgba8_image_t

并将alpha通道设置为1。有内置的功能吗。如果没有,如何手动完成?

您希望将boost::gil::copy_and_convert_pixels与范围中合适的匹配color_convert专业化一起使用。

这里有一个完整的例子:

#include <boost/gil/gil_all.hpp>
#include <cassert>
namespace boost { namespace gil {
    // Define a color conversion rule NB in the boost::gil namespace
    template <> void color_convert<rgb8_pixel_t,rgba8_pixel_t>(
      const rgb8_pixel_t& src,
      rgba8_pixel_t& dst
    ) {
      // Well we _could_ just write...
      // dst[0]=src[0];
      // dst[1]=src[1];
      // dst[2]=src[2];
      // dst[3]=255;
      // ...but that'd be too easy / not as generic as it could be
      // so let's go crazy...
      get_color(dst,red_t())=get_color(src,red_t());
      get_color(dst,green_t())=get_color(src,green_t());
      get_color(dst,blue_t())=get_color(src,blue_t());
      typedef color_element_type<rgba8_pixel_t,alpha_t>::type alpha_channel_t;
      get_color(dst,alpha_t())=channel_traits<alpha_channel_t>::max_value(); 
    }
  }
}
int main(int,char**) {
  // Create a 1x1 RGB image and set its pixel to a color
  boost::gil::rgb8_image_t a(1,1);
  boost::gil::view(a)(0,0)=boost::gil::rgb8_pixel_t(1,2,3);
  // Create a 1x1 RGBA
  boost::gil::rgba8_image_t b(1,1);
  // Copy AND CONVERT
  boost::gil::copy_and_convert_pixels(
    boost::gil::const_view(a),
    boost::gil::view(b)
  );
  // Check the alpha has been set as expected
  const boost::gil::rgba8_pixel_t p=boost::gil::const_view(b)(0,0);
  assert(p==boost::gil::rgba8_pixel_t(1,2,3,255));
  return 0;
}

或者,也有copy_and_convert_pixels重载(见文档),它接受显式的颜色转换函子,但对于像使RGB图像在转换时具有隐式的最大alpha这样没有争议的事情,似乎没有什么理由不定义它在默认情况下的拾取位置。