1.读取
1.1逐行读取
1
2
3
4
5
6
7
8
9
10
11
12
13
|
void readTxt(string file) { ifstream ifs; ifs.open(file); //将文件流对象与文件关联起来,如果已经关联则调用失败 assert (ifs.is_open()); //若失败,则输出错误消息,并终止程序运行 string s; while (getline(ifs,s)) //行分隔符可以显示指定,比如按照分号分隔getline(infile,s,';') { cout<<s<<endl; } ifs.close(); //关闭文件输入流 } |
1.2逐字符读取
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
|
void readTxt(string file) { ifstream ifs; ifs.open(file.data()); //将文件流对象与文件连接起来 assert (ifs.is_open()); //若失败,则输出错误消息,并终止程序运行 char c; ifs >> std::noskipws; //清除skipws标识,不忽略空白符(Tab、空格、回车和换行) while (!infile.eof()) { infile>>c; cout<<c<<endl; } infile.close(); //关闭文件输入流 } |
2.写入
2.1逐行追加
1
2
3
4
5
6
7
|
void writeLineToTxt(string file,string line) { ofstream ofs(file,ios::out|ios::app); //以输出追加方式打开文件,不存在则创建 assert (ofs.is_open()); //若失败,则输出错误消息,并终止程序运行 ofs<<line<<endl; //写入一行 ofs.close(); } |
2.2逐字符追加
1
2
3
4
5
6
7
|
void writeCharToTxt(string file, char c) { ofstream ofs(file,ios::out|ios::app); //以输出追加方式打开文件,不存在则创建 assert (ofs.is_open()); //若失败,则输出错误消息,并终止程序运行 ofs<<c; //写入一个字符 ofs.close(); } |
2.3偏移指定字节写入
1
2
3
4
5
6
7
8
|
void writeToTxtOffset(string file, int offset, string content) { ofstream ofs(file, ios::out | ios::in); //以不清空方式打开文件,不存在则创建。注意:不要使用ios::app模式打开,因为一定写在后面,seekp也无效 assert (ofs.is_open()); //若失败,则输出错误消息,并终止程序运行 ofs.seekp(offset, ios::beg); //从流开始位置偏移 ofs << content; //写入内容 ofs.close(); } |
3.验证
1
2
3
4
5
6
7
8
9
10
11
|
#include <assert.h> #include <iostream> #include <fstream> #include <string> int main() { writeCharToTxt( "D:\\test.txt" , 'v' ); writeToTxtOffset( "D:\\test.txt" ,1, "dablelv" ); //注意Windows环境下文件路径使用双反斜杠表示 } |
文件D:\test.txt中内容如下:
vdablelv
以上就是C++实现读写文件的示例代码的详细内容,更多关于C++实现读写文件的资料请关注服务器之家其它相关文章!
原文链接:https://cloud.tencent.com/developer/article/1369623