C++ 读取文件操作

#include 
#include
using namespace std;


//文本文件读文件
void test01() {
	//1、包含头文件

	//2、创建流对象
	ifstream ifs;

	//3、打开文件并且判断是否打开成功
	ifs.open("test.txt",ios::in) ;
	if (!ifs.is_open()) {
		cout << "文件打开失败" << endl;
	}


}


int main() {
	test01();
	system(" pause");
}

打开成功: 

C++ 读取文件操作_第1张图片

将文件名写错打开失败: 

C++ 读取文件操作_第2张图片

 

我们正确的打开文件并且可以读取文件:

#include 
#include
using namespace std;


//文本文件读文件
void test01() {
	//1、包含头文件

	//2、创建流对象
	ifstream ifs;

	//3、打开文件并且判断是否打开成功
	ifs.open("test.txt",ios::in) ;
	if (!ifs.is_open()) {
		cout << "文件打开失败" << endl;
		return;
	}

	//4、读数据
	//第一种
	char buf[1024] = { 0 };
	while (ifs >> buf) {
		cout << buf << endl;
	}

	//5、关闭文件
	ifs.close();
}

int main() {
	test01();
	system(" pause");
}

我们将buf读取的数据输出看下: 

C++ 读取文件操作_第3张图片

 

 

第二种读取方式读一行:

#include 
#include
using namespace std;


//文本文件读文件
void test01() {
	//1、包含头文件

	//2、创建流对象
	ifstream ifs;

	//3、打开文件并且判断是否打开成功
	ifs.open("test.txt",ios::in) ;
	if (!ifs.is_open()) {
		cout << "文件打开失败" << endl;
		return;
	}

	//4、读数据
	//第一种
	/**
	char buf[1024] = { 0 };
	while (ifs >> buf) {
		cout << buf << endl;
	}
	*/

	//第二种
	char buf[1024] = { 0 };
	while (ifs.getline(buf,sizeof(buf))) {
		cout << buf << endl;
	}

	//5、关闭文件
	ifs.close();
}

int main() {
	test01();
	system(" pause");
}

第三种读取string:

#include 
#include
#include
using namespace std;


//文本文件读文件
void test01() {
	//1、包含头文件

	//2、创建流对象
	ifstream ifs;

	//3、打开文件并且判断是否打开成功
	ifs.open("test.txt",ios::in) ;
	if (!ifs.is_open()) {
		cout << "文件打开失败" << endl;
		return;
	}

	//4、读数据
	//第一种
	/**
	char buf[1024] = { 0 };
	while (ifs >> buf) {
		cout << buf << endl;
	}
	*/

	//第二种
	/**
	char buf[1024] = { 0 };
	while (ifs.getline(buf,sizeof(buf))) {
		cout << buf << endl;
	}
	*/

	//第三种
	string buf;
	while (getline(ifs,buf)){
		cout << buf << endl;
	}


	//5、关闭文件
	ifs.close();
}

int main() {
	test01();
	system(" pause");
}

第四种读取方式(一个字符一个字符的读)判断是不是读到文件末尾,文件末尾就停止读取退出循环:

#include 
#include
#include
using namespace std;


//文本文件读文件
void test01() {
	//1、包含头文件

	//2、创建流对象
	ifstream ifs;

	//3、打开文件并且判断是否打开成功
	ifs.open("test.txt",ios::in) ;
	if (!ifs.is_open()) {
		cout << "文件打开失败" << endl;
		return;
	}

	//4、读数据
	//第一种
	/**
	char buf[1024] = { 0 };
	while (ifs >> buf) {
		cout << buf << endl;
	}
	*/

	//第二种
	/**
	char buf[1024] = { 0 };
	while (ifs.getline(buf,sizeof(buf))) {
		cout << buf << endl;
	}
	*/

	//第三种
	/*string buf;
	while (getline(ifs,buf)){
		cout << buf << endl;
	}
	*/

	//第四种
	char c;
	while ((c = ifs.get()) != EOF) { // EOF end of file
		cout << c;
	}

	//5、关闭文件
	ifs.close();
}

int main() {
	test01();
	system(" pause");
}

总结:
●读文件可以利用ifstream ,或者fstream类
●利用[s. _open函数可以判断文件是否打开成功
●close 关闭文件

 

你可能感兴趣的:(C++,c++)