两个图片框之间的冲突检测不起作用 C# 窗体



嗨,我正在开发一个涉及两个图片框的游戏,一个红色框和一个蓝色框。蓝色盒子由玩家控制,目标是与红色盒子碰撞,红色盒子每 5 秒传送到一个随机位置。我的问题是红色和蓝色框之间发生碰撞。碰撞时,红色框将传送到随机位置,但这并没有发生。

这是我的代码:

namespace block_game
{
    public partial class Form1 : Form
    {
        public Form1()
        {
            InitializeComponent();
            KeyDown += new KeyEventHandler(Form1_KeyDown);
            if (blue_box.Bounds.IntersectsWith(red_box.Bounds))
            {
                Tele();
            }

        }
        private void Form1_KeyDown(object sender, KeyEventArgs e)
        {
            int x = blue_box.Location.X;
            int y = blue_box.Location.Y;
            if (e.KeyCode == Keys.Right) x += 10;
            else if (e.KeyCode == Keys.Left) x -= 10;
            else if (e.KeyCode == Keys.Up) y -= 10;
            else if (e.KeyCode == Keys.Down) y += 10;
            blue_box.Location = new Point(x, y);
        }
        public Random r = new Random();
        private void tmrTele_Tick(object sender, EventArgs e)
        {
            tmrTele.Interval = 5000;
            Tele();
        }
        private void Tele()
        {
            int x = r.Next(0, 800 - red_box.Width);
            int y = r.Next(0, 500 - red_box.Width);
            red_box.Top = y;
            red_box.Left = x;
        }
    }
}

您需要在每次按下某个键时检查碰撞。试试这个:

    private void Form1_KeyDown(object sender, KeyEventArgs e)
    {
        int x = blue_box.Location.X;
        int y = blue_box.Location.Y;
        if (e.KeyCode == Keys.Right) x += 10;
        else if (e.KeyCode == Keys.Left) x -= 10;
        else if (e.KeyCode == Keys.Up) y -= 10;
        else if (e.KeyCode == Keys.Down) y += 10;
        blue_box.Location = new Point(x, y);
        if (blue_box.Bounds.IntersectsWith(red_box.Bounds))
        {
            //your logic to handle the collision 
        }
    }

注意:更好的方法是在红框重新定位时检查碰撞,因为当红色框撞到蓝色框时可能会有条件。

    private void Tele()
    {
        int x = r.Next(0, 800 - red_box.Width);
        int y = r.Next(0, 500 - red_box.Width);
        red_box.Top = y;
        red_box.Left = x;
        if (blue_box.Bounds.IntersectsWith(red_box.Bounds))
        {
            //your logic to handle the collision 
        }
    }

最新更新