Hello I am trying to extract the data from a SURF descriptor, when I try this with an ORB descriptor it works. When I use the SURF one the program quits with a segmentation fault 11 on the base64 encode line, I use the base64 function from this site: Encoding and decoding base64.
The exact problem is that the format for the ORB descriptor is CV_8UC1
and the SURF descriptor CV_32FC1
. So I must base64 encode a 32 bit float instead of a 8 bit unsigned char.
How can I do this?
Mat desc;
vector<KeyPoint> kp;
SurfFeatureDetector detector(500);
SurfDescriptorExtractor extractor;
// OrbDescriptorExtractor extractor; This works
detector.detect(image, kp);
extractor.compute(image, kp, desc);
desc.convertTo(desc, CV_8UC1, 255, 0);
unsigned char const* inBuffer = reinterpret_cast<unsigned char const*>(desc.data);
unsigned int in_len = desc.total();
string code = base64_encode(inBuffer, in_len).c_str(); // This line causes the error
One source of your problems could be you do not check inBuffer
for NULL
values before you use it. If no descriptors were generated from the image you pass in, desc.data
, and by extension inBuffer
, will be NULL
.
A few more things:
Your use of reinterpret_cast
is unnecessary, and quite possibly unsafe. See this question for a good explanation of cast types. If you want a const pointer to the descriptor data, you can simply assign one like so:
const uchar* inBuffer = desc.data;
SURF uses float
descriptors, while ORB uses binary descriptors. If you intend to use SURF, you may need to change your code. The assignment of inBuffer
could be changed to
const float* inBuffer = reinterpret_cast<const float*>(desc.data);
In this case the use of reinterpret_cast
may be appropriate. However, it might be advisable to avoid doing the direct pointer manipulation unless you really have to. Consider using cv::Mat_<float>
for element access.
EDIT: In light of the updated question, point 2 is less relevant. An additional issue arises: Converting from float
to uchar
via convertTo()
will lose information. In this case, the conversion will make the original precision of the descriptor data unrecoverable. It may be possible to simply treat descriptor data as before, assuming your base64 encoding works, but that is beyond the scope of this question.