在不冻结主线程的情况下创建并主动使用进程

Create and actively use Process without freezing main thread

我目前正在尝试创建新的 NodeJS 进程,在 运行ning 期间,将其控制台输出放入我的 winform 文本框中。

无论何时执行此进程,它都会冻结主线程,就好像窗体正在等待此进程退出一样。进程关闭后,控制台输出被添加到文本框。

我想要实现的是同时在后台运行此节点进程 运行ning 并在文本框中输出任何内容。

编辑 1:

我在没有冻结主线程的情况下设法 运行 控制台,但输出仅在进程关闭时显示

我当前的代码:

    private void Btn_connect_Click(object sender, EventArgs e)
        {
            if(backgroundWorker1.IsBusy != true)
            {
                backgroundWorker1.RunWorkerAsync();
            }
        }

        private void BackgroundWorker1_DoWork(object sender, DoWorkEventArgs e)
        {
            var worker = sender as BackgroundWorker;
            nodeProcess = new Process();
            ProcessStartInfo startInfo = new ProcessStartInfo();
            startInfo.FileName = "node.exe";
            startInfo.Arguments = @"path" + " arg1 arg2 arg3";
            startInfo.UseShellExecute = false;
            startInfo.WindowStyle = ProcessWindowStyle.Hidden;
            startInfo.RedirectStandardOutput = true;
            nodeProcess.StartInfo = startInfo;

            nodeProcess.Start();

            while (worker.CancellationPending != true)
            {
                Thread.Sleep(200);
                AddText(nodeProcess.StandardOutput.ReadToEnd());
                worker.ReportProgress(1);
            }

            e.Cancel = true;
        }

        public void AddText(string text)
        {
            if(txt_log.InvokeRequired)
            {
                txt_log.Invoke(new Action<string>(AddText), new object[] { text });
                return;
            }

            txt_log.Text += "\n " + text;
        }

您可以尝试使用 Process.BeginOutputReadLine, Process.OutputDataReceived, and Process.Exited.

而不是 BackgroundWorker
void StartProcess()
{
    Process nodeProcess = new Process();
    ProcessStartInfo startInfo = new ProcessStartInfo();
    startInfo.FileName = "node.exe";
    startInfo.Arguments = @"path" + " arg1 arg2 arg3";
    startInfo.UseShellExecute = false;
    startInfo.WindowStyle = ProcessWindowStyle.Hidden;
    startInfo.RedirectStandardOutput = true;
    nodeProcess.StartInfo = startInfo;

    nodeProcess.EnableRaisingEvents = true;
    nodeProcess.Exited += nodeProcess_Exited;
    nodeProcess.OutputDataReceived += nodeProcess_OutputDataReceived;

    nodeProcess.Start();
    nodeProcess.BeginOutputReadLine();
}

void nodeProcess_Exited(object sender, EventArgs e)
{
    // Do something when the process exits, if you need to.
    // You'll want to check InvokeRequired before you modify any of your form's controls.
}

void nodeProcess_OutputDataReceived(object sender, DataReceivedEventArgs e)
{
    if (txt_log.InvokeRequired)
    {
        txt_log.Invoke(new Action<string>(AddText), new object[] { e.Data });
        return;
    }
    txt_log.Text += "\n " + e.Data;
}