istream & getline(char* buf, int bufSize);
istream & getline(char* buf, int bufSize, char delim);
\n
为止(哪个条件先满足就按哪个执行)。函数会自动在 buf 中读入数据的结尾添加\0
。\n
为止,第二个版本是读到 delim 字符为止。\n
或 delim 都不会被读入 buf,但会被从输入流中取走。\n
或 delim 之前的字符个数达到或超过 bufSize,就会导致读入出错,其结果是:虽然本次读入已经完成,但是之后的读入都会失败。cin >> str
这种写法是不行的,因为此种读法在碰到行中的空格或制表符时就会停止,因此就不能保证 str 中读入的是整行。#include <iostream> using namespace std; int main() { char szBuf[20]; int n = 120; if(!cin.getline(szBuf,6)) //如果输入流中一行字符超过5个,就会出错 cout << "error" << endl; cout << szBuf << endl; cin >> n; cout << n << endl; cin.clear(); //clear能够清除cin内部的错误标记,使之恢复正常 cin >> n; cout << n << endl; return 0; }程序的运行过程如下:
ab cd↙
ab cd
33↙
33
44↙
44
ab cd123456k↙
error
ab cd
120
123456
#include <iostream> using namespace std; const int MAX_LINE_LEN = 10000; //假设文件中一行最长 10000 个字符 int main() { char szBuf[MAX_LINE_LEN + 10]; freopen("test.txt", "r", stdin); //将标准输入重定向为 test.txt while (cin.getline(szBuf, MAX_LINE_LEN + 5)) cout << szBuf << endl; return 0; }程序每次读入文件中的一行到 szBuf 并输出。szBuf 中不会读入回车符,因此输出 szBuf 后要再输出 endl 以换行。
本文链接:http://task.lmcjl.com/news/8826.html