克服std :: ifstream 的行尾差異
處理文字檔案時,行尾可能因平台而異,從而導致潛在的相容性問題。雖然 C 運行時通常可以正確處理行結尾,但考慮跨平台共享文字檔案的場景至關重要。
為了解決這個問題,讓我們探索一個自訂函數safeGetline,它可以無縫處理所有三種常見的行結尾格式(r、n 和rn):
std::istream& safeGetline(std::istream& is, std::string& t) { // Reset the string to be sure t.clear(); // Utilize a sentry object for synchronized stream access std::istream::sentry se(is, true); std::streambuf* sb = is.rdbuf(); while (true) { // Fetch the next character int c = sb->sbumpc(); switch (c) { case '\n': // Encountered a line ending with just \n return is; case '\r': // Possibility of \r\n line ending if (sb->sgetc() == '\n') sb->sbumpc(); return is; case std::streambuf::traits_type::eof(): // End of file reached if (t.empty()) is.setstate(std::ios::eofbit); return is; default: // Append the character to the string t += (char)c; } } }
此函數透過使用流緩衝區從流中逐個讀取字元來進行操作,這比讀取單一字元更有效率地直接來自輸入流。它處理各種行結束約定,並且還考慮了最後一行沒有換行符的空的可能性。
為了示範此函數的用法,讓我們建立一個簡單的測試程序:
int main() { // Specify the path to the text file containing lines with different line endings std::string path = ...; // Open the file for input std::ifstream ifs(path.c_str()); if (!ifs) { std::cout << "Error opening the file." << std::endl; return EXIT_FAILURE; } // Count the number of lines in the file int n = 0; std::string line; while (!safeGetline(ifs, line).eof()) ++n; // Display the count of lines std::cout << "The file contains " << n << " lines." << std::endl; return EXIT_SUCCESS; }
透過使用safeGetline 函數,該程式可以準確計算指定文字檔案中的行數,無論行結束格式如何。
以上是如何在 C 中可靠地從具有混合行結尾的檔案中讀取行?的詳細內容。更多資訊請關注PHP中文網其他相關文章!