0

我有一个文件“HighScores.txt”,其中包含诸如

0
12
76
90
54

我想将此文本文件添加到整数数组中,因为我想对其进行排序,我只是在循环每个项目并将其从字符串转换为 int 时遇到了麻烦。

string path = "score.txt";
int[] HighScores;

if (!File.Exists(path))
    {
        TextWriter tw = new StreamWriter(path);
        tw.Close();
    }
    else if (File.Exists(path))
    {
        //READ FROM TEXT FILE


    }
4

2 回答 2

6

您可以使用 LINQ:

int[] highScores = File
    .ReadAllText("score.txt")
    .Split(' ')
    .Select(int.Parse)
    .ToArray();
于 2013-06-14T09:23:02.503 回答
2

您可以使用File.ReadLines+ Linq:

int[] orderedNumbers = File.ReadLines(path)
    .Select(line => line.Trim().TryGetInt())
    .Where(nullableInteger => nullableInteger.HasValue)
    .Select(nullableInteger => nullableInteger.Value)
    .OrderByDescending(integer => integer)
    .ToArray();

这是我用来检测字符串是否可以解析为的扩展方法int

public static int? TryGetInt(this string item)
{
    int i;
    bool success = int.TryParse(item, out i);
    return success ? (int?)i : (int?)null;
}
于 2013-06-14T09:24:25.103 回答