我正在通过C#生命游戏中的编码来完成学习过程。我已经能够使用pictureBox
并在上方显示网格,以便用户可以轻松点击每个单元格。在button1
中,我可以为bool变量fill_in
指定一个值,该值将在单击时填充某个单元格。但我现在正在尝试加载从文本文件中获取的所选单元格的x
和y
坐标。此类文本文件的第一行将包含以下值:260
(空格)50
。任何想法我怎么能这样做?
CODE
namespace life
{
public partial class Form1 : Form
{
Graphics paper;
bool[,] fill_in = new bool[450, 450];
public Form1()
{
InitializeComponent();
paper = pictureBox1.CreateGraphics();
}
//makes grid in picture box
private void drawGrid()
{
int numOfCells = 100;
int cellSize = 10;
Pen p = new Pen(Color.Blue);
paper.Clear(Color.White);
for (int i = 0; i < numOfCells; i++)
{
// Vertical
paper.DrawLine(p, i * cellSize, 0, i * cellSize, numOfCells * cellSize);
// Horizontal
paper.DrawLine(p, 0, i * cellSize, numOfCells * cellSize, i * cellSize);
}
}
// populate bool fill_in with true (alive) or false (dead)
private void clearGrid()
{
for (int x = 0; x < 450; x = x + 10)
{
for (int y = 0; y < 450; y = y + 10)
{
fill_in[x, y] = false;
}
}
}
private void button1_Click(object sender, EventArgs e)
{
drawGrid();
clearGrid();
//randomly populate grid squares
fill_in[50, 50] = true;
fill_in[60, 50] = true;
fill_in[30, 40] = true;
fill_in[40, 40] = true;
for (int x = 0; x < 440; x = x + 10)
{
for (int y = 0; y < 440; y = y + 10)
{
if (fill_in[x, y] == true)
paper.FillRectangle(Brushes.Black, x, y, 10, 10);
}
}
}
private void button2_Click(object sender, EventArgs e)
{
OpenFileDialog openReport = new OpenFileDialog();
openReport.Filter = "Text Files | *.txt";
openReport.ShowDialog();
StreamReader infile = File.OpenText(openReport.FileName);
//Need Help/Guidance read text file coordinates and populate grid
}
答案 0 :(得分:1)
我假设当您从文本文件中获取值“x y”时,要将fill_in [x,y]设置为true。所以这是一个代码片段 - 它可以这样做。
while (infile.Peek() >= 0)
{
string[] values = infile.ReadLine().Split(' ');
fill_in[int.Parse(values[0]), int.Parse(values[1])] = true;
}
基本思路很简单,你从文件中读取行,直到没有剩下。然后根据以空格分隔的两个整数的标准拆分所述行。这种方法非常快速和粗糙,因为它不检查文本文件中的格式错误的数据并且不处理异常,但是如果你小心形成文本文件,它将完成工作。
从文件中读取和解析数据在编程中非常重要,因此我建议使用Google搜索主题并熟悉这些概念。