我对从文件中读取CvPoint*类型的点很感兴趣,但我尝试了标准表示法(x,y)。当我尝试验证输出时,它给出了不正确的值。读取文件中CvPoint的格式是什么。
point.txt
(1,1)
main.cpp
points = (CvPoint*)malloc(length*sizeof(CvPoint*));
points1 = (CvPoint*)malloc(length*sizeof(CvPoint*));
points2 = (CvPoint*)malloc(length*sizeof(CvPoint*));
fp = fopen(points.txt, "r");
fscanf(fp, "%d", &(length));
printf("%d n", length);
i = 1;
while(i <= length)
{
fscanf(fp, "%d", &(points[i].x));
fscanf(fp, "%d", &(points[i].y));
printf("%d %d n",points[i].x, points[i].y);
i++;
}
它打印:
1
12 0
以下是一种对文本文件使用相同格式的不同方法:
#include <iostream>
#include <fstream>
#include <opencv2/core/core.hpp>
using namespace std;
using namespace cv;
int main(int argc, char* argv[]) {
ifstream file("points.txt");
string line;
size_t start, end;
Point2f point;
while (getline(file, line)) {
start = line.find_first_of("(");
end = line.find_first_of(",");
point.x = atoi(line.substr(start + 1, end).c_str());
start = end;
end = line.find_first_of(")");
point.y = atoi(line.substr(start + 1, end - 1).c_str());
cout << "x, y: " << point.x << ", " << point.y << endl;
}
return 0;
}