列出目录 + 子目录中的所有文件和目录

我希望列出该目录中包含的每个文件和目录以及该目录的子目录。如果我选择 C: 作为目录,该程序将获得每个文件和文件夹的每个名称的硬盘驱动器上,它可以访问。

名单可能看起来像

fd\1.txt
fd\2.txt
fd\a\
fd\b\
fd\a\1.txt
fd\a\2.txt
fd\a\a\
fd\a\b\
fd\b\1.txt
fd\b\2.txt
fd\b\a
fd\b\b
fd\a\a\1.txt
fd\a\a\a\
fd\a\b\1.txt
fd\a\b\a
fd\b\a\1.txt
fd\b\a\a\
fd\b\b\1.txt
fd\b\b\a
305144 次浏览

使用 GetDirectoriesGetFiles方法获取文件夹和文件。

使用 SearchOptionAllDirectories也可以获取子文件夹中的文件夹和文件。

string[] allfiles = Directory.GetFiles("path/to/dir", "*.*", SearchOption.AllDirectories);

其中 *.*是匹配文件的模式

如果还需要目录,你可以这样做:

 foreach (var file in allfiles){
FileInfo info = new FileInfo(file);
// Do something with the Folder or just add them to a list via nameoflist.add();
}

恐怕,GetFiles方法返回的是文件列表,而不是目录。问题中的列表提示我结果也应该包括文件夹。如果需要更多自定义列表,可以尝试递归地调用 GetFilesGetDirectories。试试这个:

List<string> AllFiles = new List<string>();
void ParsePath(string path)
{
string[] SubDirs = Directory.GetDirectories(path);
AllFiles.AddRange(SubDirs);
AllFiles.AddRange(Directory.GetFiles(path));
foreach (string subdir in SubDirs)
ParsePath(subdir);
}

提示: 如果需要检查任何特定属性,可以使用 FileInfoDirectoryInfo类。

Directory.GetFileSystemEntries 存在于. NET 4.0 + 中,返回文件和目录:

string[] entries = Directory.GetFileSystemEntries(path, "*", SearchOption.AllDirectories);

注意,它不会尝试列出您无法访问的子目录的内容(UnauthorizedAccessException) ,但是它可能足以满足您的需要。

using System.IO;
using System.Text;
string[] filePaths = Directory.GetFiles(@"path", "*.*", SearchOption.AllDirectories);
public static void DirectorySearch(string dir)
{
try
{
foreach (string f in Directory.GetFiles(dir))
{
Console.WriteLine(Path.GetFileName(f));
}
foreach (string d in Directory.GetDirectories(dir))
{
Console.WriteLine(Path.GetFileName(d));
DirectorySearch(d);
}
}
catch (System.Exception ex)
{
Console.WriteLine(ex.Message);
}
}

注意: 该函数只显示没有相对路径的名称。

如果您无法访问目录树中的子文件夹 Directory。GetFiles 停止并抛出异常,导致接收字符串[]中出现空值。

看看这个答案 Https://stackoverflow.com/a/38959208/6310707

它管理循环中的异常,并继续工作,直到遍历整个文件夹。

下面的示例使用 最快(非并行)方式列出目录树中处理异常的文件和子文件夹。使用 Directory 会更快。使用 SearchOption 的 EnumerateDirectory。AllDirectory 枚举所有目录,但是如果遇到 UnauthorizedAccessException 或 PathTooLongException,则此方法将失败。

使用通用 Stack 集合类型,该类型是后进先出(LIFO)堆栈,不使用递归。从 https://msdn.microsoft.com/en-us/library/bb513869.aspx,允许您枚举所有子目录和文件,并有效地处理这些异常。

    public class StackBasedIteration
{
static void Main(string[] args)
{
// Specify the starting folder on the command line, or in
// Visual Studio in the Project > Properties > Debug pane.
TraverseTree(args[0]);


Console.WriteLine("Press any key");
Console.ReadKey();
}


public static void TraverseTree(string root)
{
// Data structure to hold names of subfolders to be
// examined for files.
Stack<string> dirs = new Stack<string>(20);


if (!System.IO.Directory.Exists(root))
{
throw new ArgumentException();
}
dirs.Push(root);


while (dirs.Count > 0)
{
string currentDir = dirs.Pop();
string[] subDirs;
try
{
subDirs = System.IO.Directory.EnumerateDirectories(currentDir); //TopDirectoryOnly
}
// An UnauthorizedAccessException exception will be thrown if we do not have
// discovery permission on a folder or file. It may or may not be acceptable
// to ignore the exception and continue enumerating the remaining files and
// folders. It is also possible (but unlikely) that a DirectoryNotFound exception
// will be raised. This will happen if currentDir has been deleted by
// another application or thread after our call to Directory.Exists. The
// choice of which exceptions to catch depends entirely on the specific task
// you are intending to perform and also on how much you know with certainty
// about the systems on which this code will run.
catch (UnauthorizedAccessException e)
{
Console.WriteLine(e.Message);
continue;
}
catch (System.IO.DirectoryNotFoundException e)
{
Console.WriteLine(e.Message);
continue;
}


string[] files = null;
try
{
files = System.IO.Directory.EnumerateFiles(currentDir);
}


catch (UnauthorizedAccessException e)
{


Console.WriteLine(e.Message);
continue;
}


catch (System.IO.DirectoryNotFoundException e)
{
Console.WriteLine(e.Message);
continue;
}
// Perform the required action on each file here.
// Modify this block to perform your required task.
foreach (string file in files)
{
try
{
// Perform whatever action is required in your scenario.
System.IO.FileInfo fi = new System.IO.FileInfo(file);
Console.WriteLine("{0}: {1}, {2}", fi.Name, fi.Length, fi.CreationTime);
}
catch (System.IO.FileNotFoundException e)
{
// If file was deleted by a separate application
//  or thread since the call to TraverseTree()
// then just continue.
Console.WriteLine(e.Message);
continue;
}
catch (UnauthorizedAccessException e)
{
Console.WriteLine(e.Message);
continue;
}
}


// Push the subdirectories onto the stack for traversal.
// This could also be done before handing the files.
foreach (string str in subDirs)
dirs.Push(str);
}
}
}

合乎逻辑和有序的方式:

using System;
using System.Collections.Generic;
using System.IO;
using System.Reflection;


namespace DirLister
{
class Program
{
public static void Main(string[] args)
{
//with reflection I get the directory from where this program is running, thus listing all files from there and all subdirectories
string[] st = FindFileDir(Path.GetDirectoryName(Assembly.GetEntryAssembly().Location));
using ( StreamWriter sw = new StreamWriter("listing.txt", false ) )
{
foreach(string s in st)
{
//I write what I found in a text file
sw.WriteLine(s);
}
}
}


private static string[] FindFileDir(string beginpath)
{
List<string> findlist = new List<string>();


/* I begin a recursion, following the order:
* - Insert all the files in the current directory with the recursion
* - Insert all subdirectories in the list and rebegin the recursion from there until the end
*/
RecurseFind( beginpath, findlist );


return findlist.ToArray();
}


private static void RecurseFind( string path, List<string> list )
{
string[] fl = Directory.GetFiles(path);
string[] dl = Directory.GetDirectories(path);
if ( fl.Length>0 || dl.Length>0 )
{
//I begin with the files, and store all of them in the list
foreach(string s in fl)
list.Add(s);
//I then add the directory and recurse that directory, the process will repeat until there are no more files and directories to recurse
foreach(string s in dl)
{
list.Add(s);
RecurseFind(s, list);
}
}
}
}
}

我使用下面的代码和一个有两个按钮的窗体,一个用于退出,另一个用于启动。文件夹浏览器对话框和保存文件对话框。代码如下所示,可以在我的系统 Windows10(64)上运行:

using System;
using System.IO;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;


namespace Directory_List
{


public partial class Form1 : Form
{
public string MyPath = "";
public string MyFileName = "";
public string str = "";


public Form1()
{
InitializeComponent();
}
private void cmdQuit_Click(object sender, EventArgs e)
{
Application.Exit();
}
private void cmdGetDirectory_Click(object sender, EventArgs e)
{
folderBrowserDialog1.ShowDialog();
MyPath = folderBrowserDialog1.SelectedPath;
saveFileDialog1.ShowDialog();
MyFileName = saveFileDialog1.FileName;
str = "Folder = " + MyPath + "\r\n\r\n\r\n";
DirectorySearch(MyPath);
var result = MessageBox.Show("Directory saved to Disk!", "", MessageBoxButtons.OK);
Application.Exit();
}
public void DirectorySearch(string dir)
{
try
{
foreach (string f in Directory.GetFiles(dir))
{
str = str + dir + "\\" + (Path.GetFileName(f)) + "\r\n";
}
foreach (string d in Directory.GetDirectories(dir, "*"))
{


DirectorySearch(d);
}
System.IO.File.WriteAllText(MyFileName, str);


}
catch (System.Exception ex)
{
Console.WriteLine(ex.Message);
}
}
}
}

您可以使用 FindFirstFile 返回句柄,然后递归调用调用 FindNextFile 的函数。这是一种很好的方法,因为所引用的结构将用各种数据填充,例如 AlternativeName、 lastTmeCreated、 Amendment、 Attribute 等

但是在使用.net 框架时,必须进入非托管区域。

一点点简单和缓慢,但工作! ! 如果你不提供一个文件路径,基本上使用“ fixPath”,这只是一个例子..。你可以搜索正确的 fileType 你想要什么,我做了一个错误,当我选择列表名称,因为“临时文件列表是搜索文件列表,所以继续..。并且“ errorList”本身就是

 static public void Search(string path, string fileType, List<string> temporaryFileList, List<string> errorList)
{


List<string> temporaryDirectories = new List<string>();


//string fix = @"C:\Users\" + Environment.UserName + @"\";
string fix = @"C:\";
string folders = "";
//Alap útvonal megadása
if (path.Length != 0)
{ folders = path; }
else { path = fix; }


int j = 0;
int equals = 0;
bool end = true;


do
{


equals = j;
int k = 0;


try
{


int foldersNumber =
Directory.GetDirectories(folders).Count();
int fileNumber = Directory.GetFiles(folders).Count();


if ((foldersNumber != 0 || fileNumber != 0) && equals == j)
{


for (int i = k; k <
Directory.GetDirectories(folders).Length;)
{


temporaryDirectories.Add(Directory.GetDirectories(folders)[k]);
k++;
}


if (temporaryDirectories.Count == j)
{
end = false;
break;
}
foreach (string files in Directory.GetFiles(folders))
{
if (files != string.Empty)
{
if (fileType.Length == 0)
{
temporaryDirectories.Add(files);
}
else
{


if (files.Contains(fileType))
{
temporaryDirectories.Add(files);


}
}
}
else
{
break;
}
}


}


equals++;


for (int i = j; i < temporaryDirectories.Count;)
{
folders = temporaryDirectories[i];
j++;
break;
}


}
catch (Exception ex)
{
errorList.Add(folders);


for (int i = j; i < temporaryDirectories.Count;)
{
folders = temporaryDirectories[i];
j++;
break;
}
}
} while (end);
}

创建字符串列表

    public static List<string> HTMLFiles = new List<string>();


private void Form1_Load(object sender, EventArgs e)
{


HTMLFiles.AddRange(Directory.GetFiles(@"C:\DataBase", "*.txt"));
foreach (var item in HTMLFiles)
{
MessageBox.Show(item);
}


}

一些改进的版本,使用 max lvl 在目录中下行,并选择排除文件夹:

using System;
using System.IO;


class MainClass {
public static void Main (string[] args) {


var dir = @"C:\directory\to\print";
PrintDirectoryTree(dir, 2, new string[] {"folder3"});
}




public static void PrintDirectoryTree(string directory, int lvl, string[] excludedFolders = null, string lvlSeperator = "")
{
excludedFolders = excludedFolders ?? new string[0];


foreach (string f in Directory.GetFiles(directory))
{
Console.WriteLine(lvlSeperator+Path.GetFileName(f));
}


foreach (string d in Directory.GetDirectories(directory))
{
Console.WriteLine(lvlSeperator + "-" + Path.GetFileName(d));


if(lvl > 0 && Array.IndexOf(excludedFolders, Path.GetFileName(d)) < 0)
{
PrintDirectoryTree(d, lvl-1, excludedFolders, lvlSeperator+"  ");
}
}
}
}

输入目录:

-folder1
file1.txt
-folder2
file2.txt
-folder5
file6.txt
-folder3
file3.txt
-folder4
file4.txt
file5.txt

函数的输出(由于 lvl 限制而排除了 folder5的内容,并且由于 folder3的内容位于 excludedFolders 数组中,因此排除了 Folder3的内容) :

-folder1
file1.txt
-folder2
file2.txt
-folder5
-folder3
-folder4
file4.txt
file5.txt

有了这个,你可以运行它们,并在控制台运行时选择子文件夹

using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Security.Cryptography;
using System.Text;
using data.Patcher; // The patcher XML
namespace PatchBuilder
{
class Program
{
static void Main(string[] args)
{
string patchDir;
if (args.Length == 0)
{
Console.WriteLine("Give the patch directory in argument");
patchDir = Console.ReadLine();
}
else
{
patchDir = args[0];
}


if (File.Exists(Path.Combine(patchDir, "patch.xml")))
File.Delete(Path.Combine(patchDir, "patch.xml"));


var files = Directory.EnumerateFiles(patchDir, "*", SearchOption.AllDirectories).OrderBy(p => p).ToList();


foreach (var file in files.Where(file => file.StartsWith("patch\\Resources")).ToArray())
{
files.Remove(file);
files.Add(file);
}


var tasks = new List<MetaFileEntry>();
using (var md5Hasher = MD5.Create())
{
for (int i = 0; i < files.Count; i++)
{
var file = files[i];


if ((File.GetAttributes(file) & FileAttributes.Hidden) != 0)
continue;


var content = File.ReadAllBytes(file);
var md5Hasher2 = MD5.Create();


var task =
new MetaFileEntry
{
LocalURL = GetRelativePath(file, patchDir + "\\"),
RelativeURL = GetRelativePath(file, patchDir + "\\"),
FileMD5 = Convert.ToBase64String(md5Hasher2.ComputeHash(content)),
FileSize = content.Length,
};


md5Hasher2.Dispose();


var pathBytes = Encoding.UTF8.GetBytes(task.LocalURL.ToLower());
md5Hasher.TransformBlock(pathBytes, 0, pathBytes.Length, pathBytes, 0);
if (i == files.Count - 1)
md5Hasher.TransformFinalBlock(content, 0, content.Length);
else
md5Hasher.TransformBlock(content, 0, content.Length, content, 0);


tasks.Add(task);
Console.WriteLine(@"Add " + task.RelativeURL);
}


var patch = new MetaFile
{
Tasks = tasks.ToArray(),
FolderChecksum = BitConverter.ToString(md5Hasher.Hash).Replace("-", "").ToLower(),
};




//XmlUtils.Serialize(Path.Combine(patchDir, "patch.xml"), patch);
Console.WriteLine(@"Created Patch in {0} !", Path.Combine(patchDir, "patch.xml"));
}


Console.Read();
}


static string GetRelativePath(string fullPath, string relativeTo)
{
var foldersSplitted = fullPath.Split(new[] { relativeTo.Replace("/", "\\").Replace("\\\\", "\\") }, StringSplitOptions.RemoveEmptyEntries); // cut the source path and the "rest" of the path


return foldersSplitted.Length > 0 ? foldersSplitted.Last() : ""; // return the "rest"
}
}
}

这是 XML 导出的 patchar

using System.Xml.Serialization;


namespace data.Patcher
{
public class MetaFile
{


[XmlArray("Tasks")]
public MetaFileEntry[] Tasks
{
get;
set;
}


[XmlAttribute("checksum")]
public string FolderChecksum
{
get;
set;
}
}
}

回答晚了,但我觉得有人可能会从中受益。基于堆栈的迭代版本启动器,支持错误处理和返回相对路径:

private static IEnumerable<string> TryEnumerate(Func<IEnumerable<string>> action)
{
try
{
return action.Invoke();
}
catch
{
//TODO logging
return Enumerable.Empty<string>();
}
}


private static IEnumerable<string> FindFilesAndDirectories(string dir, bool returnRelativePaths = false, string filePattern="*.*")
{
var searchStack = new Stack<string>();
searchStack.Push(dir);
var initialDirectory = new DirectoryInfo(dir).FullName;
var initialDirLength = initialDirectory.Length;


while (searchStack.Count > 0)
{
var currentDirectory = searchStack.Pop();
            

yield return (returnRelativePaths &&
string.Compare(currentDirectory, initialDirectory, StringComparison.OrdinalIgnoreCase) != 0) ?
currentDirectory.Substring(initialDirLength) : currentDirectory;


foreach (var file in TryEnumerate(() =>
Directory.EnumerateFiles(currentDirectory, filePattern)))
{
yield return returnRelativePaths ? file.Substring(initialDirLength) : file;
}


foreach (var directory in TryEnumerate(() =>
Directory.EnumerateDirectories(currentDirectory, filePattern)))
{
searchStack.Push(directory);
}
}
}


static void Main(string[] args)
{
foreach (var result in FindFilesAndDirectories(@"c:\", true))
{
Console.WriteLine(result);
}
}

请尝试以下代码读取所有目录和子目录与文件

class Program
{
static string _rootPath = @"D:\My Project\App_Data";
   

static void Main(string[] args)
{
ReadDirectories(_rootPath);


Console.ReadKey();
}


public static void ReadDirectories(string path, string directoryName = "")
{
if (!string.IsNullOrEmpty(directoryName))
{
Console.WriteLine("DIRECTORY NAME - {0}", directoryName);
path = @$"{path}\{directoryName}";
}


DirectoryInfo dir_place = new DirectoryInfo(path);


FileInfo[] Files = dir_place.GetFiles();
foreach (FileInfo i in Files)
{
Console.WriteLine("{0} - FILE NAME - {1}", directoryName, i.Name);
}


DirectoryInfo[] directories = dir_place.GetDirectories();
foreach (var directory in directories)
{
ReadDirectories(path, directory.Name);
};
}
}

调用“ ReadDirectory”方法,直到扫描最后一个目录。

 public static List<string> GetAllFilesInDirectory(string targetDirectory, List<string> list = null)
{
if (list == null)
{
list = new List<string>();
}


string[] fileEntries = Directory.GetFiles(targetDirectory);


foreach (string fileName in fileEntries)
{
list.Add(fileName);
}


string[] subdirectoryEntries = Directory.GetDirectories(targetDirectory);


foreach (string subdirectory in subdirectoryEntries)
GetAllFilesInDirectory(subdirectory, list);


return list;
}