使用c#删除文本文件中的特定行

时间:2014-04-09 13:51:41

标签: c# windows-runtime text-files

我正在构建一个适用于Windows 8桌面的应用程序,我正在阅读一个文本文件,我想更改一个特定的行,但不确定我的具体是一个文本文件

username|false
username|false
username|false

我想在发生事情时删除中间线,这是我到目前为止所做的;

StorageFolder folder = ApplicationData.Current.LocalFolder;
StorageFile storageFile = await folder.GetFileAsync("students.txt");
var text = await Windows.Storage.FileIO.ReadLinesAsync(storageFile);
var list_false = "";

foreach (var line in text)
{
    string name = "" + line.Split('|')[0];
    string testTaken = "" + line.Split('|')[1];
    if (your_name.Text == name)
    {
        if (testTaken == "false") {
            pageTitle.Text = name;
            enter_name_grid.Opacity = 0;
            questions_grid.Opacity = 1;
            var md = new MessageDialog("Enjoy the test");
            await md.ShowAsync();
        }
        else
        {
            the_name.Text = "You have already taken the test";
            var md1 = new MessageDialog("You have already taken the test");
            await md1.ShowAsync();
        }
        return;
    }
    else
    {
        list_false = "You're not on the list";
    }
}
if (list_false == "You're not on the list") {
    var md2 = new MessageDialog("You're not on the list");
    await md2.ShowAsync();
}

请帮助,它完全读取名称并允许他们参加测试,我只需要它来删除正确的行。在此先感谢!!

2 个答案:

答案 0 :(得分:1)

当您阅读文件时,您可以将内容存储在列表中。当你的事情发生时#34;您可以删除相应索引处的内容,并将列表保存(覆盖)到文件中。

答案 1 :(得分:1)

要考虑的重要一点是您正在修改文件。所以无论你选择改变什么,你都需要把它写回文件。

在您的情况下,您选择将整个文件读入内存,这实际上对您有利,因为您可以删除任何不需要的行并写回文件。但是,在使用foreach循环遍历列表时,无法删除项目。

从正在循环的数组中删除项目的最佳做法是使用for循环并反向循环。如果我们使用List<string>,也可以更轻松地删除项目,如下所示:

var list = new List<string>(text);
for(int i = text.Length - 1; i >=0; i--)
{
    string line = text[i];
    //rest of code
}
text = list.ToArray();

您的任务的下一部分是删除该行。您可以在else语句中执行此操作,因为这是处理已经参加测试的用户的部分。例如:

the_name.Text = "You have already taken the test";
list.RemoveAt(i);

最后,在循环之后,您需要将整个内容写回文件:

await Windows.Storage.FileIO.WriteLinesAsync(storageFile, text);