【笔记1-1】Qt系列:Qt读写txt文本文件

Qt系列:Qt读写txt文本文件

二进制文件的读写文件可以使用QFile类、QStream
文本文件的读写建议使用QTextStream类,它操作文件更加方便。
打开文件时,需要参数指定打开文件的模式:

模式 描述
QIODevice::NotOpen 不打开
QIODevice::ReadOnly 只读方式
QIODevice::WriteOnly 只写方式,如果文件不存在则会自动创建文件
QIODevice::ReadWrite 读写方式
QIODevice::Append 此模式表明所有数据写入到文件尾
QIODevice::Truncate 打开文件之前,此文件被截断,原来文件的所有数据会丢失
QIODevice::Text 读的时候,文件结束标志位会被转为’\n’;写的时候,文件结束标志位会被转为本地编码的结束为,例如win32的结束位’\r\n’
QIODevice::UnBuffered 不缓存

以下例子为分别用按键控制读取txt:

#include "mainwindow.h"
#include "ui_mainwindow.h"
#include 
#include 
#include 
#include 
#include 
#include 
#include 

QString read_all;
QString save_all;
QStringList read_List;
int num;

MainWindow::MainWindow(QWidget *parent) :
    QMainWindow(parent),
    ui(new Ui::MainWindow)
{
    ui->setupUi(this);
}

MainWindow::~MainWindow()
{
    delete ui;
}

//读取txt内容
void MainWindow::on_pushButton_clicked()
{

    QFile read_File("D://1open//read.txt");//win10的地址是用\分隔,Qt中是用//
    if(read_File.open((QIODevice::ReadOnly|QIODevice::Text)))
    {
        QTextStream stream(&read_File);
        stream.setCodec("GB2312");//GB2312 UTF-8不同系统编码格式不同,主要是用于读取汉字
        read_all=stream.readAll();
    }
    else
    {
        QMessageBox::about(NULL,"错误", "未找到文件!");
    }

    read_File.close();
    ui->textEdit->setText(read_all);
}
//保存txt
void MainWindow::on_pushButton_2_clicked()
{
    save_all=ui->textEdit_2->toPlainText();
    QFile Save_Text_File("D://1open//save.txt");
    if (!Save_Text_File.open(QIODevice::WriteOnly|QIODevice::Text))//|QIODevice::Text可以适应本地系统,解决回车问题  \r   \r\n
    {
        QMessageBox::about(NULL,"错误", "未找到文件!");
    }
    QTextStream txtOutput(&Save_Text_File);

    txtOutput << save_all ;
    Save_Text_File.close();
}

以上读取文件部分是读取文件全部内容,如果需要读取指定行的内容,需要使用QStringList

//读取txt内容
void MainWindow::on_pushButton_clicked()
{

    QFile read_File("D://1open//read.txt");
    if(read_File.open((QIODevice::ReadOnly|QIODevice::Text)))
    {
        QTextStream stream(&read_File);
        stream.setCodec("GB2312");//GB2312 UTF-8
        read_all=stream.readAll();
    }
    else
    {
        QMessageBox::about(NULL,"错误", "未找到文件!");
    }

    read_File.close();

    read_List=read_all.split("\n");//按照回车分行
    ui->textEdit->setText(read_List.at(2));//读取文件第二行
}

你可能感兴趣的:(Qt相关,qt,c++)