ifstream не читает значения из файла - PullRequest
0 голосов
/ 23 марта 2020

Я делаю программу, которая работает с точками и файлами. У меня нет предупреждений или ошибок, но все равно не работает, как должно. Я думаю, что проблема с ifstream, потому что ofstream работает хорошо и помещает введенные значения в файл.

Вывод, который я получаю, выглядит следующим образом

Please enter seven (x,y) pairs:
//here the seven pairs are entered

These are your points: 
//(...,...)x7 with the values

These are the points read from the file: 
//and the program ends and returns 0

Я надеюсь, что кто-то может мне помочь. Вот мой код.

#include <iostream>
#include "std_lib_facilities.h"

using namespace std;

struct Point{
    float x;
    float y;
};

istream& operator>>(istream& is, Point& p)
{
    return is >> p.x >> p.y;
}

ostream& operator<<(ostream& os, Point& p)
{
    return os << '(' << p.x << ',' << p.y << ')';
}

void f() {
    vector<Point> original_points;
    cout << "Please enter seven (x,y) pairs: " << endl;
    for (Point p; original_points.size() < 7;) {
        cin >> p;
        original_points.push_back(p);
    }
    cout << endl;
    cout << "These are your points: " << endl;
    for (int i=0; i < 7; i++) {
        cout << original_points[i] << endl;
    }
    string name = "mydata.txt";
    ofstream ost {name};
    if (!ost) error("can't open output file", name);
    for (Point p : original_points) {
        ost << '(' << p.x << ',' << p.y << ')' << endl;
    }
    ost.close();
    ifstream ist{name};
    if (!ist) error("can't open input file", name);
    vector<Point> processed_points;
    for (Point p; ist >> p;) {
        processed_points.push_back(p);
    }
    cout << endl;
    cout << "These are the points read from the file: " << endl;
    for (int i=1; i <= processed_points.size(); i++) {
        cout << processed_points[i] << endl;
    }
}

int main()
{
    f();
    return 0;
}

1 Ответ

2 голосов
/ 23 марта 2020

Вы выводите скобки и запятую, но не используете их, поэтому ваша первая операция чтения не удастся. Попробуйте:

istream& operator>>(istream& is, Point& p)
{
    char open;
    char close;
    char comma;
    is >> open >> p.x >> comma >> p.y >> close;
    if (open != '(' || close != ')' || comma != ',')
    {
      is.setstate(std::ios_base::failbit);
    }
    return is;
}

Ваша программа также обработает sh в конце из-за выхода за пределы вектора, вы используете индексы от 1 до length, векторы 0- индексируется, поэтому к нему следует обращаться от 0 до length-1:

for (int i = 0; i < processed_points.size(); i++) {
    cout << processed_points[i] << endl;
}

Или просто использовать диапазон на основе l oop:

for (auto& point : processed_points) {
    cout << point  << endl;
}
...