0

我有这门课来证明我的问题:

class Program
{
    static List<FileInfo> _foundFiles;
    static int _numberPadding = 0;
    static Thread newThread;

    static void Main(string[] args)
    {
        _foundFiles = new List<FileInfo>();

        _shouldStop = false;
        newThread = new Thread(new ThreadStart(StartSearch));
        newThread.Start();

        newThread.Join();

        Console.WriteLine("Finished");
        Console.ReadKey();
    }

    static volatile bool _shouldStop;

    static void StartSearch()
    {
        IterateFileSystemNon(new DirectoryInfo(@"D:\OLD Melman\Music Backup\iTunes 28-06-11\Music"));
    }

    static void IterateFileSystemNon(DirectoryInfo folder)
    {
        string pad = CreatePadding();

        Console.WriteLine("{0} Directory: {1}", pad, folder.Name);

        foreach (var dir in folder.GetDirectories())
            IterateFileSystemNon(dir);

        pad = CreatePadding();

        foreach (var file in folder.GetFiles())
        {
            if (file.Extension.Contains("mp3"))
            {
                _foundFiles.Add(file);

                Console.WriteLine("{0} File: {1}", pad, file.Name);
            }
        }

        _numberPadding = _numberPadding - 6;
    }

    static string CreatePadding()
    {
        _numberPadding = _numberPadding + 3;

        var stringRepOfPadding = new StringBuilder(_numberPadding);
        for (int i = 0; i < _numberPadding; i++)
        {
            stringRepOfPadding.Append(" ");
        }
        return stringRepOfPadding.ToString();
    }
}

我有这些问题:

  1. 这在控制台应用程序中有效,但在 WindowsFormsApplication 中无效,它直接进入Join语句,这是为什么呢?
  2. 如果 Microsoft 所说的 Join 语句“假设阻塞当前线程,直到生成的线程完成”。这肯定会破坏多线程的对象吗?在我的 WindowsFormsApplication 中,我不想在该线程运行它的任务时阻塞任何线程。
  3. 为什么我需要加入。当然,当我的 Iteration void 完成迭代时,线程应该终止?!
  4. 我如何在新线程内部指示它已完成以便关闭线程?
4

2 回答 2

1
  1. 使用加入,您将挂起 UI 线程。使用BackgroundWorker组件在后台线程中搜索文件。
  2. 不要启动线程并加入它。这与在一个线程中按顺序执行所有工作相同,因为在这种情况下不会异步执行任何操作。
  3. 您不需要加入(请参阅 p2)。在 UI 线程中使用 Join 总是坏主意。
  4. 您无需指示线程已完成即可关闭线程。当您的线程委托完成执行时,线程将退出。请参阅多线程:终止线程
于 2013-01-13T22:47:46.553 回答
0
  1. “直接加入”是什么意思?启动线程完全有可能在另一个线程甚至被调度并命中断点之前命中 Join。您能否详细说明 Windows 窗体应用程序正在执行的操作不是您所期望的?在这种情况下可能有一个异常导致工作线程过早退出?
  2. 您不必立即致电加入。这个想法是你启动线程,在当前线程上做任何你想做的事情,当你需要第二个线程的结果时,你调用 Join 来等待它完成。
  3. 是的,枚举完成后线程将结束。
  4. 您只需要从传递给Thread构造函数的方法返回。(StartSearch在你的情况下)。
于 2013-01-13T22:42:22.950 回答