これを使用することによって:
string[] text = System.IO.File.ReadAllLines(file);
listBox1.Items.AddRange(text);
これの代わりに:
string[] text = System.IO.File.ReadAllLines(file);
foreach (string line in text)
{
listBox2.Items.Add(line);
}
すべてのアイテム挿入でlistBoxを無効にするわけではないため、実行を少なくとも10〜15倍高速化できます。私は数千行で測定しました。
ボトルネックはReadAllLines
、テキストの行数が多すぎる場合にも発生する可能性があります。なぜこんなに多くの行を挿入するのかわかりませんが、ユーザーは必要な行を見つけることができますか?
[OK]を編集してから、BackgroundWorkerを使用することをお勧めします。コードは次のとおりです。
まず、BackGroundWorkerを初期化します。
BackgroundWorker bgw;
public Form1()
{
InitializeComponent();
bgw = new BackgroundWorker();
bgw.DoWork += new DoWorkEventHandler(bgw_DoWork);
bgw.RunWorkerCompleted += new RunWorkerCompletedEventHandler(bgw_RunWorkerCompleted);
}
次に、メソッドでそれを呼び出します。
private void button1_Click(object sender, EventArgs e)
{
if (!bgw.IsBusy)
{
OpenFileDialog openFileDialog1 = new OpenFileDialog();
openFileDialog1.Filter = "Text Files|*.txt";
openFileDialog1.Title = "Select a Text file";
openFileDialog1.FileName = "";
DialogResult result = openFileDialog1.ShowDialog();
if (result == DialogResult.OK)
{
string file = openFileDialog1.FileName;
listView1.BeginUpdate();
bgw.RunWorkerAsync(file);
}
}
else
MessageBox.Show("File reading at the moment, try later!");
}
void bgw_RunWorkerCompleted(object sender, RunWorkerCompletedEventArgs e)
{
listView1.EndUpdate();
}
void bgw_DoWork(object sender, DoWorkEventArgs e)
{
string fileName = (string)e.Argument;
TextReader t = new StreamReader(fileName);
string line = string.Empty;
while ((line = t.ReadLine()) != null)
{
string nLine = line;
this.Invoke((MethodInvoker)delegate { listBox1.Items.Add(nLine); });
}
}
読み取り時に各行が追加され、レスポンシブUIが作成され、読み込みが完了する前に行がlistBoxに影響を与えることはありません。