用HTML5制作精美战机游戏

每天要被大学老师催H5作业👏🏻👏🏻👏🏻

不如看看本文,代码齐全,直接用来做参考案例👌🏻  

干货满满不看后悔👍👍👍

代码和图片压缩包完整下载链接---战机游戏下载

📝个人主页→数据挖掘博主ZTLJQ的主页

b1691e6f246947eeb06ee06469621bc2.gif

个人推荐python学习系列:

☄️爬虫JS逆向系列专栏 - 爬虫逆向教学

☄️python系列专栏 - 从零开始学python


以下是游戏画面

546f209c536845db8ed4cbe01e671189.png

 话不多说直接上代码!

<!DOCTYPE html>
<html>
<head>
    <title>ZT战机</title>
    <style>
        canvas {
            border: 1px solid #000;
            display: block;
            margin: 0 auto;
        }
    </style>
</head>
<body>
    <button onclick="startGame()">开始游戏</button>
    <button onclick="endGame()">结束游戏</button>
    <canvas id="gameCanvas" width="800" height="800"></canvas>

    <script>
        var game = {
            canvas: document.getElementById("gameCanvas"),
            context: null,
            player: null,
            bullets: [],
            enemies: [],
            score: 0,
            gameover: true,

            init: function() {
                this.context = this.canvas.getContext("2d");
                this.player = new Player(this.canvas.width / 2, this.canvas.height - 100);

                window.addEventListener("keydown", function(event) {
                    game.handleKeydown(event);
                });
                window.addEventListener("keyup", function(event) {
                    game.handleKeyup(event);
                });

                this.gameLoop();
            },

            startGame: function() {
                if (this.gameover) {
                    this.score = 0;
                    this.gameover = false;
                    this.bullets = [];
                    this.enemies = [];

                    this.spawnEnemies();

                    this.gameLoop();
                }
            },

            endGame: function() {
                this.gameover = true;
            },

            gameLoop: function() {
                if (!this.gameover) {
                    this.update();
                    this.draw();

                    requestAnimationFrame(function() {
                        game.gameLoop();
                    });
                }
            },

            update: function() {
                this.player.update();

                for (var i = this.bullets.length - 1; i >= 0; i--) {
                    var bullet = this.bullets[i];
                    bullet.update();
                    if (bullet.y < 0 || bullet.hit) {
                        this.bullets.splice(i, 1);
                    }
                }

                for (var i = this.enemies.length - 1; i >= 0; i--) {
                    var enemy = this.enemies[i];
                    enemy.update();

                    if (enemy.checkCollision(this.player)) {
                        this.gameover = true;
                    }

                    for (var j = this.bullets.length - 1; j >= 0; j--) {
                        var bullet = this.bullets[j];
                        if (bullet.checkCollision(enemy)) {
                            this.bullets.splice(j, 1);
                            this.enemies.splice(i, 1);
                            this.score += 10;
                            this.increaseDifficulty();
                            break;
                        }
                    }
                }
            },

            draw: function() {
                this.context.clearRect(0, 0, this.canvas.width, this.canvas.height);

                // 绘制游戏场景背景图
                var backgroundImage = new Image();
                backgroundImage.src = "background.jpg";
                this.context.drawImage(backgroundImage, 0, 0, this.canvas.width, this.canvas.height);

                this.player.draw(this.context);

                for (var i = 0; i < this.bullets.length; i++) {
                    var bullet = this.bullets[i];
                    bullet.draw(this.context);
                }

                for (var i = 0; i < this.enemies.length; i++) {
                    var enemy = this.enemies[i];
                    enemy.draw(this.context);
                }

                this.context.fillStyle = "#000";
                this.context.font = "20px Arial";
                this.context.fillText("Score: " + this.score, 10, 30);

                if (this.gameover) {
                    this.context.fillStyle = "#000";
                    this.context.font = "40px Arial";
                    this.context.fillText("Game Over", this.canvas.width / 2 - 100, this.canvas.height / 2);
                }
            },

            handleKeydown: function(event) {
                if (event.keyCode === 37) {
                    this.player.moveLeft();
                } else if (event.keyCode === 39) {
                    this.player.moveRight();
                } else if (event.keyCode === 32) {
                    if (!this.gameover) {
                        var bullet = this.player.shoot();
                        this.bullets.push(bullet);
                    }
                }
            },

            handleKeyup: function(event) {
                if (event.keyCode === 37 || event.keyCode === 39) {
                    this.player.stopMove();
                }
            },

            spawnEnemies: function() {
                if (!this.gameover) {
                    var enemyCount = Math.floor(Math.random() * 3) + 1; // 随机生成 1 到 3 个敌人

                    for (var i = 0; i < enemyCount; i++) {
                        var x = Math.random() * (this.canvas.width - 50);
                        var y = Math.random() * -200; // 从屏幕上方随机生成

                        // 创建不同种类的敌机
                        var enemyType = Math.random();
                        var enemy;

                        if (enemyType < 0.5) {
                            enemy = new Enemy1(x, y);
                        } else {
                            enemy = new Enemy2(x, y);
                        }

                        this.enemies.push(enemy);
                    }

                    setTimeout(function() {
                        game.spawnEnemies();
                    }, 2000); // 每隔 2 秒生成一波敌人
                }
            },

            increaseDifficulty: function() {
                if (this.score % 50 === 0) {
                    for (var i = 0; i < this.enemies.length; i++) {
                        this.enemies[i].speed += 0.5;
                    }
                }
            }
        };

        function Player(x, y) {
            this.x = x;
            this.y = y;
            this.width = 80;
            this.height = 60;
            this.speed = 8;
            this.isMovingLeft = false;
            this.isMovingRight = false;
            this.image = new Image();
            this.image.src = "player.png";
        }

        Player.prototype.update = function() {
            if (this.isMovingLeft) {
                this.moveLeft();
            } else if (this.isMovingRight) {
                this.moveRight();
            }
        };

        Player.prototype.draw = function(context) {
            context.drawImage(this.image, this.x, this.y, this.width, this.height);
        };

        Player.prototype.moveLeft = function() {
            if (this.x > 0) {
                this.x -= this.speed;
            }
        };

        Player.prototype.moveRight = function() {
            if (this.x + this.width < game.canvas.width) {
                this.x += this.speed;
            }
        };

        Player.prototype.stopMove = function() {
            this.isMovingLeft = false;
            this.isMovingRight = false;
        };

        Player.prototype.shoot = function() {
            var bullet = new Bullet(this.x + this.width / 2, this.y);
            return bullet;
        };

        function Bullet(x, y) {
            this.x = x;
            this.y = y;
            this.width = 10;
            this.height = 30;
            this.speed = 5;
            this.hit = false;
            this.image = new Image();
            this.image.src = "bullet.png";
        }

        Bullet.prototype.update = function() {
            this.y -= this.speed;
        };

        Bullet.prototype.draw = function(context) {
            context.drawImage(this.image, this.x, this.y, this.width, this.height);
        };

        Bullet.prototype.checkCollision = function(object) {
            if (
                this.x < object.x + object.width &&
                this.x + this.width > object.x &&
                this.y < object.y + object.height &&
                this.y + this.height > object.y
            ) {
                this.hit = true;
                return true;
            }
            return false;
        };

        function Enemy1(x, y) {
            this.x = x;
            this.y = y;
            this.width = 80;
            this.height = 60;
            this.speed = Math.random() * 2 + 1;
            this.image = new Image();
            this.image.src = "enemy1.png";
        }

        Enemy1.prototype.update = function() {
            this.y += this.speed;
        };

        Enemy1.prototype.draw = function(context) {
            context.drawImage(this.image, this.x, this.y, this.width, this.height);
        };

        Enemy1.prototype.checkCollision = function(object) {
            if (
                this.x < object.x + object.width &&
                this.x + this.width > object.x &&
                this.y < object.y + object.height &&
                this.y + this.height > object.y
            ) {
                return true;
            }
            return false;
        };

        function Enemy2(x, y) {
            this.x = x;
            this.y = y;
            this.width = 80;
            this.height = 60;
            this.speed = Math.random() * 2 + 1;
            this.image = new Image();
            this.image.src = "enemy2.png";
        }

        Enemy2.prototype.update = function() {
            this.y += this.speed;
        };

        Enemy2.prototype.draw = function(context) {
            context.drawImage(this.image, this.x, this.y, this.width, this.height);
        };

        Enemy2.prototype.checkCollision = function(object) {
            if (
                this.x < object.x + object.width &&
                this.x + this.width > object.x &&
                this.y < object.y + object.height &&
                this.y + this.height > object.y
            ) {
                return true;
            }
            return false;
        };

        var startGame = function() {
            game.startGame();
        };

        var endGame = function() {
            game.endGame();
        };

        game.init();
    </script>
</body>
</html>

其中的background bullet这些图片你可用使用自己想要图片进行替换

 

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

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

最终版:1分钟自动部署数字人平台并提供web服务:唇形合成(wav2lip) + 超分修复(codeformer),

Demo效果 本文实现步骤:数字人形象(AI绘画) -> 文字转语音(谷歌tts) -> 表情迁移 -> 唇形合成 -> 视频超分 上述步骤所有技术均已在此专栏发布,可点击上方专栏查看具体博文 所有技术依赖环境及api接口均封装打包完毕,使用docker一键部署,预计耗时10分钟 原图 …

【unity】URP的shader开发中支持多光源,_ADDITIONAL_LIGHTS_VERTEX 和 _ADDITIONAL_LIGHTS 区别

项目里有一个其他同事实现的shader&#xff0c;美术那边希望能支持多个光源&#xff0c; 我一看代码里面&#xff0c; frag 函数里已经实现了 #ifdef _ADDITIONAL_LIGHTSuint pixelLightCount GetAdditionalLightsCount();for (uint lightIndex 0u; lightIndex < pixelL…

开源软件介绍——开源基金会和开源许可证

我是荔园微风&#xff0c;作为一名在IT界整整25年的老兵&#xff0c;今天我们来看一看世界范围内知名的开源基金会和开源许可证。 开源基金会 基金会是开源生态中的一个重要组成部分&#xff0c;用于资金的筹集与开源项目的前期资助与后期的发展。这里将介绍部分重要基金会&am…

阿里云备案服务码申请方法流程

阿里云备案服务码是什么&#xff1f;ICP备案服务码怎么获取&#xff1f;阿里云备案服务码分为免费和付费两种&#xff0c;申请备案服务码是有限制条件的&#xff0c;需要你的阿里云账号下有可用于申请备案服务码的云产品&#xff0c;如云服务器、建站产品、虚拟主机等&#xff…

Nginx+Tomcat负载均衡、动静分离群集

文章目录 NginxTomcat负载均衡、动静分离群集一.Nginx应用二.部署案例过程&#xff08;7层反向代理&#xff09;关闭防火墙与selinux 1.部署Nginx负载均衡器&#xff08;7-3&#xff09;2.部署Tomcat应用服务器&#xff08;7-2&#xff09;3.部署Tomcat多实例应用服务器&#x…

简单学生管理系统

简单学生管理系统(Java)_封奚泽优的博客-CSDN博客https://blog.csdn.net/weixin_64066303/article/details/130667107?spm1001.2014.3001.5501 转载请注明出处&#xff0c;尊重作者劳动成果。 目录 前期准备&#xff1a; 数据库的连接&#xff1a; 用户账号类&#xff1a;…

集权设施管理-AD域安全策略(二)

活动目录&#xff08;AD&#xff09;凭借其独特管理优势&#xff0c;从众多企业管理服务中脱颖而出&#xff0c;成为内网管理中的佼佼者。采用活动目录来管理的内网&#xff0c;称为AD域。 了解AD域&#xff0c;有助于企业员工更好地与其它部门协作&#xff0c;同时提高安全意…

【游戏编程扯淡精粹】工作第三年总结

工作第三年总结 文章目录 工作第三年总结#1 做了什么自研路线Lua 脚本系统ToolX #2 职业发展如何做事技术中台化内卷的职业市场个人成长 #3 心态建设Owner vs 打工人 今年仍然是个人成长视角更多一些&#xff0c;额外新学到的重点是&#xff0c;借助团队力量 先介绍两个词&…

python生成日报

目录 一&#xff1a;日报生成工具二&#xff1a;日报工具使用方式三&#xff1a;最终日报生成展示 一&#xff1a;日报生成工具 #!/usr/bin/python # coding:utf8class GetHtml(object):def __init__(self):self._html_head """<html><body style&qu…

线性神经网络

线性神经网络 我们应该从线性神经网络开始&#xff0c;去逐步了解深度神经网络&#xff08;深度学习&#xff09;的各种复杂结构和底层原理。 1. 线性回归 用一个线性的模型来拟合数据与它们的标签之间的映射&#xff0c;用于回归问题。 1.1 构造线性模型&#xff1a; y ω…

Hibernate框架【一】——HIbernate框架介绍

系列文章目录 Hibernate框架【三】——基本映射——一对一映射 Hibernate框架【四】——基本映射——多对一和一对多映射 Hibernate框架【五】——基本映射——多对多映射 Hibernate框架介绍 系列文章目录前言一、什么是HIbernate框架Hibernate架构图Hibernate提供的核心功能和…

MIT 6.S081 (BOOK-RISCV-REV1)教材第三章内容

MIT 6.S081 教材第三章内容 引言页表分页硬件内核地址空间物理内存分配代码&#xff08;物理内存分配&#xff09;kinit函数kfree函数kalloc函数 代码&#xff1a;创建一个地址空间kvminit 函数kvmmap函数walk函数kvminithart函数procinit函数 进程地址空间代码&#xff1a;sbr…

Java企业级开发学习笔记(4.4)Spring Boot加载自定义配置文件

一、使用PropertySource加载自定义配置文件 1.1 创建Spring Boot项目 创建Spring Boot项目 单击【创建】按钮 1.2 创建自定义配置文件 在resources里创建myconfig.properties文件 设置文件编码 设置学生的四个属性值 1.3 创建自定义配置类 在cn.kox.boot包里创建confi…

npm发布自己的包

按照上面流程操作

App 启动速度优化

前言​​​​​​​ APP打开的一瞬间速度快慢&#xff1b;就好比人的第一印象&#xff0c;快速的打开一个应用往往给人很舒服的体验。app经常性卡顿启动速度很慢&#xff0c;这无疑是对用户的流失。 启动方式介绍 APP启动的方式分为3种&#xff1a;冷启动、热启动、温启动。…

【服务器数据恢复】RAID5重建导致数据丢失的数据恢复案例

服务器数据恢复环境&#xff1a; HP某型号服务器&#xff0c;5块硬盘组建了一组raid5磁盘阵列。 服务器故障&分析&#xff1a; 服务器在工作过程中&#xff0c;raid5磁盘阵列中的一块磁盘掉线&#xff0c;由于raid5的容错特点&#xff0c;raid阵列未受影响&#xff0c;工作…

服务网格领域的百花齐放,是否存在一个更优解?

作者 lingsamuel&#xff0c;API7.ai 云原生技术专家&#xff0c;Apache APISIX Committer。作者 林志煌&#xff0c;API7.ai 技术工程师&#xff0c;Apache APISIX contributor。 服务网格是一种技术架构&#xff0c;它用于管理微服务系统中各个服务之间的通信&#xff0c;旨在…

Spring MVC入门笔记

Spring MVC基础知识 1. 创建web应用 新建Maven项目 点击File -> Project Structure -> Facets -> 号 -> Web 修改文件描述符路径为硬盘:\项目名\src\main\存储页面的文件夹&#xff08;如&#xff1a;webapp&#xff09;\WEB-INF\web.xml 修改Web页面路径为硬盘…

Spring Security --- Thymeleaf 中 Spring Security 的使用

目录 初步 获取属性 权限判断 初步 Spring Security可以在一些视图技术中进行控制显示效果例如&#xff1a;JSP或Thymeleaf在非前后端分离且使用Spring Boot的项目中多使用Thymeleaf作为视图展示技术Thymeleaf对Spring Security的支持都放在thymeleaf-extras-springsecurity…

数据清洗、数据处理入门!R语言我来了,数据不再零散!

一、引言 数据清洗和预处理是数据科学中必不可少的一部分&#xff0c;它们能够帮助我们准确地分析和预测未来趋势。如果你曾经尝试过进行分析或建模&#xff0c;你会发现数据往往不像我们所想象的那样干净、整洁。需要对数据进行仔细的检查、清理和处理&#xff0c;才能真正把…