将数组写入和读取到二进制文件

本文关键字:读取 二进制文件 数组 | 更新日期: 2023-09-27 17:55:25

我有一个由 1 个字符串值和 2 个 int 值组成的数组,我想将其写入二进制文件。

它由名称,索引和分数组成。

我已经附加了下面的数组代码,如何将其写入文件?

Player[] playerArr = new Player[10];
        int index = 0;
        index = index + 1;                                  // when a new player is added the index is increased by one
        Player p = new Player(txtName3.Text, index, Convert.ToInt16(txtScore.Text));    // set the values of the object p
        p.refName = txtName3.Text;                          // set refName to be the string value that is entered in txtName
        p.refTotalScore = Convert.ToInt16(txtScore.Text);
        playerArr[index] = p;                               // set the p object to be equal to a position inside the array

我还想按分数降序对要输出的数组的每个实例进行排序。怎么能做到这一点呢?

到目前为止,我拥有的文件处理代码是:

    private static void WriteToFile(Player[] playerArr, int size)
    {
        Stream sw;
        BinaryFormatter bf = new BinaryFormatter();
        try
        {
            sw = File.Open("Players.bin", FileMode.Create);
            bf.Serialize(sw, playerArr[0]);
            sw.Close();
            sw = File.Open("Players.bin", FileMode.Append);
            for (int x = 1; x < size; x++)
            {
                bf.Serialize(sw, playerArr[x]);
            }
            sw.Close();
        }
        catch (IOException e)
        {
            MessageBox.Show("" + e.Message);
        }
    }
    private int ReadFromFile(Player[] playerArr)
    {
        int size = 0;
        Stream sr;
        try
        {
            sr = File.OpenRead("Players.bin");
            BinaryFormatter bf = new BinaryFormatter();
            try
            {
                while (sr.Position < sr.Length)
                {
                    playerArr[size] = (Player)bf.Deserialize(sr);
                    size++;
                }
                sr.Close();
            }
            catch (SerializationException e)
            {
                sr.Close();
                return size;
            }
            return size;
        }
        catch (IOException e)
        {
            MessageBox.Show("'n'n'tFile not found" + e.Message);
        }
        finally
        {
            lstLeaderboard2.Items.Add("");
        }
        return size;
    }

将数组写入和读取到二进制文件

对于第一部分,您需要将类标记为可序列化,如下所示:

    [Serializable]
    public class Player
可以

Append到新文件,因此您可以将代码更改为以下内容:

    sw = File.Open(@"C:'Players.bin", FileMode.Append);
    for (int x = 0; x < size; x++)
    {
        bf.Serialize(sw, playerArr[x]);
    }
    sw.Close(); 

(通过适当的异常处理,如果文件可能已经存在,您显然需要修改它)。

对于第二部分,您可以使用 LINQ 对数组进行如下排序:

var sortedList = playerArr.OrderBy(p => p.Score);

如果需要数组作为输出,请执行以下操作:

var sortedArray = playerArr.OrderBy(p => p.Score).ToArray();

(此处,Score是要作为排序依据的 Player 类的属性的名称。

如果您需要更多帮助,则需要更具体地说明问题!