eof 函数
eof是end of file的缩写,表示“文件结束”。从输入流读取数据,如果到达文件末尾(遇文件结束符),eof函数值为非零值(真),否则为0(假)。
[例] 逐个读入一行字符,将其中的非空格字符输出。
1
2
3
4
5
6
7
8
9
10
|
#include <iostream>
using namespace std;
int main( )
{
char c;
while (!cin.eof( )) //eof( )为假表示未遇到文件结束符
if ((c=cin.get( ))!= ' ' ) //检查读入的字符是否为空格字符
cout.put(c);
return 0;
}
|
运行情况如下:
1
2
3
|
peek函数
peek是“观察”的意思,peek函数的作用是观测下一个字符。其调用形式为:
1
|
c=cin.peek( );
|
函数的返回值是指针指向的当前字符,但它只是观测,指针仍停留在当前位置,并不后移。如果要访问的字符是文件结束符,则函数值是EOF(-1)。
putback函数
其调用形式为
1
|
cin.putback(ch);
|
其作用是将前面用get或getline函数从输入流中读取的字符ch返回到输入流,插入到当前指针位置,以供后面读取。
[例] peek函数和putback函数的用法。
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
#include <iostream>
using namespace std;
int main( )
{
char c[20];
int ch;
cout<< "please enter a sentence:" <<endl;
cin.getline(c,15, '/' );
cout<< "The first part is:" <<c<<endl;
ch=cin.peek( ); //观看当前字符
cout<< "The next character(ASCII code) is:" <<ch<<endl;
cin.putback(c[0]); //将'I'插入到指针所指处
cin.getline(c,15, '/' );
cout<< "The second part is:" <<c<<endl;
return 0;
}
|
运行情况如下:
1
2
3
4
5
|
please enter a sentence:
I am a boy./ am a student./↙
The first part is:I am a boy.
The next character(ASCII code) is:32(下一个字符是空格)
The second part is:I am a student
|
ignore函数
其调用形式为
1
|
cin.ignore(n, 终止字符)
|
函数作用是跳过输入流中n个字符,或在遇到指定的终止字符时提前结束(此时跳过包括终止字符在内的若干字符)。如
1
|
ighore(5, 'A' ) //跳过输入流中个字符,遇'A'后就不再跳了
|
也可以不带参数或只带一个参数。如
1
|
ignore( ) // n默认值为,终止字符默认为EOF
|
相当于
1
|
ignore(1, EOF)
|
[例] 用ignore函数跳过输入流中的字符。先看不用ignore函数的情况:
1
2
3
4
5
6
7
8
9
10
11
|
#include <iostream>
using namespace std;
int main( )
{
char ch[20];
cin.get(ch,20, '/' );
cout<< "The first part is:" <<ch<<endl;
cin.get(ch,20, '/' );
cout<< "The second part is:" <<ch<<endl;
return 0;
}
|
运行结果如下:
1
2
3
|
I like C++./I study C++./I am happy.↙
The first part is:I like C++.
The second part is:(字符数组ch中没有从输入流中读取有效字符)
|
如果希望第二个cin.get函数能读取"I study C++.",就应该设法跳过输入流中第一个'/',可以用ignore函数来实现此目的,将程序改为:
1
2
3
4
5
6
7
8
9
10
11
12
|
#include <iostream>
using namespace std;
int main( )
{
char ch[20];
cin.get(ch,20, '/' );
cout<< "The first part is:" <<ch<<endl;
cin.ignore( ); //跳过输入流中一个字符
cin.get(ch,20, '/' );
cout<< "The second part is:" <<ch<<endl;
return 0;
}
|
运行结果如下:
1
2
3
|
I like C++./I study C++./I am happy.↙
The first part is:I like C++.
The second part is:I study C++.
|