返回仅包含列表框项的字符串行
本文关键字:字符串 包含 列表 返回 | 更新日期: 2023-09-27 18:33:40
我正在尝试从包含我添加到列表框中的项目的文本文件中检索数据行,但它只是不断返回测试文件中的所有数据行:
foreach (var item in searchValList.Items)
{
while ((line = file.ReadLine()) != null)
{
if (line.Contains(searchValList.Text))
{
sb.AppendLine(line.ToString());
resultsTextBox.Text = sb.ToString();
}
else
{
resultsTextBox.Text = "The value was not found in this file";
}
}
}
您正在所有行中搜索相同的值,(实际上您的外部循环毫无意义)
更改关注
if (line.Contains(searchValList.Text))
自
if (item.Text != null && line.Contains(item.Text.ToString()))
我在你的代码中看到几个问题。
-
searchValList.Text
必须item.ToString();
- 内部 while 循环旋转直到第一次迭代
EOF
,在第二次迭代中,它将始终返回 null,因为EOF
已经达到。 - 在循环中的所有其他部分中,您要设置"在此文件中找不到该值"这是完全错误的
应该是这样的。
string[] lines = File.ReadAllLines("...");
var listboxItems = searchValList.Cast<object>().Select(x=> x.ToString()).ToList();
foreach (var line in lines)
{
if (listboxItems.Any(x=> line.Contains(x)))
{
sb.AppendLine(line);
}
}
if(sb.Length > 0)
{
resultsTextBox.Text = sb.ToString();
}
else
{
resultsTextBox.Text = "The value was not found in this file";
}
我认为应该是这样,因为你有一个列表框。试试这个:
foreach (var item in searchValList.Items)
{
while ((line = file.ReadLine()) != null)
{
if (line.Contains(item.ToString()))
{
sb.AppendLine(line.ToString());
resultsTextBox.Text = sb.ToString();
}
else
{
resultsTextBox.Text = "The value was not found in this file";
}
}
}