MFC文件操作之CStdioFile
作者:互联网
//-----------------------------------------------
// CStdioFile写文件示例
// 实现功能:1.如果文件存在,在文件末尾添加内容
// 2.如果文件不存在,则创建文件并添加内容
//-----------------------------------------------
CString cstrFileFullPath = "D:\\test.txt";
// 判断文件是否存在,如果存在则去掉只读属性
if (PathFileExists(cstrFileFullPath) && !PathIsDirectory(cstrFileFullPath))
{
DWORD dwAttrs = GetFileAttributes(cstrFileFullPath);
if (dwAttrs != INVALID_FILE_ATTRIBUTES
&& (dwAttrs & FILE_ATTRIBUTE_READONLY))
{
dwAttrs &= ~FILE_ATTRIBUTE_READONLY;
SetFileAttributes(cstrFileFullPath, dwAttrs);
}
}
// 打开文件
CStdioFile file;
BOOL ret = file.Open(cstrFileFullPath,
CFile::modeCreate | CFile::modeNoTruncate | CFile::modeWrite | CFile::shareDenyWrite);
if (!ret)
{
AfxMessageBox("打开文件失败");
return;
}
file.SeekToEnd();
// 写文件
file.WriteString("hello\n");
file.WriteString("kitty\n");
// 关闭文件
file.Close();
// 1.PathFileExists与PathIsDirectory需要引用头文件:#include "shlwapi.h"
// 2.CFile::modeCreate | CFile::modeNoTruncate的功用:
// 如果文件存在则打开,不清空文件内容
// 如果文件不存在则创建
// 3.CStdioFile默认是以文本方式打开文件的,所以写入文件时要换行只需写入"\n"
// 4.CFile::typeBinary指定CStdioFile以二进制方式打开文件
//-----------------------------------------------
// CStdioFile读文件示例
// 实现功能:打开已存在文件并逐行读取文件内容
//-----------------------------------------------
CString cstrFileFullPath = "D:\\test.txt";
// 判断文件是否存在
bool bFileExist = PathFileExists(cstrFileFullPath)
&& (!PathIsDirectory(cstrFileFullPath));
if (false == bFileExist)
{
return;
}
// 打开文件
CStdioFile file;
BOOL ret = file.Open(cstrFileFullPath,
CFile::modeRead | CFile::shareDenyNone);
if (!ret)
{
AfxMessageBox("打开文件失败");
return;
}
file.SeekToBegin();
// 循环读取文件
CString cstrLine;
while (file.ReadString(cstrLine))
{
AfxMessageBox(cstrLine);
}
// 关闭文件
file.Close();
//-----------------------------------------------
// 打开文件参数项
//-----------------------------------------------
CFile::modeCreate
--- 如果文件不存在则创建,如果文件存在则打开文件并清空文件内容
CFile::modeCreate | CFile::CFile::modeNoTruncate
--- 如果文件不存在则创建,如果文件存在则打开文件并保留文件内容
CFile::shareDenyNone
--- 允许其它进程对文件读写
CFile::shareDenyRead
--- 不允许其它进程对文件进行读操作
CFile::shareDenyWrite
--- 不允许其它进程对文件进行写操作
CFile::shareExclusive
--- 以独占模式打开文件,不允许其它进程对文件进行读写
标签:CFile,文件,CStdioFile,MFC,cstrFileFullPath,file,打开 来源: https://blog.csdn.net/mangsite/article/details/96569370