2

我有以下方法可以返回目录中的文件列表:

    public IEnumerable<FileInfo> GetFilesRecursiveEnumerable(DirectoryInfo dir)
    {
        if (dir == null) throw new ArgumentNullException();
        IList<FileSystemInfo> files = new List<FileSystemInfo>();
        try
        {
            files = dir.GetFileSystemInfos();
        }
        catch (UnauthorizedAccessException) { } //ignore
        catch (PathTooLongException)
        {
            MessageBox.Show("Path too long in directory: " + dir.FullName);
        }

        foreach (FileSystemInfo x in files)
        {
            DirectoryInfo dirInfo = x as DirectoryInfo;
            if (dirInfo != null)
            {
                foreach (FileInfo f in GetFilesRecursiveEnumerable(dirInfo))
                {
                    yield return f;
                }
            }
            else
            {
                FileInfo fInfo = x as FileInfo;
                if (fInfo != null) yield return fInfo;
            }
        }
    }

此方法会阻止 GUI。我想在后台线程中运行它(仅限单个),以便在FileSystemInfo对象可用时将其提供给调用者。

我已经能够让这个方法在后台工作人员中运行并返回一个ICollectionof FileSystemInfos - 但这会返回整个列表,而我想在找到项目时产生它们。

编辑

似乎我可能需要重新评估我想要实现的目标(也许这需要回调而不是 IEnumerable)

本质上,我希望索引一个驱动器价值的文件,但我想在后台线程中运行它。这样,我可以逐个文件处理(可能是 Dir by Dir),如果需要,我可以在稍后阶段恢复该过程。如此有效,我希望调用者(GUI 线程)运行此方法,但在目录扫描期间收到通知,而不是在其完全完成时收到通知。例如,

//My original thoughts, but maybe need to tackle this a different way
public void ScanDrive()
{
  foreach(FileInfo f in GetFilesRecursiveEnumerable())
  {
     //index file
     //record the directory I am up to so I can resume later
     /Keeping my application responsive to perform other tasks
  }
}
4

1 回答 1

2

yield将控制权返回给调用者,直到调用者再次调用枚举器,因此链中的下一个值(如果有)再次yielded返回给调用者

所以我想说,这yield本身不符合您的要求。为了实现您的想法,您可以使用简单的线程同步,其中调用者(主线程)在另一个线程上调用返回下一个文件信息的方法。

或者干脆使用一些“回调机制”:

简单的例子:

void Main() {


   //start thread
    Thread t = new Thread(GetFilesRecursiveEnumerable)
    t.Start(..);
}


//called by thread as soon as FileInfo is ready
void FileReady(FileInfo fi) {
   ...
}
...

并在方法内部:

public IEnumerable<FileInfo> GetFilesRecursiveEnumerable(DirectoryInfo dir)
{
    ...
    foreach (FileSystemInfo x in files)
    {
        DirectoryInfo dirInfo = x as DirectoryInfo;
        if (dirInfo != null)
        {
            foreach (FileInfo f in GetFilesRecursiveEnumerable(dirInfo))
            {
                FileReady(f);
            }
        }
        ...
    }
}

代码自然不是生产就绪的,提供它只是为了让您对主题有所了解。

于 2013-02-18T15:37:33.580 回答