forms实现俄罗斯方块

news2025/4/2 23:56:56

说明:
我希望用forms实现俄罗斯方块
效果图:
在这里插入图片描述

step1:C:\Users\wangrusheng\RiderProjects\WinFormsApp2\WinFormsApp2\Form1.cs

using System;
using System.Collections.Generic;
using System.Drawing;
using System.Windows.Forms;

namespace WinFormsApp2
{
    public partial class Form1 : Form
    {
        // 游戏常量
        private readonly int cellSize = 25;
        private readonly int cols = 10;
        private readonly int rows = 20;
        
        // 游戏状态
        private int[,] board;
        private int[,] currentBlock;
        private Point blockPosition;
        private int score;
        private System.Windows.Forms.Timer gameTimer;
        private bool isPlaying;
        private bool isPaused;

        // UI控件
        private Button startButton, pauseButton, stopButton;
        private Button leftButton, rightButton, downButton, rotateButton;
        private Label scoreLabel;

        // 方块形状
        private readonly List<int[][,]> shapes = new List<int[][,]> 
        {
            new int[][,] { new int[,] {{1,1,1,1}} },    // I
            new int[][,] { new int[,] {{1,1}, {1,1}} }, // O
            new int[][,] { new int[,] {{1,1,1}, {0,1,0}} }, // T
            new int[][,] { new int[,] {{1,1,0}, {0,1,1}} }, // Z
            new int[][,] { new int[,] {{0,1,1}, {1,1,0}} }, // S
            new int[][,] { new int[,] {{1,1,1}, {0,0,1}} }, // L
            new int[][,] { new int[,] {{1,1,1}, {1,0,0}} }  // J
        };

        public Form1()
        {
            InitializeComponent();
            InitializeGame();
            InitializeControls();
            this.DoubleBuffered = true;
            this.Paint += Form1_Paint;
            this.KeyDown += Form1_KeyDown;
        }

        private void InitializeGame()
        {
            board = new int[rows, cols];
            gameTimer = new System.Windows.Forms.Timer { Interval = 600 };
            gameTimer.Tick += GameLoop;
        }

        private void InitializeControls()
        {
            // 分数显示
            scoreLabel = new Label
            {
                Text = "得分: 0",
                Location = new Point(cols * cellSize + 20, 370),
                Size = new Size(150, 20),
                Font = new Font("微软雅黑", 10)
            };

            // 游戏控制按钮
            startButton = new Button
            {
                Text = "开始游戏",
                Location = new Point(cols * cellSize + 20, 20),
                Size = new Size(120, 40),
                Font = new Font("微软雅黑", 10)
            };
            startButton.Click += StartButton_Click;

            pauseButton = new Button
            {
                Text = "暂停游戏",
                Location = new Point(cols * cellSize + 20, 70),
                Size = new Size(120, 40),
                Enabled = false,
                Font = new Font("微软雅黑", 10)
            };
            pauseButton.Click += PauseButton_Click;

            stopButton = new Button
            {
                Text = "结束游戏",
                Location = new Point(cols * cellSize + 20, 120),
                Size = new Size(120, 40),
                Enabled = false,
                Font = new Font("微软雅黑", 10)
            };
            stopButton.Click += StopButton_Click;

            // 方向控制按钮(垂直布局)
            int buttonY = 170;
            leftButton = new Button
            {
                Text = "左移",
                Location = new Point(cols * cellSize + 20, buttonY),
                Size = new Size(120, 40),
                Font = new Font("微软雅黑", 10),
                Enabled = false
            };
            leftButton.Click += (s, e) => MoveBlock(-1, 0);

            buttonY += 50;
            rightButton = new Button
            {
                Text = "右移",
                Location = new Point(cols * cellSize + 20, buttonY),
                Size = new Size(120, 40),
                Font = new Font("微软雅黑", 10),
                Enabled = false
            };
            rightButton.Click += (s, e) => MoveBlock(1, 0);

            buttonY += 50;
            downButton = new Button
            {
                Text = "下移",
                Location = new Point(cols * cellSize + 20, buttonY),
                Size = new Size(120, 40),
                Font = new Font("微软雅黑", 10),
                Enabled = false
            };
            downButton.Click += (s, e) => MoveBlock(0, 1);

            buttonY += 50;
            rotateButton = new Button
            {
                Text = "旋转",
                Location = new Point(cols * cellSize + 20, buttonY),
                Size = new Size(120, 40),
                Font = new Font("微软雅黑", 10),
                Enabled = false
            };
            rotateButton.Click += (s, e) => { if (isPlaying && !isPaused) RotateBlock(); };

            // 添加控件
            Controls.AddRange(new Control[] {
                scoreLabel,
                startButton, pauseButton, stopButton,
                leftButton, rightButton, downButton, rotateButton
            });

            // 设置窗体属性
            Text = "俄罗斯方块";
            ClientSize = new Size(cols * cellSize + 220, Math.Max(rows * cellSize + 50, 450));
            FormBorderStyle = FormBorderStyle.FixedSingle;
            MaximizeBox = false;
        }

        private void CreateBlock()
        {
            var random = new Random();
            var shape = shapes[random.Next(shapes.Count)];
            currentBlock = shape[0];
            blockPosition = new Point(
                (cols - currentBlock.GetLength(1)) / 2,
                0
            );
        }

        private bool CheckCollision(int dx, int dy)
        {
            for (int i = 0; i < currentBlock.GetLength(0); i++)
            {
                for (int j = 0; j < currentBlock.GetLength(1); j++)
                {
                    if (currentBlock[i, j] == 1)
                    {
                        int nx = blockPosition.X + j + dx;
                        int ny = blockPosition.Y + i + dy;

                        if (nx < 0 || nx >= cols || ny >= rows)
                            return true;

                        if (ny >= 0 && board[ny, nx] != 0)
                            return true;
                    }
                }
            }
            return false;
        }

        private void MergeBlock()
        {
            for (int i = 0; i < currentBlock.GetLength(0); i++)
            {
                for (int j = 0; j < currentBlock.GetLength(1); j++)
                {
                    if (currentBlock[i, j] == 1)
                    {
                        int y = blockPosition.Y + i;
                        int x = blockPosition.X + j;
                        if (y >= 0) board[y, x] = 1;
                    }
                }
            }
        }

        private void ClearLines()
        {
            int lines = 0;
            for (int y = rows - 1; y >= 0; y--)
            {
                bool full = true;
                for (int x = 0; x < cols; x++)
                {
                    if (board[y, x] == 0)
                    {
                        full = false;
                        break;
                    }
                }

                if (full)
                {
                    lines++;
                    for (int yy = y; yy > 0; yy--)
                    {
                        for (int x = 0; x < cols; x++)
                        {
                            board[yy, x] = board[yy - 1, x];
                        }
                    }
                    y++;
                }
            }
            score += lines * 100;
            scoreLabel.Text = $"得分: {score}";
        }

        private void GameLoop(object sender, EventArgs e)
        {
            if (!CheckCollision(0, 1))
            {
                blockPosition.Y++;
            }
            else
            {
                MergeBlock();
                ClearLines();
                CreateBlock();
                if (CheckCollision(0, 0))
                {
                    GameOver();
                }
            }
            Invalidate();
        }

        private void GameOver()
        {
            gameTimer.Stop();
            isPlaying = false;
            MessageBox.Show("游戏结束!最终得分: " + score);
            ToggleControls(false);
        }

        private void StartGame()
        {
            board = new int[rows, cols];
            score = 0;
            scoreLabel.Text = "得分: 0";
            isPlaying = true;
            isPaused = false;
            CreateBlock();
            gameTimer.Start();
            ToggleControls(true);
        }

        private void ToggleControls(bool enable)
        {
            pauseButton.Enabled = enable;
            stopButton.Enabled = enable;
            leftButton.Enabled = enable;
            rightButton.Enabled = enable;
            downButton.Enabled = enable;
            rotateButton.Enabled = enable;
        }

        private void MoveBlock(int dx, int dy)
        {
            if (isPlaying && !isPaused && !CheckCollision(dx, dy))
            {
                blockPosition.X += dx;
                blockPosition.Y += dy;
                Invalidate();
            }
        }

        private void RotateBlock()
        {
            var rotated = new int[currentBlock.GetLength(1), currentBlock.GetLength(0)];
            for (int i = 0; i < currentBlock.GetLength(0); i++)
            {
                for (int j = 0; j < currentBlock.GetLength(1); j++)
                {
                    rotated[j, currentBlock.GetLength(0) - 1 - i] = currentBlock[i, j];
                }
            }

            var original = currentBlock;
            currentBlock = rotated;

            int offset = 0;
            while (CheckCollision(0, 0))
            {
                offset++;
                blockPosition.X += blockPosition.X >= cols / 2 ? -1 : 1;
                if (offset > 2)
                {
                    currentBlock = original;
                    return;
                }
            }
        }

        private void Form1_Paint(object sender, PaintEventArgs e)
        {
            var g = e.Graphics;
            
            // 绘制游戏板
            for (int y = 0; y < rows; y++)
            {
                for (int x = 0; x < cols; x++)
                {
                    var brush = board[y, x] != 0 ? Brushes.Red : Brushes.Black;
                    g.FillRectangle(brush, x * cellSize, y * cellSize, cellSize - 1, cellSize - 1);
                }
            }

            // 绘制当前方块
            if (currentBlock != null)
            {
                for (int i = 0; i < currentBlock.GetLength(0); i++)
                {
                    for (int j = 0; j < currentBlock.GetLength(1); j++)
                    {
                        if (currentBlock[i, j] == 1)
                        {
                            int x = (blockPosition.X + j) * cellSize;
                            int y = (blockPosition.Y + i) * cellSize;
                            g.FillRectangle(Brushes.Green, x, y, cellSize - 1, cellSize - 1);
                        }
                    }
                }
            }
        }

        private void Form1_KeyDown(object sender, KeyEventArgs e)
        {
            if (!isPlaying || isPaused) return;

            switch (e.KeyCode)
            {
                case Keys.Left:
                    if (!CheckCollision(-1, 0)) blockPosition.X--;
                    break;
                case Keys.Right:
                    if (!CheckCollision(1, 0)) blockPosition.X++;
                    break;
                case Keys.Down:
                    if (!CheckCollision(0, 1)) blockPosition.Y++;
                    break;
                case Keys.Up:
                    RotateBlock();
                    break;
            }
            Invalidate();
        }

        private void StartButton_Click(object sender, EventArgs e) => StartGame();

        private void PauseButton_Click(object sender, EventArgs e)
        {
            isPaused = !isPaused;
            if (isPaused)
            {
                gameTimer.Stop();
                pauseButton.Text = "继续游戏";
            }
            else
            {
                gameTimer.Start();
                pauseButton.Text = "暂停游戏";
            }
        }

        private void StopButton_Click(object sender, EventArgs e)
        {
            gameTimer.Stop();
            isPlaying = false;
            ToggleControls(false);
            board = new int[rows, cols];
            Invalidate();
        }

  
    }
}

end

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.coloradmin.cn/o/2326858.html

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈,一经查实,立即删除!

相关文章

PHP回调后门

1.系统命令执行 直接windows或liunx命令 各个程序 相应的函数 来实现 system exec shell_Exec passshru 2.执行代码 eval assert php代码 系统 <?php eval($_POST) <?php assert($_POST) 简单的测试 回调后门函数call_user_func(1,2) 1是回调的函数 2是回调…

实操自动生成接口自动化测试用例

​这期抽出来的问题是关于如何使用Eolinker自动生成接口自动化测试用例&#xff0c;也就是将API文档变更同步到测试用例&#xff0c;下面是流程的示例解析。 导入并关联API文档和自动化测试用例 首先是登陆Eolinker&#xff0c;可以直接在线使用。 进入流程测试用例详情页&am…

Python数据类型-dict

Python数据类型-dict 字典是Python中一种非常强大且常用的数据类型&#xff0c;它使用键-值对(key-value)的形式存储数据。 1. 字典的基本特性 无序集合&#xff1a;字典中的元素没有顺序概念可变(mutable)&#xff1a;可以动态添加、修改和删除元素键必须唯一且不可变&…

0301-组件基础-react-仿低代码平台项目

文章目录 1 组件基础2 组件props3 React开发者工具结语 1 组件基础 React中一切都是组件&#xff0c;组件是React的基础。 组件就是一个UI片段拥有独立的逻辑和显示组件可大可小&#xff0c;可嵌套 组件的价值和意义&#xff1a; 组件嵌套来组织UI结构&#xff0c;和HTML一…

18-背景渐变与阴影(CSS3)

知识目标 理解背景渐变的概念和作用掌握背景渐变样式属性的语法与使用理解阴影效果的原理和应用场景掌握阴影样式属性的语法与使用 1. 背景渐变 1.1 线性渐变 运用CSS3中的“background-image:linear-gradient&#xff08;参数值&#xff09;;”样式可以实现线性渐变效果。 …

UE5学习记录part12

第15节&#xff1a; treasure 154 treasure: spawn pickups from breakables treasure是items的子类 基于c的treasure生成蓝图类 155 spawning actors: spawning treasure pickups 设置treasure的碰撞 蓝图实现 156 spawning actors from c &#xff1a; spawning our treas…

鸿蒙开发03样式相关介绍(一)

文章目录 前言一、样式语法1.1 样式属性1.2 枚举值 二、样式单位三、图片资源3.1 本地资源3.2 内置资源3.3 媒体资源3.4 在线资源3.5 字体图标3.6 媒体资源 前言 ArkTS以声明方式组合和扩展组件来描述应用程序的UI&#xff0c;同时还提供了基本的属性、事件和子组件配置方法&a…

一周掌握Flutter开发--9. 与原生交互(上)

文章目录 9. 与原生交互核心场景9.1 调用平台功能&#xff1a;MethodChannel9.1.1 Flutter 端实现9.1.2 Android 端实现9.1.3 iOS 端实现9.1.4 使用场景 9.2 使用社区插件9.2.1 常用插件9.2.2 插件的优势 总结 9. 与原生交互 Flutter 提供了强大的跨平台开发能力&#xff0c;但…

鸿蒙阔折叠Pura X外屏开发适配

首先看下鸿蒙中断点分类 内外屏开合规则 Pura X开合连续规则: 外屏切换到内屏,界面可以直接接续。内屏(锁屏或非锁屏状态)切换到外屏,默认都显示为锁屏的亮屏状态。用户解锁后:对于应用已适配外屏的情况下,应用界面可以接续到外屏。折叠外屏显示展开内屏显示折叠状态…

小程序中跨页面组件共享数据的实现方法与对比

小程序中跨页面/组件共享数据的实现方法与对比 在小程序开发中&#xff0c;实现不同页面或组件之间的数据共享是常见需求。以下是几种主要实现方式的详细总结与对比分析&#xff1a; 一、常用数据共享方法 全局变量&#xff08;getApp()&#xff09;、本地缓存&#xff08;w…

Java 大视界 -- 基于 Java 的大数据分布式计算在基因测序数据分析中的性能优化(161)

&#x1f496;亲爱的朋友们&#xff0c;热烈欢迎来到 青云交的博客&#xff01;能与诸位在此相逢&#xff0c;我倍感荣幸。在这飞速更迭的时代&#xff0c;我们都渴望一方心灵净土&#xff0c;而 我的博客 正是这样温暖的所在。这里为你呈上趣味与实用兼具的知识&#xff0c;也…

DeepSeek-R1 模型现已在亚马逊云科技上提供

2025年3月10日更新—DeepSeek-R1现已作为完全托管的无服务器模型在Amazon Bedrock上提供。 2025年2月5日更新—DeepSeek-R1 Distill Llama 和 Qwen模型现已在Amazon Bedrock Marketplace和Amazon SageMaker JumpStart中提供。 在最近的Amazon re:Invent大会上&#xff0c;亚马…

Python数据可视化-第2章-使用matplotlib绘制简单图表

环境 开发工具 VSCode库的版本 numpy1.26.4 matplotlib3.10.1 ipympl0.9.7教材 本书为《Python数据可视化》一书的配套内容&#xff0c;本章为第2章 使用matplotlib绘制简单图表 本文主要介绍了折线图、柱形图或堆积柱形图、条形图或堆积条形图、堆积面积图、直方图、饼图或…

Redis 02

今天是2025/04/01 20:13 day 16 总路线请移步主页Java大纲相关文章 今天进行Redis 3,4,5 个模块的归纳 首先是Redis的相关内容概括的思维导图 3. 持久化机制&#xff08;深度解析&#xff09; 3.1 RDB&#xff08;快照&#xff09; 核心机制&#xff1a; 触发条件&#xff…

unity UI管理器

using System.Collections; using System.Collections.Generic; using UnityEngine; using UnityEngine.Events;// UI界面基类 public abstract class UIBase : MonoBehaviour {[Header("UI Settings")]public bool keepInStack true; // 是否保留在界面栈中public …

STRUCTBERT:将语言结构融入预训练以提升深度语言理解

【摘要】最近&#xff0c;预训练语言模型BERT&#xff08;及其经过稳健优化的版本RoBERTa&#xff09;在自然语言理解&#xff08;NLU&#xff09;领域引起了广泛关注&#xff0c;并在情感分类、自然语言推理、语义文本相似度和问答等各种NLU任务中达到了最先进的准确率。受到E…

16-CSS3新增选择器

知识目标 掌握属性选择器的使用掌握关系选择器的使用掌握结构化伪类选择器的使用掌握伪元素选择器的使用 如何减少文档内class属性和id属性的定义&#xff0c;使文档变得更加简洁&#xff1f; 可以通过属性选择器、关系选择器、结构化伪类选择器、伪元素选择器。 1. 属性选择…

SQL Server:用户权限

目录 创建 & 删除1. 创建用户命令整理创建 admin2 用户创建 admin_super 用户 2. 删除用户命令删除 admin2 用户删除 admin_super 用户 3. 创建时权限的区别admin2 用户权限admin_super 用户权限 查看方法一&#xff1a;使用对象资源管理器&#xff08;图形化界面&#xff…

服务器数据恢复—误格式化NTFS文件系统分区别慌,NTFS数据复活秘籍

NTFS文件系统下格式化在理论上不会对数据造成太大影响&#xff0c;但有可能造成部分文件目录结构丢失的情况。下面介绍一个人为误操作导致服务器磁盘阵列中的NTFS文件系统分区被格式化后的服务器数据恢复案例。 服务器数据恢复过程&#xff1a; 1、将故障服务器连接到一台备份…

【3】数据结构的双向链表章

目录标题 双向链表的定义双向链表的初始化双向链表的创建插入操作删除操作 双向链表总代码与调试 双向链表的定义 结点结构组成&#xff1a;数据域&#xff08;data&#xff09;、指针域&#xff08;pre&#xff09;、指针域&#xff08;next&#xff09;。其中&#xff0c; da…