我在http://www.cs.iit.edu/~agam/cs512/lect-notes/opencv-intro/opencv-intro.html上读到使用c ++访问图像数据的可能方法是:
template<class T> class Image
{
private:
IplImage* imgp;
public:
Image(IplImage* img=0) {imgp=img;}
~Image(){imgp=0;}
void operator=(IplImage* img) {imgp=img;}
inline T* operator[](const int rowIndx) {
return ((T *)(imgp->imageData + rowIndx*imgp->widthStep));}
};
typedef struct{
unsigned char b,g,r;
} RgbPixel;
typedef struct{
float b,g,r;
} RgbPixelFloat;
typedef Image<RgbPixel> RgbImage;
typedef Image<RgbPixelFloat> RgbImageFloat;
typedef Image<unsigned char> BwImage;
typedef Image<float> BwImageFloat;
所以我可以使用类似的东西:
IplImage* img=cvCreateImage(cvSize(640,480),IPL_DEPTH_8U,3);
RgbImage imgA(img);
imgA[i][j].b = 111;
imgA[i][j].g = 111;
imgA[i][j].r = 111;
当我使用时:
imgA[i][j].b
我的问题是:cpp如何知道图像的通道?我的意思是,c ++如何填充
img[i][j].b as blue channel
img[i][j].g as green channel and
img[i][j].r as red channel?
它是否有结构的默认构造函数?!
答案 0 :(得分:3)
你应该看一下模板(模板元编程)是如何工作的。
你有一个构造函数,但rgb通道填充在
中 inline T* operator[](const int rowIndx)
{
return ((T *)(imgp->imageData + rowIndx*imgp->widthStep));
}
当您使用RgbPixel结构实例化模板时,您的函数将变为:
inline RgbPixel* operator[](const int rowIndx)
{
return ((RgbPixel *)(imgp->imageData + rowIndx*imgp->widthStep));
}
因为两者(图像和RgbPixel结构)中的数据都存储在连续的内存块中,您将获得正确的信息。