UnauthorizedAccessException не может разрешить ошибку Directory.GetFiles
Сбой метода Directory.GetFiles при первом обращении к папке, к которой у него нет прав доступа.
Метод генерирует исключение UnauthorizedAccessException (которое может быть перехвачено), но к тому времени, когда это сделано, метод уже завершился неудачей / завершился.
Код, который я использую, указан ниже:
try
{
// looks in stated directory and returns the path of all files found
getFiles = Directory.GetFiles(
@directoryToSearch,
filetype,
SearchOption.AllDirectories);
}
catch (UnauthorizedAccessException)
{
}
Насколько мне известно, нет никакого способа заранее проверить, есть ли определенные папки с определенными правами доступа.
В моем примере я выполняю поиск на диске по сети, и когда я сталкиваюсь с папкой только для корневого доступа, моя программа не выполняется.
7 ответов
Чтобы получить контроль на нужном уровне, вам, вероятно, следует проверять один каталог за раз вместо целого дерева. Следующий метод заполняет данный IList<string>
со всеми файлами, найденными в дереве каталогов, кроме тех, к которым у пользователя нет доступа:
// using System.Linq
private static void AddFiles(string path, IList<string> files)
{
try
{
Directory.GetFiles(path)
.ToList()
.ForEach(s => files.Add(s));
Directory.GetDirectories(path)
.ToList()
.ForEach(s => AddFiles(s, files));
}
catch (UnauthorizedAccessException ex)
{
// ok, so we are not allowed to dig into that directory. Move on.
}
}
Я знаю, что эта ветка старая, но в случае, если кто-то наткнулся на это и нуждается в ответе, я получил рекурсивное решение:
public static List<string> GetAllAccessibleFiles(string rootPath, List<string> alreadyFound = null)
{
if (alreadyFound == null)
alreadyFound = new List<string>();
DirectoryInfo di = new DirectoryInfo(rootPath);
var dirs = di.EnumerateDirectories();
foreach (DirectoryInfo dir in dirs)
{
if (!((dir.Attributes & FileAttributes.Hidden) == FileAttributes.Hidden))
{
alreadyFound = GetAllAccessibleFiles(dir.FullName, alreadyFound);
}
}
var files = Directory.GetFiles(rootPath);
foreach (string s in files)
{
alreadyFound.Add(s);
}
return alreadyFound;
}
Возвращает List<string>
содержит полный путь ко всем файлам, которые находятся в доступных каталогах ниже указанного корневого каталога. Назовите это так:
var files = GetAllAccessibleFiles(@"C:\myDirectory");
Таким образом, один результат может быть таким:
C:\myDirectory\a\a.txt
C:\myDirectory\a\b.mp3
C:\myDirectory\b\a\a\foo.txt
C:\myDirectory\b\b\b\hello.exe
C:\myDirectory\b\c\bar.jpg
C:\myDirectory\and\so\on.bar
C:\myDirectory\a_file_in_root.bmp
Надеюсь, это поможет кому-то!
Это дополнение к ответу Малкольма (http://stackru.com/a/9831340/226181). При этом все логические диски сканируются на предмет соответствия файлов и игнорируются недоступные каталоги.
static List<string> SearchFiles(string pattern)
{
var result = new List<string>();
foreach (string drive in Directory.GetLogicalDrives())
{
Console.WriteLine("searching " + drive);
var files = FindAccessableFiles(drive, pattern, true);
Console.WriteLine(files.Count().ToString() + " files found.");
result.AddRange(files);
}
return result;
}
private static IEnumerable<String> FindAccessableFiles(string path, string file_pattern, bool recurse)
{
Console.WriteLine(path);
var list = new List<string>();
var required_extension = "mp4";
if (File.Exists(path))
{
yield return path;
yield break;
}
if (!Directory.Exists(path))
{
yield break;
}
if (null == file_pattern)
file_pattern = "*." + required_extension;
var top_directory = new DirectoryInfo(path);
// Enumerate the files just in the top directory.
IEnumerator<FileInfo> files;
try
{
files = top_directory.EnumerateFiles(file_pattern).GetEnumerator();
}
catch (Exception ex)
{
files = null;
}
while (true)
{
FileInfo file = null;
try
{
if (files != null && files.MoveNext())
file = files.Current;
else
break;
}
catch (UnauthorizedAccessException)
{
continue;
}
catch (PathTooLongException)
{
continue;
}
yield return file.FullName;
}
if (!recurse)
yield break;
IEnumerator<DirectoryInfo> dirs;
try
{
dirs = top_directory.EnumerateDirectories("*").GetEnumerator();
}
catch (Exception ex)
{
dirs = null;
}
while (true)
{
DirectoryInfo dir = null;
try
{
if (dirs != null && dirs.MoveNext())
dir = dirs.Current;
else
break;
}
catch (UnauthorizedAccessException)
{
continue;
}
catch (PathTooLongException)
{
continue;
}
foreach (var subpath in FindAccessableFiles(dir.FullName, file_pattern, recurse))
yield return subpath;
}
}
Самая простая версия:
IEnumerable<String> GetAllFiles(string path, string searchPattern)
{
return System.IO.Directory.EnumerateFiles(path, searchPattern).Union(
System.IO.Directory.EnumerateDirectories(path).SelectMany(d =>
{
try
{
return GetAllFiles(d, searchPattern);
}
catch (UnauthorizedAccessException e)
{
return Enumerable.Empty<String>();
}
}));
}
Directory.EnumerateFiles в.Net 4 работает, но вы должны быть осторожны, оценивая перечислимое и выполняя эту часть внутри блока try-catch. Самая большая проблема - убедиться, что вы не остановите обработку при первом исключении (что, я думаю, ответ /questions/6708839/unauthorizedaccessexception-ne-mozhet-razreshit-oshibku-directorygetfiles/6708856#6708856 выше имеет эту проблему, пожалуйста, исправьте меня, если я ошибаюсь).
Следующее работает и дает вам Enumerable, так что вам не нужно оценивать все дерево файлов, если вы ищете первое совпадение и т. Д.
private IEnumerable<String> FindAccessableFiles(string path, string file_pattern, bool recurse)
{
IEnumerable<String> emptyList = new string[0];
if (File.Exists(path))
return new string[] { path };
if (!Directory.Exists(path))
return emptyList;
var top_directory = new DirectoryInfo(path);
// Enumerate the files just in the top directory.
var files = top_directory.EnumerateFiles(file_pattern);
var filesLength = files.Count();
var filesList = Enumerable
.Range(0, filesLength)
.Select(i =>
{
string filename = null;
try
{
var file = files.ElementAt(i);
filename = file.FullName;
}
catch (UnauthorizedAccessException)
{
}
catch (InvalidOperationException)
{
// ran out of entries
}
return filename;
})
.Where(i => null != i);
if (!recurse)
return filesList;
var dirs = top_directory.EnumerateDirectories("*");
var dirsLength = dirs.Count();
var dirsList = Enumerable
.Range(0, dirsLength)
.SelectMany(i =>
{
string dirname = null;
try
{
var dir = dirs.ElementAt(i);
dirname = dir.FullName;
return FindAccessableFiles(dirname, file_pattern, required_extension, recurse);
}
catch (UnauthorizedAccessException)
{
}
catch (InvalidOperationException)
{
// ran out of entries
}
return emptyList;
})
return Enumerable.Concat(filesList, dirsList);
}
улучшения вышеупомянутого приветствуются.
В.NET 4 это становится намного проще, см. http://msdn.microsoft.com/en-us/library/dd997370.aspx
public string[] GetFilesFrom(string dir, string search_pattern, bool recursive)
{
List<string> files = new List<string>();
string[] temp_files = new string[0];
try { temp_files = Directory.GetFiles(dir, search_pattern, SearchOption.TopDirectoryOnly); }
catch { }
files.AddRange(temp_files);
if (recursive)
{
string[] temp_dirs = new string[0];
try { temp_dirs = Directory.GetDirectories(dir, search_pattern, SearchOption.TopDirectoryOnly); }
catch { }
for (int i = 0; i < temp_dirs.Length; i++)
files.AddRange(GetFilesFrom(temp_dirs[i], search_pattern, recursive));
}
return files.ToArray();
}
Это моё решение этой проблемы. Просто и безопасно.