5

如何在文本文件中上下移动项目/值。在我的程序读取文本文件的那一刻,当没有更多的行要读取时,它会使用一段时间来确保它停止。我使用 if 语句来检查 counter 是否等于我要移动的值的行。我不知道如何从这里继续。

  _upORDown = 1; 

    using (StreamReader reader = new StreamReader("textfile.txt"))
    {
        string line = reader.ReadLine();
        int Counter = 1;
        while (line != null)
        {

            if (Counter == _upORDown)
            {
              //Remove item/replace position

            }
            Counter++;
        }
    }
4

2 回答 2

3

您可以读取内存中的文件,将行移动到您需要的位置,然后将文件写回。您可以使用ReadAllLinesWriteAllLines

此代码将 position 处的字符串i向上移动一行:

if (i == 0) return; // Cannot move up line 0
string path = "c:\\temp\\myfile.txt";
// get the lines
string[] lines = File.ReadAllLines(path);
if (lines.Length <= i) return; // You need at least i lines
// Move the line i up by one
string tmp = lines[i];
lines[i] = lines[i-1];
lines[i-1] = tmp;
// Write the file back
File.WriteAllLines(path, lines);
于 2012-04-30T14:34:16.083 回答
0

@dasblinkenlight 的答案,使用 LINQ:

string path = "c:\\temp\\myfile.txt";
var lines = File.ReadAllLines(path);
File.WriteAllLines(
    path,
    lines.Take(i).Concat(
        lines.Skip(i+1)
    )
);

这将删除位置处的行i(从零开始)并将其他行向上移动。

添加到新行:

string path = "c:\\temp\\myfile.txt";
var lines = File.ReadAllLines(path);
var newline = "New line here";
File.WriteAllLines(
    path,
    lines.Take(i).Concat(
        new [] {newline}
    ).Concat(
        lines.Skip(i+1)
    )
);
于 2012-12-18T15:49:04.897 回答