尝试使用GIL的设计指南,我使用bits__
作为我的频道数据类型。我经常将外部数据包装到GIL图像视图中。但是,即使使用bits__
类型的数据指针,我也必须在创建图像视图之前添加reinterpret_cast。请使用以下代码
int width = 3;
int height = 2;
boost::gil::bits8 data8[] = {0, 1, 100, 200, 50, 51};
boost::gil::bits8* pBits8 = data8;
boost::gil::gray8_ptr_t pGray8 = pBits8;
boost::gil::gray8_view_t v = interleaved_view(width, height, pGray8, width * sizeof(boost::gil::bits8));
导致第6行的错误“错误C2440:'初始化':无法从'boost :: gil :: bits8 *'转换为'boost :: gil :: gray8_ptr_t' 1 GT;指向的类型是无关的;转换需要reinterpret_cast,C风格的转换或函数式转换“
尽可能多地深入研究源代码,看起来这些类型确实是未发布的。 bits8只是unsigned char
,但gray8_ptr_t
是指向struct pixel<bits8,gray_layout_t>
的指针。这个结构的唯一元素是单个bit8,因此reinterpret_cast看起来很安全。它也适用于我抛出的测试。
但是,我经常将外部数据包装到图像视图中,并且在每个地方都进行reinterpret_cast会产生问题。有没有更安全的方法来构建用于GIL的像素指针?
目前的解决方法:
template<class Dest, class Src>
Dest gil_safe_ptr_cast(Src src)
{
// this cast is unsafe, use reinterpret_cast
BOOST_STATIC_ASSERT(false);
}
template<> boost::gil::gray8_ptr_t gil_safe_ptr_cast(boost::gil::bits8* pBits8)
{
return reinterpret_cast<boost::gil::gray8_ptr_t>(pBits8);
}
boost::gil::bits8* pBits8 = data8;
boost::gil::gray8_ptr_t pGray8 = gil_safe_ptr_cast<boost::gil::gray8_ptr_t>(pBits8); // works
boost::gil::bits16* pBits16 = NULL;
boost::gil::gray8_ptr_t pGray82 = gil_safe_ptr_cast<boost::gil::gray8_ptr_t>(pBits16); // compile error as expected
答案 0 :(得分:1)
要从bits8 *转换为gray8_ptr_t,请创建一个struct pixel并将bits8提供给构造函数:
gray8_ptr_t convert_gray8_ptr_t(bits8* src) {
return new struct pixel<bits8,gray_layout_t>(*src);
}
要转换回来,请使用struct的转换运算符:
bits8* convert_bits8(gray8_ptr_t src) {
bits8* result = new bits8;
*result = (bits8) *src;
return result;
}
当然这两个函数都分配内存,可能不需要作为函数(更好的内联代码)。
答案 1 :(得分:1)
template<class Dest, class Src>
Dest gil_safe_ptr_cast(Src src)
{
// this cast is unsafe, use reinterpret_cast
BOOST_STATIC_ASSERT(false);
}
template<> boost::gil::gray8_ptr_t gil_safe_ptr_cast(boost::gil::bits8* pBits8)
{
return reinterpret_cast<boost::gil::gray8_ptr_t>(pBits8);
}
boost::gil::bits8* pBits8 = data8;
boost::gil::gray8_ptr_t pGray8 = gil_safe_ptr_cast<boost::gil::gray8_ptr_t>(pBits8); // works
boost::gil::bits16* pBits16 = NULL;
boost::gil::gray8_ptr_t pGray82 = gil_safe_ptr_cast<boost::gil::gray8_ptr_t>(pBits16); // compile error as expected