我應該使用Windows窗體應用程序在2D中創建一個幻方。它應該是這樣的:如何使用Windows窗體創建一個幻方塊?
但是,用戶應該能夠決定廣場(3×3,5×5,7×7等)的大小。我已經將代碼編寫在控制檯應用程序中,但我不知道如何添加2D圖形。
有人已經問過這個問題(How do I put my result into a GUI?),其中一個答案是使用DataGridView
,但我不確定這是我在找什麼,因爲我不能讓它看起來像圖片。
任何想法或建議?
我應該使用Windows窗體應用程序在2D中創建一個幻方。它應該是這樣的:如何使用Windows窗體創建一個幻方塊?
但是,用戶應該能夠決定廣場(3×3,5×5,7×7等)的大小。我已經將代碼編寫在控制檯應用程序中,但我不知道如何添加2D圖形。
有人已經問過這個問題(How do I put my result into a GUI?),其中一個答案是使用DataGridView
,但我不確定這是我在找什麼,因爲我不能讓它看起來像圖片。
任何想法或建議?
您可以使用一個TableLayoutPanel
和動態按鈕添加到面板上。
如果您不需要與按鈕進行交互,則可以添加Label
。
創建方動態:
public void CreateSquare(int size)
{
//Remove previously created controls and free resources
foreach (Control item in this.Controls)
{
this.Controls.Remove(item);
item.Dispose();
}
//Create TableLayoutPanel
var panel = new TableLayoutPanel();
panel.RowCount = size;
panel.ColumnCount = size;
panel.BackColor = Color.Black;
//Set the equal size for columns and rows
for (int i = 0; i < size; i++)
{
var percent = 100f/(float)size;
panel.ColumnStyles.Add(new ColumnStyle(SizeType.Percent, percent));
panel.RowStyles.Add(new RowStyle(SizeType.Percent, percent));
}
//Add buttons, if you have your desired output in an array
//you can set the text of buttons from your array
for (var i = 0; i < size; i++)
{
for (var j = 0; j < size; j++)
{
var button = new Button();
button.BackColor = Color.Lime;
button.Font = new Font(button.Font.FontFamily, 20, FontStyle.Bold);
button.FlatStyle = FlatStyle.Flat;
//you can set the text of buttons from your array
//For example button.Text = array[i,j].ToString();
button.Text = string.Format("{0}", (i) * size + j + 1);
button.Name = string.Format("Button{0}", button.Text);
button.Dock = DockStyle.Fill;
//If you need interaction with buttons
button.Click += b_Click;
panel.Controls.Add(button, j, i);
}
}
panel.Dock = DockStyle.Fill;
this.Controls.Add(panel);
}
如果您需要按鍵交互
void button_Click(object sender, EventArgs e)
{
var button = (Button)sender;
//Instead put your logic here
MessageBox.Show(string.Format("You clicked {0}", button.Text));
}
舉個例子,你可以叫
CreateSquare(3);
截圖:
您可以使用'TableLayoutPanel'並向面板動態添加按鈕。 –