c#暂停流阅读器输出'x'行数,然后继续

本文关键字:行数 然后 继续 暂停 输出 | 更新日期: 2023-09-27 18:10:52

我正在编写一个实现SSH的c#程序。网络图书馆。该程序的一个功能允许通过SSH将命令发送到目标服务器,然后在文本字段中显示输出。

这工作得很好,但是当输出响应很大时,我遇到了一个问题。当前显示所有输出,直到完成。我需要一种方法,例如,显示30行,然后等待用户输入,显示下一个30行。

我可以很容易地停止输出在30行与一个for循环和计数器,但我不确定如何再次启动它,我如何回到同一点在流阅读器?

    var list = new List<string>();
                string line;
                output_textBox.Text = String.Empty;
                while (!asynch.IsCompleted)
                {
                    using (StreamReader sr = new StreamReader(cmd.OutputStream))
                    {
                        while ((line = sr.ReadLine()) != null)
                        {
                                list.Add(line);
                                Console.WriteLine(line);
                        }
                    }
                }

感谢

编辑

让它与下面的工作

 using (StreamReader sr = new StreamReader(cmd.OutputStream))
                    {
                        while (!sr.EndOfStream)
                      {
                          while (line_count < 100 && (line = sr.ReadLine())      != null)
                        {
                            Console.SetOut(new     TextBoxWriter(output_textBox));
                            Console.WriteLine(line);
                            line_count++; 
                        }
                          MessageBox.Show("OK to continue"); 
                          line_count = 0; 
                    }

c#暂停流阅读器输出'x'行数,然后继续

看来你正在使用并行编程。你可以写两个函数作为Producer &;消费者。例如,生产者将不断读取您的文本并将其放入内存列表中,消费者将在适当的时间间隔内从列表中消费(并删除已消费的行)。

返回到上次完成的行:

int startFrom = 30; // skip first 30 lines
using (StreamReader rdr = new StreamReader(fs))
{
    // skip lines
    for (int i = 0; i < startFrom ; i++) { 
        rdr.ReadLine();  
    }
    // ... continue with processing file  
}

public void Process() { 
    //init
    int startFrom = 0;
    int stepCount = 100;
    //read data  0 - 100
    ReadLines(startFrom, stepCount);
    startFrom += stepCount;
    // after user action
    //read data  100 - 200
    ReadLines(startFrom, stepCount);
}
public void ReadLines( int skipFirstNum, int readNum ) {
    using (StreamReader rdr = new StreamReader(cmd.OutputStream)) {
        // skip lines
        for (int i = 0; i < skipFirstNum; i++) { 
             rdr.ReadLine();  
        }
        for (int i = 0; i < readNum ; i++) { 
             // ... these are the lines to process
        }
    }
}