0

我正在尝试从特定目录中搜​​索许多文本文件,然后使用 textchanged 事件在所有文件中查找文本并仅在屏幕上显示包含该文本的行。

目前它正在工作,但它太慢了。我正在发布一个搜索文本并在列表框中显示的功能。什么可能是最有效的方法来让它工作得有点快。

listBox2.Items.Clear();
ArrayList lines = new ArrayList();

if (txtfile.Count > 0)
{
    for (int i = 0; i < txtfile.Count; i++)
    {
        lines.AddRange((File.ReadAllLines(Path.Combine(path, txtfile[i].ToString()))));
    }
    for (int i = 0; i < lines.Count; i++)
    {
        if(lines[i].ToString().IndexOf(txt,StringComparison.InvariantCultureIgnoreCase)>=0)

        {
                listBox2.Items.Add(lines[i].ToString());
        }       
    }

}
4

2 回答 2

2

您要搜索多少个文件?您可以随时索引它们,将内容存储在 SQL 数据库中,当然还可以使用 Parallel.For

Parallel.For(1, 1000, i =>
    {
        //do something here.
    }
);
于 2013-04-03T09:07:25.983 回答
0

I would use Directory.EnumerateFiles and File.ReadLines since they are less memory hungry:

var matchingLines = Directory.EnumerateFiles(path, ".txt", SearchOption.TopDirectoryOnly)
    .SelectMany(fn => File.ReadLines(fn))
    .Where(l => l.IndexOf(txt, StringComparison.InvariantCultureIgnoreCase) >= 0);
foreach (var line in matchingLines)
    listBox2.Items.Add(line);

I would also search only when the user triggers it explicitely, so on button-click and not on text-changed.

于 2013-04-03T09:15:42.937 回答