我有 OpenCV 3.0,我已经用 opencv_contrib 模块编译并安装了它,所以这不是问题。不幸的是,以前版本的示例不适用于当前版本,因此尽管这个问题已经被问 过不止一次,但我想要一个更当前的示例,我可以实际使用。甚至官方示例在此版本中也不起作用(特征检测有效,但其他特征示例无效),并且他们仍然使用 SURF。
那么,如何在 C++ 上使用 OpenCV SIFT?我想抓取两个图像中的关键点并匹配它们,类似于这个例子,但即使只是获取点和描述符也足够了。帮助!
然后:
#include "opencv2/xfeatures2d.hpp"
//
// now, you can no more create an instance on the 'stack', like in the tutorial
// (yea, noticed for a fix/pr).
// you will have to use cv::Ptr all the way down:
//
cv::Ptr<Feature2D> f2d = xfeatures2d::SIFT::create();
//cv::Ptr<Feature2D> f2d = xfeatures2d::SURF::create();
//cv::Ptr<Feature2D> f2d = ORB::create();
// you get the picture, i hope..
//-- Step 1: Detect the keypoints:
std::vector<KeyPoint> keypoints_1, keypoints_2;
f2d->detect( img_1, keypoints_1 );
f2d->detect( img_2, keypoints_2 );
//-- Step 2: Calculate descriptors (feature vectors)
Mat descriptors_1, descriptors_2;
f2d->compute( img_1, keypoints_1, descriptors_1 );
f2d->compute( img_2, keypoints_2, descriptors_2 );
//-- Step 3: Matching descriptor vectors using BFMatcher :
BFMatcher matcher;
std::vector< DMatch > matches;
matcher.match( descriptors_1, descriptors_2, matches );
另外,不要忘记链接 opencv_xfeatures2d !
有一些有用的答案,但我会添加我的版本(对于 OpenCV 3.X),以防上述那些不清楚(经过测试和尝试):
build
cmake -DOPENCV_EXTRA_MODULES_PATH=/home/YOURUSERNAME/opencv_contrib/modules -DOPENCV_ENABLE_NONFREE:BOOL=ON ..
请注意,我们显示了贡献模块所在的位置并激活了非自由模块)make
和make install
之后上述步骤应该适用于 OpenCV 3.X
之后,您可以使用带有适当标志的 g++ 运行以下代码:
g++ -std=c++11 main.cpp `pkg-config --libs --cflags opencv` -lutil -lboost_iostreams -lboost_system -lboost_filesystem -lopencv_xfeatures2d -o surftestexecutable
重要的是不要忘记将 xfeatures2D 库与-lopencv_xfeatures2d链接,如命令所示。main.cpp
文件是:
#include <opencv2/core/core.hpp>
#include <opencv2/highgui/highgui.hpp>
#include "opencv2/xfeatures2d.hpp"
#include "opencv2/xfeatures2d/nonfree.hpp"
using namespace cv;
using namespace std;
int main(int argc, const char* argv[])
{
const cv::Mat input = cv::imread("surf_test_input_image.png", 0); //Load as grayscale
Ptr< cv::xfeatures2d::SURF> surf = xfeatures2d::SURF::create();
std::vector<cv::KeyPoint> keypoints;
surf->detect(input, keypoints);
// Add results to image and save.
cv::Mat output;
cv::drawKeypoints(input, keypoints, output);
cv::imwrite("surf_result.jpg", output);
return 0;
}
这应该创建并保存带有 surf 关键点的图像。