C++文件流--fstream

1.fstream类及其几个简单成员函数介绍

/*
fstream是一个类对象
以下均为C++11标准
*/
public:
//构造函数
fstream();
explicit fstream(const std::string& filename,ios_base::openmode mode = ios_base::in | ios_base::out)
//explicit为C++的修饰词,它的作用是阻止构造函数进行隐式转换,构造函数调用必须为显式调用,否则报错;mode为打开模式默认是in和out
            
//成员函数
void open(const std::string& filename, ios_base::openmode mode = ios_base::in)
//打开文件函数:filename为文件名;mode为打开模式,默认in

bool is_open ( );//如果文件对象已经正常打开返回true,否则false(如过文件不存在且打开模式为in,则返回false)

void close ( ); //关闭文件流操作

istream& seekg ( streampos pos );//将指针移动到特定位置:pos为移动到的位置,这是一个整型数,1字节一个位置
istream& seekg ( streamoff off, ios_base::seekdir dir );
//将指针从dir移动到off: off为相对dir位置的移动量(整型数);dir为位置的标识符,有三种状态:beg(文件开始位置),cur(指针当前位置),end(文件末尾位置)

streampos tellg ( );//返回指针当前位置(streampos为整型),可以与seekg函数连用计算文件大小


//fstream对象可以进行符号>>运算,及符号<<运算,这与cin和cout类似

相关知识:explicit

2.fstream的标志操作符

value stands for access
ios_base::in input 打开模式为输入方式, 支持输入的操作(从外部设备输入到程序中,这和从键盘输入相同,只不过这是从文件输入到程序而已).
ios_base::out output 打开模式为输出方式, 支持输出的操作(从程序本身输输出到外部设备中,这和从程序输出到屏幕相同,只不过这是从程序输出到文件而已).
ios_base::binary binary 以二进制方式操作文件而不是以文本模式操作.
ios_base::ate at end 将输入指针移动到文件内容的下一个控制结束符号(如:换行符号).
ios_base::app append 所有的ios_base::out操作方式从已存在的文件末尾添加.
ios_base::trunc truncate 任何已存在外部设备的内容都会被丢弃,以覆盖方式输出到外部设备.

3.新建一个文件和写入内容

(1)如何新建一个文件
  • 文件不存在将新建,存在将覆盖
/*
在程序当前位置下新建data.txt文件
*/
#include
#include
using namespace std;
int main(){
   fstream f("data.txt",ios_base::out);
/*
  也可以这样写:
  fstream f;
  f.open("data.txt",ios_base::out);
*/
    f.close();
    if(f)
    cout<<"文件创建成功!"<
  • 文件存在,在文件末尾添加,不覆盖文件
/*
在程序当前位置有data.txt文件
*/
   fstream f("data.txt",ios_base::out|ios_base::app);
/*或者:
   fstream f;
   f.open("data.txt",ios_base::out|ios_base::app);
*/
(2)内容写到外部存储设备

在这里需要考虑两种情况:

  • 文件存在(考虑需求是覆盖还是不覆盖,下面例子是覆盖的模式)
  • 文件不存在(不存在就新建)
  • 试一试-"hello word"
/*
输出字符串”hello world"到文件data.txt
*/
#include
#include
using namespace std;
int main(){
    fstream f("data.txt",ios_base::out);
    f<<"hello world"<
  • 输出多个变量到文件data.txt
#include
#include
using namespace std;
int main(){
    string name="xiaohong";
    int age=20;
    float english_score=80.2f;
    fstream f("data.txt",ios_base::out);
    f<

4.获取文件内容

在这里同样需要考虑两种情况:

  • 文件存在(则继续in操作)
  • 文件不存在(不存在就结束程序)
(1)获取数据到程序变量
/*
-获取多个不同变量
程序目录里面存在data.txt,内容为:
xiaohong 20 80.2
*/
#include
#include
using namespace std;
int main(){
         string name;
         int age;
         float english_score;
         fstream f("data.txt",ios_base::in);
         if(!f.is_open()){
         cout<<"操作失败!"<>name>>age>>english_score;//这和cin一样,多个变量区分是以空格为分界。要对应顺序
         f.close();
         cout<

5.参考链接

更多相关知识链接:fstream

你可能感兴趣的:(C++文件流--fstream)