C++文件读写

程序Help

fstream 提供了三个类,用来实现c++对文件的操作(文件的创建、读、写):
ifstream -- 从已有的文件读
ofstream-- 向文件写内容
fstream- 打开文件供读写

文件打开模式:
ios::in            读
ios::out           写
ios::app           从文件末尾开始写
ios::binary        二进制模式
ios::nocreate      打开一个文件时,如果文件不存在,不创建文件
ios::noreplace     打开一个文件时,如果文件不存在,创建该文件
ios::trunc         打开一个文件,然后清空内容
ios::ate           打开一个文件时,将位置移动到文件尾

文件指针位置在c++中的用法:
ios::beg   文件头
ios::end   文件尾
ios::cur   当前位置
例子:
file.seekg(0,ios::beg);   //让文件指针定位到文件开头
file.seekg(0,ios::end);   //让文件指针定位到文件末尾
file.seekg(10,ios::cur);   //让文件指针从当前位置向文件末方向移动10个字节
file.seekg(-10,ios::cur);   //让文件指针从当前位置向文件开始方向移动10个字节
file.seekg(10,ios::beg);   //让文件指针定位到离文件开头10个字节的位置

常用的错误判断方法:
good()   如果文件打开成功
bad()   打开文件时发生错误
eof()    到达文件尾

读取文件

1、使用string从文件中逐行读取

#include <fstream>
#include <string>
#include <iostream>

int main()
{
    using namespace std;

    string file = "D:/ctest/test.txt";
    ifstream out(file);
    string strTemp;
    while(getline(out, strTemp))
    {
        cout << strTemp << endl;
    }
    out.close();

    return 0;
}

2、使用字符串char[]从文件中逐行读取

#include <iostream>
#include <fstream>
#include <string>

int main()
{
    using namespace std;

    string file = "D:/ctest/test.txt";
    char buffer[100];
    fstream out;
    out.open(file, ios::in);

    out.seekg(0, ios::end);
    int size = out.tellg();
    out.seekg(0, ios::beg);
    while ((int)out.tellg() < size && (int)out.tellg() != -1)
    {
        //getline(char *,int,char) 表示该行字符达到100个或遇到换行就结束
        out.getline(buffer, 100, '\n');
        cout << buffer << endl;
    }
    out.close();
    
    return 0;
}

改写文件

在文件末尾追加内容,其它修改方式请参照程序Help

#include <iostream>
#include <fstream>
#include <string>

int main()
{
    using namespace std;

    string file = "D:/ctest/test.txt";
    ofstream in;
    in.open(file, ios::app);
    in << "Test" << endl;
    in.close();

    return 0;
}

Reference

c++逐行读取写入txt文件的方法

你可能感兴趣的:(C++文件读写)