我在正确使用 std::map 时遇到问题。该类Example
是具有 ID、标签、关键点向量和描述符矩阵的类。该类Examples
是一个映射,用于检索给定其 ID 的示例。这些示例从磁盘上的文件中读取,存储在映射中,然后在以后使用。
即使它在概念上非常简单,我也无法正确填充地图。
我有以下课程:
class Example
{
public:
std::string id;
std::string label;
std::vector<cv::KeyPoint> keypoints;
cv::Mat descriptors;
Example(std::string id_, std::string label_)
: id(id_), label(label_)
{
// ... nothing ...
}
string to_string() const
{
stringstream ss;
ss << "@" << id
<< " (" << label << ")"
<< " - #keypoints " << keypoints.size()
<< ", descr " << descriptors.rows << " x " << descriptors.cols;
return ss.str();
} // to_string
}; // class Example
ostream& operator <<(ostream & out, const Example &ex)
{
out << ex.to_string();
return out;
} // operator <<
和这个:
// OLD: class Examples : public std::map<std::string, Example*> {
class Examples {
// New line after Martini's comment
std::map<std::string, Example*> _map;
[...]
void fill() {
// create an example
Example *example = new Example(id, label);
// inputstream in
// Read all the keypoints
cv::KeyPoint p;
for(int i=0; ... ) {
in.read(reinterpret_cast<char *>(&p), sizeof(cv::KeyPoint));
example->keypoints.push_back(p); // push_back copies p
} // for
// ... misc code
cv::Mat descr(n_keypoints, d_size, cv_type, cv::Scalar(1));
// ... read Mat from inputstream in, then assign it to the example
example->descriptors = descr;
// SEE THE OUTPUT BELOW
std::cout << "INSERT THIS: " << (*example) << std::endl;
_map.insert(std::pair<string,Example*>(id, example));
std::cout << "READ THIS: " << *(get_example(id)) << std::endl;
// ... other code
} // fill
// Code modified after Martini's comment.
Example* get_example(const std::string &id) const {
std::map<std::string, Example*>::const_iterator it = _map.find(id);
if( it == _map.end()) {
// ... manage error
// ... then exit
} // if
return it->second;
} // get_example
} // class Examples
插入/获取行的输出是:
INSERT THIS: @122225084 (label) - #keypoints 711, descr 711 x 128
READ THIS: @122225084 (label) - #keypoints 0, descr 0 x 0
在插入中,我有一个指向具有 711 个关键点和 711x128 描述符矩阵的示例的指针。如果我在插入后立即使用其 ID 读取示例,我会得到一个指向具有 0 个关键点和一个空矩阵的示例的指针。
我究竟做错了什么?