从文本文件中获取数据并将其提供给二维数组

时间:2017-09-10 18:27:49

标签: c# arrays dictionary streamreader monogame

我想让我的游戏中的关卡从文本文件中加载并加载到2d数组中,这就是关卡文本文件的内容:

0,0,0,0,0,0,0,0,0,0
1,1,1,1,1,1,1,1,1,1
2,2,2,2,2,2,2,2,2,2
3,3,3,3,3,3,3,3,3,3
4,4,4,4,4,4,4,4,4,4
5,5,5,5,5,5,5,5,5,5
6,6,6,6,6,6,6,6,6,6
7,7,7,7,7,7,7,7,7,7
8,8,8,8,8,8,8,8,8,8
9,9,9,9,9,9,9,9,9,9

我希望每个数字都是一个单独的瓷砖游戏,逗号将作为一个分隔符,但我不知道如何将数据实际上从我的二维数组中获取。这是我有多远:

    Tile[,] Tiles;
    string[] mapData;
    public void LoadMap(string path)
    {
        if (File.Exists(path))
        {
            mapData = File.ReadAllLines(path);

            var width = mapData[0].Length;
            var height = mapData.Length;

            Tiles = new Tile[width, height];

            using (StreamReader reader = new StreamReader(path))
            {
                for (int y = 0; y < height; y++)
                {
                    for (int x = 0; x < width; x++)
                    {                           
                        Tiles[x, y] = new Tile(SpriteSheet, 5, 3, new Vector2(x * 64, y * 64));
                    }
                }
            }
        }
    }

Tiles [x,y] = new Tile()中的数字5和3表示纹理在纹理贴图中的位置。我想添加一个if语句,如果文件中的数字在topleft处为0,我希望Tiles [0,0]设置为我的textureatlas中的特定行和列。对此有任何帮助将不胜感激,我没有看到它!

1 个答案:

答案 0 :(得分:2)

首先,var width = mapData[0].Length;将返回字符数组的长度,包括逗号,即19。看起来你不希望它返回逗号。所以,你应该像这样拆分字符串:

Tile[,] Tiles;
string[] mapData;
public void LoadMap(string path)
{
    if (File.Exists(path))
    {
        mapData = File.ReadAllLines(path);

        var width = mapData[0].Split(',').Length;
        var height = mapData.Length;

        Tiles = new Tile[width, height];

        using (StreamReader reader = new StreamReader(path))
        {
            for (int y = 0; y < height; y++)
            {
                string[] charArray = mapData[y].Split(',');
                for (int x = 0; x < charArray.Length; x++)
                {               
                    int value = int.Parse(charArray[x]);

                    ...

                    Tiles[x, y] = new Tile(SpriteSheet, 5, 3, new Vector2(x * 64, y * 64));
                }
            }
        }
    }
}