我是视觉C#
的新手我想制作一个预订系统(比如电影院),我已经使用面板创建了座位,每个座位都是40 * 40
这是我的代码:
private void panel2_Paint(object sender, PaintEventArgs e)
{
int a, b;
for (a = 0; a <= 1; a++)
{
for (b = 0; b < 12; b++)
{
Graphics g = e.Graphics;
g.FillRectangle(new SolidBrush(Color.White), b * 40, a * 40, 40, 40);
g.DrawRectangle(new Pen(Color.Black), b * 40, a * 40, 40, 40);
}
}
}
现在我想通过鼠标点击更改每个座位的颜色,以显示已选择的座位;但到目前为止没有运气
答案 0 :(得分:1)
不是使用Graphics
对象并直接绘制到表单,而是可以通过简单地设置BackColor属性来控制OnMouseClick属性,而{{3}}属性对应于{{ 3}}事件发生。
答案 1 :(得分:1)
最好为每个选定的座位创建单独的控件并处理他们的Click事件。在此示例中,我向PictureBox's
添加了24 Panel
。然后我将它们的索引放在Control的Tag
属性中,并附加了一个常见的Click事件处理程序。我还使用Bool
数组来跟踪所选状态。
public partial class Form1 : Form
{
bool[] selected = new bool[24];
public Form1()
{
InitializeComponent();
foreach (PictureBox pb in panel1.Controls)
{
pb.Click += new EventHandler(pictureBox_Click);
}
}
private void pictureBox_Click(object sender, EventArgs e)
{
PictureBox pb = (PictureBox)sender;
int index ;
if (int.TryParse(pb.Tag.ToString(), out index))
{
if (selected[index])
{
selected[index] = false;
pb.BackColor = Color.White;
}
else
{
selected[index] = true;
pb.BackColor = Color.Red;
}
}
}
}
如果你创建一个布尔数组来存储Seat的状态,你可以使用你拥有的东西,使用Panel的MouseDown事件设置变量并使与你的座位相关联的screeen矩形无效。
像这样。
public partial class Form1 : Form
{
bool[,] selected = new bool[2,12];
public Form1()
{
InitializeComponent();
}
private void panel1_Paint(object sender, PaintEventArgs e)
{
int a, b;
for (a = 0; a <= 1; a++)
{
for (b = 0; b < 12; b++)
{
if (selected[a, b])
{
e.Graphics.FillRectangle(new SolidBrush(Color.Red), b * 40, a * 40, 40, 40);
}
else
{
e.Graphics.FillRectangle(new SolidBrush(Color.White ), b * 40, a * 40, 40, 40);
}
e.Graphics.DrawRectangle(new Pen(Color.Black), b * 40, a * 40, 40, 40);
}
}
}
private void panel1_MouseDown(object sender, MouseEventArgs e)
{
int xPos, yPos;
xPos = e.X / 40;
yPos = e.Y / 40;
if ((xPos > 11) || (yPos > 1)) return;
if(selected[yPos,xPos])
selected[yPos, xPos] = false;
else
selected[yPos, xPos] = true;
((Panel)sender).Invalidate(new Rectangle(xPos * 40,yPos *40,40,40)) ;
}
}