Julia999 发表于 2019-5-27 14:58:29

C++文件操作

本帖最后由 Julia999 于 2019-7-31 18:44 编辑

#include<fstream>————文件读写操作文件操作对象:
ifstream 文件读对象
ofstream 文件写对象


文件操作包含三个部分:打开文件
读写文件
关闭文件


1.打开文件
打开文件方法:先建立流对象,在建立流对象的同时连接外部文件
打开一个已有的文件,准备读
ifstream infile;
infile.open("data.txt",ios::in);
打开(创建)一个新的文件,准备写
ofstream outfile;
outfile.open("d:\\newfile.txt".ios::out);

第二种方法是调用fstream带参数的构造函数,在建立流对象的同时,用参数的形式连接外部文件并指定文件的打开方式
ifstream infile("data.txt",ios::in);
ofstream outfile("d:\\newfile",ios::out);
fstream rwfile("data.txt",ios::in|ios::out);


2.关闭文件
关闭文件应该使用fstream的成员函数close
例如:
ifstream infile;
infile.open("file.txt",ios::in);
infile.close();
infile.open("file2.txt",ios::in);//重用流对象

例子:建立一个包含学生学号,姓名,以及成绩的文本文件。本例程一行放一个学生记录
#include<iostream>
#include<fstream>
using namespace std;
int main()
{
      char fileName, name;
      int number, score;
      ofstream outstuf;//建立输出文件流对象
      cout << "please input the name of student file:\n";
      cin >> fileName;   //输入文件名
      outstuf.open(fileName, ios::out);   //连接文件,指定打开方式
      if (!outstuf)
      {
                cout << "文件打开失败!" << endl;
                return;
      }
      outstuf << "This is file of student\n";//写入下一行标题
      cout << "请输入学生的学号,姓名和成绩:" << "输入ctrl+z结束输入" << endl;
      while (cin >> number >> name >> score)
      {
                outstuf << number << ' ' << name << " " << score << endl;//向流中输入数据
                cout << "?";
      }
      outstuf.close(); //关闭文件
      return 0;
}
          ios::in         打开一个可读文件               
      ios::out      打开一个可写入文件
      ios::app      写入的所有数据被加到文件的末尾
      ios::binary      以二进制的形式打开一个文件
      ios::trunk      删除文件原来已存在的内容
      ios::nocreate      如果打开的文件不存在则open函数无法进行
      ios::noreplece      打开的文件已经存在则用open打开返回一个错误
      ios::beg      文件指针指向文件头
      ios::end      文件指针指向文件尾

      seekg()                get读文件的指针
      seekp()                put写文件的指针
      seekp/seekg(Para1,Para2) Para1表示偏移地址(+-向前向后),Para2表示基地址(ios::beg,ios::end)      getline()            略去标题




页: [1]
查看完整版本: C++文件操作