txt texto que programa por manejo linea leer lea guardar escribir entrada datos como arreglo archivos archivo c++ csv

texto - manejo de archivos en c++ fstream



Cómo leer/escribir en/desde un archivo de texto con valores separados por comas (3)

Aquí estoy publicando el código para leer CSV, así como escribir código. He comprobado que funciona bien.

#include <iostream> #include <fstream> #include <sstream> #include <vector> using namespace std; void readCSV(istream &input, vector< vector<string> > &output) { string csvLine; // read every line from the stream while( getline(input, csvLine) ) { istringstream csvStream(csvLine); vector<string> csvColumn; string csvElement; // read every element from the line that is seperated by commas // and put it into the vector or strings while( getline(csvStream, csvElement, '','') ) { csvColumn.push_back(csvElement); } output.push_back(csvColumn); } } int main() { ofstream myfile; string a; fstream file("b.csv", ios::in); myfile.open ("ab.csv"); if(!file.is_open()) { cout << "File not found!/n"; return 1; } // typedef to save typing for the following object typedef vector< vector<string> > csvVector; csvVector csvData; readCSV(file, csvData); // print out read data to prove reading worked for(csvVector::iterator i = csvData.begin(); i != csvData.end(); ++i) { for(vector<string>::iterator j = i->begin(); j != i->end(); ++j) { a=*j; cout << a << " "; myfile <<a<<","; } myfile <<"/n"; cout << "/n"; } myfile.close(); system("pause"); }

¿Cómo leo datos de un archivo si mi archivo es así con valores separados por comas?

1, 2, 3, 4, 5/n 6, 7, 8, 9, 10/n /n

y después de leer el archivo, quiero volver a escribir los datos en otro archivo con el mismo formato anterior.

Puedo obtener el número total de líneas, usando

string line; while(!file.eof()){ getline(file,line); numlines++; } numline--; // remove the last empty line

pero ¿cómo puedo saber el número total de dígitos en una fila / línea?

También tengo vector de entradas para almacenar los datos. Entonces, quiero leer la primera línea y luego contar el número total de elementos en esa línea, aquí 5 (1,2,3,4,5) y almacenarlos en matriz / vector, leer la siguiente línea y almacenarlos en vectores de nuevo y así sucesivamente hasta que llegue a EOF.

Luego, quiero escribir los datos en el archivo, de nuevo, supongo que esto hará el trabajo de escribir los datos en el archivo,

numOfCols=1; for(int i = 0; i < vector.size(); i++) { file << vector.at(i); if((numOfCols<5) file << ",";//print comma (,) if((i+1)%5==0) { file << endl;//print newline after 5th value numOfCols=1;//start from column 1 again, for the next line } numOfCols++; } file << endl;// last new line

Entonces, mi principal problema es cómo leer los datos de un archivo con valores separados por comas.

Gracias


Paso 1: No hagas esto:

while(!file.eof()) { getline(file,line); numlines++; } numline--;

El EOF no es verdadero hasta que usted intenta leerlo. El patrón estándar es:

while(getline(file,line)) { ++numline; }

También tenga en cuenta que std::getline() puede tomar opcionalmente un tercer parámetro. Este es el personaje para romper. Por defecto, este es el terminador de línea, pero puede especificar una coma.

while(getline(file,line)) { std::stringstream linestream(line); std::string value; while(getline(linestream,value,'','')) { std::cout << "Value(" << value << ")/n"; } std::cout << "Line Finished" << std::endl; }

Si almacena todos los valores en un solo vector, imprímalos utilizando un ancho fijo. Entonces haría algo como esto.

struct LineWriter { LineWriter(std::ostream& str,int size) :m_str(str) ,m_size(size) ,m_current(0) {} // The std::copy() does assignement to an iterator. // This looks like this (*result) = <value>; // So overide the operator * and the operator = to LineWriter& operator*() {return *this;} void operator=(int val) { ++m_current; m_str << val << (((m_current % m_size) == 0)?"/n":","); } // std::copy() increments the iterator. But this is not usfull here // so just implement too empty methods to handle the increment. void operator++() {} void operator++(int) {} // Local data. std::ostream& m_str; int const m_size; int m_current; }; void printCommaSepFixedSizeLinesFromVector(std::vector const& data,int linesize) { std::copy(data.begin(),data.end(),LineWriter(std::cout,linesize)); }


Prueba la clase de stringstream :

#include <sstream>

Por si acaso, busque el ejemplo de la página 641 de "The C ++ Programming Language Special Edition" de Stroustrup.

Funciona para mí y me lo pasé muchísimo tratando de resolver esto.