I am reading a file line by line and adding each line to a string. However the string length increases by 1 for every line which I believe is due to newline character. How can I remove it from being copied.
Here is my code attempt to do the same.
if (inputFile.is_open())
{
{
string currentLine;
while (!inputFile.eof())
while( getline( inputFile, currentLine ) )
{
string s1=currentLine;
cout<<s1.length();
}
[Updated Description] i have used notepad++ to determine the length of what i am selecting line by line. So they are showing some 123, 450, 500, 120 for which my program shows 124,451,501,120. Except for the last line, all line.length() shows an increased by 1 value.
It looks like inputFile has Windows-style line-breaks (CRLF) but your program is splitting the input on Unix-like line-breaks (LF), because std::getline(), breaks on \n by default, leaving the CR (\r) at the end of your string.
You'll need to trim the extraneous \rs. Here is one way to do it, along with a small test:
#include <iostream>
#include <sstream>
#include <iomanip>
void remove_carriage_return(std::string& line)
{
if (*line.rbegin() == '\r')
{
line.erase(line.length() - 1);
}
}
void find_line_lengths(std::istream& inputFile, std::ostream& output)
{
std::string currentLine;
while (std::getline(inputFile, currentLine))
{
remove_carriage_return(currentLine);
output
<< "The current line is "
<< currentLine.length()
<< " characters long and ends with '0x"
<< std::setw(2) << std::setfill('0') << std::hex
<< static_cast<int>(*currentLine.rbegin())
<< "'"
<< std::endl;
}
}
int main()
{
std::istringstream test_data(
"\n"
"1\n"
"12\n"
"123\n"
"\r\n"
"1\r\n"
"12\r\n"
"123\r\n"
);
find_line_lengths(test_data, std::cout);
}
Output:
The current line is 0 characters long and ends with '0x00'
The current line is 1 characters long and ends with '0x31'
The current line is 2 characters long and ends with '0x32'
The current line is 3 characters long and ends with '0x33'
The current line is 0 characters long and ends with '0x00'
The current line is 1 characters long and ends with '0x31'
The current line is 2 characters long and ends with '0x32'
The current line is 3 characters long and ends with '0x33'
Things to note:
std::getline() will return the stream, which will cast to false when it can read no more from inputFile.If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With