我对GIL语法有点困惑。我想转换
rgb8_image_t
到
rgba8_image_t
并将alpha通道设置为1。 有没有内置功能。如果不是如何手动执行此操作?
答案 0 :(得分:8)
您希望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
重载(请参阅docs)接受明确的颜色转换函子,但对于像RGB图像在转换时具有隐式最大alpha的无争议的东西,似乎很少因此不要将其定义为默认情况下将被选中的位置。