我在我的项目中使用 C++ 中的 opencv 库,但在使用 MouseCallback 时遇到问题。
我有一个 BoardCalibration 类,它有两个数据成员,我需要在回调函数中使用它们。你可以在下面看到这个类:
class BoardCalibration{
private:
Rect _box; <-- data members i need to upadte inside the callback function
bool _drawingBox; <--
public:
BoardCalibration();
static void my_mouse_callback(int event, int x, int y, int flags, void* param);
Rect calibrate(Mat& image);
void drawBox(IplImage* img);
};
在 calibrate() 方法中,我调用了接收回调 my_mouse_callback 函数的函数。代码:
Rect BoardCalibration::calibrate(Mat& image){
IplImage * img = new IplImage(image);
namedWindow("Calibration");
IplImage *temp = cvCloneImage(img);
cvSetMouseCallback("Calibration", my_mouse_callback, (void *)img);
while (1){
imshow("Calibration", Mat(img));
cvCopyImage(img,temp);
if( _drawingBox ){
drawBox(temp);
}
imshow("Calibration", Mat(temp));
if (waitKey(1)>=0)
break;
}
cout << "calibrated\n";
delete img;
return _box;
}
在 my_mouse_callback 的实现是:
static void my_mouse_callback(int event, int x, int y, int flags, void* param){
IplImage* image = (IplImage*) param;
switch( event ) {
case CV_EVENT_MOUSEMOVE: {
if( _drawingBox ) {
_box.width = x-_box.x;
_box.height = y-_box.y;
}
}
break;
case CV_EVENT_LBUTTONDOWN: {
_drawingBox = true;
_box = Rect( x, y, 0, 0 );
}
break;
case CV_EVENT_LBUTTONUP: {
_drawingBox = false;
if( _box.width<0 ) {
_box.x+=_box.width;
_box.width *=-1;
}
if( _box.height<0 ) {
_box.y+=_box.height;
_box.height*=-1;
}
//drawBox(image, box); // keep draw on screen
// display rectangle coordinates
cout << "TopLeft: (" << _box.x << "," << _box.y << "), BottomRight: ("
<< _box.x+_box.width << "," << _box.y+_box.height << ")" << endl;
}
break;
}
}
如您所见,我正在尝试访问 _box 和 _drawingBox 成员,但因为它是静态方法,所以无法识别它们。我怎么解决这个问题??我不能改变 my_mouse_callback 的原型,否则它不会被 cvSetMouseCallback 接受。我也不能在类之外定义那些数据成员,因为它给了我他们已经定义的错误。还有什么我可以尝试的吗???谢谢。