我有一系列OpenCv生成的YAML文件,想用yaml-cpp解析它们
我在简单的事情上做得很好,但矩阵表示很难。
# Center of table
tableCenter: !!opencv-matrix
rows: 1
cols: 2
dt: f
data: [ 240, 240]
这应该映射到矢量
240
240
类型为 float 。我的代码如下:
#include "yaml.h"
#include <fstream>
#include <string>
struct Matrix {
int x;
};
void operator >> (const YAML::Node& node, Matrix& matrix) {
unsigned rows;
node["rows"] >> rows;
}
int main()
{
std::ifstream fin("monsters.yaml");
YAML::Parser parser(fin);
YAML::Node doc;
Matrix m;
doc["tableCenter"] >> m;
return 0;
}
但是我得到了
terminate called after throwing an instance of 'YAML::BadDereference'
what(): yaml-cpp: error at line 0, column 0: bad dereference
Abort trap
我搜索了yaml-cpp的一些文档,但除了一个关于解析和发布的简短介绍示例之外,似乎没有任何文档。不幸的是,在这种特殊情况下,这两者都没有帮助。
据我所知, !! 表示这是用户定义的类型,但我没有看到yaml-cpp如何解析它。
答案 0 :(得分:4)
您必须告诉yaml-cpp
如何解析此类型。由于C ++不是动态类型的,它无法检测您想要的数据类型并从头开始创建它 - 您必须直接告诉它。标记节点实际上只适用于您自己,而不是解析器(它只是忠实地为您存储)。
我不确定如何存储OpenCV矩阵,但如果是这样的话:
class Matrix {
public:
Matrix(unsigned r, unsigned c, const std::vector<float>& d): rows(r), cols(c), data(d) { /* init */ }
Matrix(const Matrix&) { /* copy */ }
~Matrix() { /* delete */ }
Matrix& operator = (const Matrix&) { /* assign */ }
private:
unsigned rows, cols;
std::vector<float> data;
};
然后你可以写一些类似
的东西void operator >> (const YAML::Node& node, Matrix& matrix) {
unsigned rows, cols;
std::vector<float> data;
node["rows"] >> rows;
node["cols"] >> cols;
node["data"] >> data;
matrix = Matrix(rows, cols, data);
}
编辑看来你好在这里;但是你错过了解析器将信息加载到YAML::Node
的步骤。相反,它就像:
std::ifstream fin("monsters.yaml");
YAML::Parser parser(fin);
YAML::Node doc;
parser.GetNextDocument(doc); // <-- this line was missing!
Matrix m;
doc["tableCenter"] >> m;
注意:我猜dt: f
表示“数据类型是浮动的”。如果是这种情况,它实际上取决于Matrix
类如何处理这个问题。如果每种数据类型(或模板化类)都有不同的类,则必须首先读取该字段 ,然后选择要实例化的类型。 (如果你知道它将永远是浮动的,那当然会让你的生活更轻松。)