如何在使用 IPC C# 时高效地读取管道流

How to Efficiently Read From a Pipe Stream when using IPC C#

我在下面写了我程序的简化版本。进程 A 启动一个子进程(进程 B)。我使用匿名管道写入有关进程 B 上方法 运行 的进度的信息。同时我在进程 A 中有一个函数不断从流中读取以查看是否有来自管道的新更新.如果存在,则更新进程 A 上的表单以反映进度。这按预期工作,但我想知道是否有更好的方法来完成此操作,而不必不断检查流以查看是否有任何新的进度更新。

/////////////////
///Process A ////
/////////////////

public void LaunchProcessB()
{
    using (AnonymousPipeServerStream pipeServer = new AnonymousPipeServerStream(PipeDirection.In,
            HandleInheritability.Inheritable))
    {
        var _Process = new Process();
        _Process.StartInfo.FileName = exeString;
        _Process.StartInfo.Arguments = pipeServer.GetClientHandleAsString()
        _Process.StartInfo.RedirectStandardOutput = true;
        _Process.StartInfo.RedirectStandardInput = true;
        _Process.StartInfo.CreateNoWindow = true;
        _Process.StartInfo.UseShellExecute = false;
        _Process.Start(); //launches process B

        pipeServer.DisposeLocalCopyOfClientHandle();

        using (StreamReader sr = new StreamReader(pipeServer))
        {
            try
            {
                while (true)
                {
                    string temp = sr.ReadLine();
                    if (temp == null) break;

                    int result;
                    if (Int32.TryParse(temp, out result))
                        ShowDocumentProgress(result);
                    else ShowProgress(temp);
                }
            }
            catch (Exception)
            {
                //error occured when reading from stream.
            }
        }

        if (!_Process.Responding && !_Process.HasExited)
        {
            _Process.Kill();
            return;
        }

        _Process.WaitForExit(10000);
    }
}

private void ShowProgressPercent(int percentage)
{
    if (percentage > currentPercentage)
    {
        progressBar.Value = percentage;
    }
}

private void ShowProgress(string progressString)
{
    labelMessage.Text = progressString;
}


/////////////////
///Process B ////
/////////////////

private StreamWriter _progressWriter;
private PipeStream _progressPipe;

static int Main(string[] args)
{
    using (progressPipe = new AnonymousPipeClientStream(PipeDirection.Out, args[0]))
    using (_progressWriter = new StreamWriter(_progressPipe))   
    {
        RunLongProcess()
    }
}

private void RunLongProcess() 
{
    //attaches events to PercentProgress and StageProgress methods.  
}

private void PercentProgress(int percentage)
{
    _progressWriter.WriteLine(percentage.ToString());
    _progressPipe.WaitForPipeDrain();
}

private void StageProgress(string stage) 
{
    _progressWriter.WriteLine(stage);
    _progressPipe.WaitForPipeDrain();
}

while 条件不是必需的。只需阅读直到 temp 为空。那是流的结束信号。

将其设为 while(true) 循环。

我认为您还需要添加异常处理来捕获终止和切断管道的进程。 !_Process.HasExited && pipeServer.IsConnected 不够,因为它可能是 true 但测试后立即切换为 false。

我还会在最后添加一个 WaitForExit 以确保在您继续之前系统已停止。