Reputation: 48091
I am trying to use FLANN with ORB descriptors, but opencv crashes with this simple code:
vector<vector<KeyPoint> > dbKeypoints;
vector<Mat> dbDescriptors;
vector<Mat> objects;
/*
load Descriptors from images (with OrbDescriptorExtractor())
*/
FlannBasedMatcher matcher;
matcher.add(dbDescriptors);
matcher.train() //> Crash!
If I use SurfDescriptorExtractor()
it works well.
How can I solve this?
OpenCV says:
OpenCV Error: Unsupported format or combination of formats (type=0
) in unknown function, file D:\Value\Personal\Parthenope\OpenCV\modules\flann\sr
c\miniflann.cpp, line 299
Upvotes: 19
Views: 19535
Reputation: 1435
Binary-string descriptors - ORB, BRIEF, BRISK, FREAK, AKAZE etc.
Floating-point descriptors - SIFT, SURF, GLOH etc.
Feature matching of binary descriptors can be efficiently done by comparing their Hamming distance as opposed to Euclidean distance used for floating-point descriptors.
For comparing binary descriptors in OpenCV, use FLANN + LSH index or Brute Force + Hamming distance.
http://answers.opencv.org/question/59996/flann-error-in-opencv-3/
By default FlannBasedMatcher works as KDTreeIndex with L2 norm. This is the reason why it works well with SIFT/SURF descriptors and throws an exception for ORB descriptor.
Binary features and Locality Sensitive Hashing (LSH)
Performance comparison between binary and floating-point descriptors
Upvotes: 5
Reputation: 9251
When using ORB you should construct your matcher like so:
FlannBasedMatcher matcher(new cv::flann::LshIndexParams(5, 24, 2));
I've also seen this constructor suggested:
FlannBasedMatcher matcher(new flann::LshIndexParams(20,10,2));
Upvotes: 7
Reputation: 1347
Flann needs the descriptors to be of type CV_32F so you need to convert them! find_object/example/main.cpp:
if(dbDescriptors.type()!=CV_32F) {
dbDescriptors.convertTo(dbDescriptors, CV_32F);
}
may work ;-)
Upvotes: 34
Reputation: 48091
It's a bug. It will be fixed soon.
http://answers.opencv.org/question/503/how-to-use-the-lshindexparams/
Upvotes: 7