正确打印2D阵列
本文关键字:阵列 2D 打印 | 更新日期: 2023-09-27 17:58:19
目前正在为类编写C#中的Conways生活。我一直在采取一些小步骤来了解语言和游戏编程,但在打印2D字符数组时遇到了障碍。目前我使用GetLength-1来不遍历绑定,但它无法打印出数组中的最后一个字符。
我的初始文件看起来像
+*++
++*+
****
读取后放入Char(我相信)
*
*
****
最终打印的是什么
*
**
using System;
using System.IO;
using System.Collections.Generic;
using System.Text;
namespace ConwaysLife
{
class Program
{
static char[,] universe;
static void bigBang(int h, int w, List<string> grid)
{
universe = new char[h,w];
int row = 0;
foreach (string line in grid)
{
for (int i = 0; i < line.Length; i++)
{
if (line.ToCharArray()[i] == '*')
{
universe[row, i] = '*';
}
}
row++;
}
}
//How I'm attempting to print out my 2D char array
static void offspring()
{
StringBuilder cellLine = new StringBuilder();
for (int y = 0; y < universe.GetLength(1)-1; y++)
{
for (int x = 0; x < universe.GetLength(0)-1; x++)
{
Console.Write(universe[y, x]);
}
Console.WriteLine();
}
//pause
Console.ReadLine();
}
static void Main(string[] args)
{
List<string> tempLine = new List<string>();
//Console.WriteLine("File Path?");
int width = 0;
int height = 0;
//read file into List
using (StreamReader r = new StreamReader("life.txt"))
{
while (r.Peek() >= 0)
{
tempLine.Add(r.ReadLine());
//compare current width to new width
if (tempLine[height].Length >= width) { width = tempLine[height].Length; }
//increase height when going to next row
height++;
}
bigBang(height, width, tempLine);
}
offspring();
}
}
}
更新子代()
static void offspring()
{
StringBuilder cellLine = new StringBuilder();
for (int x = 0; x <= universe.GetLength(1); x++)
{
for (int y = 0; y <= universe.GetLength(0); y++)
{
Console.Write(universe[x, y]);
}
Console.WriteLine();
}
//pause
Console.ReadLine();
}
您的offspring
函数中存在一个逐个关闭的错误。请注意,您在bigBang
函数中的操作是正确的。
您正在循环x < GetLength()-1
。您只需要x < GetLength()
,因为这排除了x == GetLength()
的情况。
一个异常循环:
for (i = 0; i < 4; i++)
Console.WriteLine(i);
输出:
0
1
2
3
我不熟悉游戏原理,但您的offspring
方法有问题。
y < universe.GetLength(1)-1
这转换为y < 3 - 1
或y < 2
,使您的迭代从y=0变为1。
要修复此问题,只需删除-1
的两个出现。
for (int y = 0; y < universe.GetLength(1); y++)
{
for (int x = 0; x < universe.GetLength(0); x++)
{
此外,当您访问universe
时,您的索引会反转。
Console.Write(universe[y, x]);
在这里,您使用y变量访问行,使用x变量访问列。相反应该这样做:
Console.Write(universe[x, y]);
给出的最终输出
++*
*+*
+**
++*
虽然我会更深入地研究为什么它没有像我预期的那样工作,但我只是在创建数组时将数组的大小传递给我的子字符串(),并在打印时使用这些值。一旦完成了那个小改动,结果就如预期的那样出来了。
*
*
****