C# 各种文件和路径操作小结
File、Path和Directory类的区别
对于File,顾名思义,操作文件,Path和Directory这两个词意思有重叠,都是路径的意思,但实际有差异:
1.Path是全称,包含文件夹路径、文件名和文件后缀名
2.Directory不是全称,只包含文件夹路径,不能包含文件名和文件后缀名
File、Path和Directory类的常用接口
接下来会用到的信息:
文件路径举例:“E:\AAA\BBB\CCC\Test.exe”
Application.ExecutablePath:也就是"E:\AAA\BBB\CCC\Test.exe"
AppDomain.CurrentDomain.BaseDirectory:获取当前应用程序.exe所在的文件夹路径,也就是"E:\AAA\BBB\CCC"
一、常用File类接口
1.File.Exists(Application.ExecutablePath):文件是否存在
2.剪切(Move)、复制(Copy)、删除(Delete)等接口不再介绍
3.读取举例:
string strFilePath = "E:\AAA\Test.txt";
string str = "";
if (File.Exists(strFilePath))
{
using (StreamReader sr = new StreamReader(strFilePath, System.Text.Encoding.GetEncoding("GBK")))
{
str = sr.ReadLine();
sr.Close();
}
}
4.写入举例:
string fileDirPath = Path.GetDirectoryName(strFilePath);
if (!Directory.Exists(fileDirPath))
{
Directory.CreateDirectory(fileDirPath);
}
// 用FileStream时,如果本地不存在该文件则会自动创建该文件
using (FileStream fs = new FileStream(strFilePath, FileMode.Create)) //或者FileMode.Append
{
using (StreamWriter sw = new StreamWriter(fs, System.Text.Encoding.GetEncoding("GBK")))
{
sw.WriteLine("test");
sw.Close();
}
fs.Close();
}
二、常用Path类接口
1.Path.GetDirectoryName(Application.ExecutablePath):也就是"E:\AAA\BBB\CCC"
2.Path.GetFileName(Application.ExecutablePath):得到带扩展名的文件名,也就是"Test.exe"
3.Path.GetFileNameWithoutExtension(Application.ExecutablePath):也就是"Test"
4.Path.GetExtension(Application.ExecutablePath):也就是".exe",举例:
filePath.Substring(0, filePath.Length - Path.GetExtension(filePath).Length) //得到不包含扩展名的“文件夹路径+文件名”
5.Path.ChangeExtension(path, newExtension):更改文件路径字符串的扩展名,只是修改扩展名而已,并非更改文件扩展名,举例:
string s = Path.ChangeExtension(@"C:\temp\F3.png", "jpg");
6.Path.Combine(path1, path2):用于合并成文件路径
string s = Path.Combine(@"c:\temp","a.jpg");
7.Path.GetFullPath(path) :得到文件的绝对路径,可以根据相对路径获得绝对路径。比如:路径中含有…/…/之类的,可以得到绝对路径。
三、常用Directory类接口
1.Directory.GetParent(AppDomain.CurrentDomain.BaseDirectory).FullName:获取父文件夹路径,也就是"E:\AAA\BBB\CCC"
2.Directory.GetParent(Directory.GetParent(AppDomain.CurrentDomain.BaseDirectory).FullName).FullName:获取父文件夹路径的父文件夹路径,也就是"E:\AAA\BBB"
3.Directory.Exists(AppDomain.CurrentDomain.BaseDirectory):文件夹路径是否存在
4.Directory.CreateDirectory(path)用法:
string dirName = Path.GetDirectoryName(Application.ExecutablePath);
if (!Directory.Exists(dirName))
{
Directory.CreateDirectory(dirName); //创建了"E:\AAA\BBB\CCC"这条文件夹路径
}
5.Directory.Move(sourceDirName, destDirName)
6.Directory.Delete(path)
7.Directory.GetFiles(string path, string searchPattern, SearchOption searchOption):分为TopDirectoryOnly和AllDirectories这两种,举例:
string[] parentPathFilenames = Directory.GetFiles(parentPath, "*.meta", SearchOption.TopDirectoryOnly);
8.Directory.GetDirectories(string path, string searchPattern, SearchOption searchOption):分为TopDirectoryOnly和AllDirectories这两种
补充:斜杠/和反斜杠\的区别
都是目录分隔符:
Windows目前用 \ 和 / 都可以
Unix只能用 /
再注意下 \ 有转义的作用即可
有些接口得到的路径里是斜杠/,有些接口得到的路径里是反斜杠\,常用斜杠转换接口:
Replace('/', '\\')
Replace('\\', '/')