游戏开发常见算法

1.根据权重获取不同的值:
算法思想:
代码实现:
_proto.randWeightEnemy = function (enemyIdMap, enemyIds, targetWeight, weightArray, monsterNumLimit) {
   console.log("目标权重值"+targetWeight); //targetWeight的值为1700
   var rd = utils.intRange(1, targetWeight + 1);
   var index = 0;
   for (var j = 0; j < weightArray.length; j++) { //weightArray=[1000,1500,1700]
      if (rd < weightArray[j]) {
           index = j;
           break;
      }
    }
    enemyId = enemyIds[index]; //根据不同权重的下标一一对应不同id
    if (!enemyIdMap[enemyId]) {
       enemyIdMap[enemyId] = 0;
    }
    //当前怪物id数量+1存为临时数量
    var tmpCount = enemyIdMap[enemyId] + 1;
    if (tmpCount > monsterNumLimit[index]) {
    //超出限制
      enemyId = this.randWeightEnemy(enemyIdMap, enemyIds, targetWeight, weightArray, monsterNumLimit);  //嵌套执行
    } else {
      enemyIdMap[enemyId]++;
    }
      return enemyId; //不同id对应不同的权重值
};

2.自由落体:
(1)数据初始化定义:
//自由落体 0.5*a*t^2
//方向
//加速度 a
this.a = 1; //图片的像素移动 像素/ms
//初速度 v0 vt 当前速度 = v0 + at
this.v0 = 0;

(2)求自由落体 物体 y轴 坐标值的变化值:
/**
*求自由落体 Y轴 坐标值
* @param t0 帧时间差
*/
_proto.freeFall = function (fk, t1, t0) {    //fk  是做自由落体的物体,t1 是上一帧动画所在的时间,t0是帧时间差
    if(!fk)return;
    //Math.pow(2,3) 8 js封装的求平方数的方法
    fk.y += (this.v0 + this.a * t1 + 0.5 * this.a * t0) * t0;
}

(3)更新自由落体动画:
/**
* 更新下落动画
*/
_proto.updateFallAnim = function () {
    if(!this.isPlayingFallAnim)return;
    var fkIndex, row, vFk;
    console.log("下落清单");
    console.log(this.fall_list);
    var deltaTime = Laya.timer.delta;//帧时间差ms
    //单个方块移到目标点 完成单个动画播放 移除动画清单单个方块
    var l = this.fall_list.length;
    for (fkIndex = 0; fkIndex < l; fkIndex++) {
        vFk = this.fall_list[fkIndex];
        console.log("可以下落的方块");
        console.log(vFk.fallMaxY);
        row = this._getRow(vFk.fallMaxY);
        this.markRow(vFk, row); //只是做了数据的标记和存储,没有做表现
        this.freeFall(vFk, this.fallAnimTime, deltaTime);
        if(vFk.y >= vFk.fallMaxY){                 //  vFk.fallMaxY 是做自由落体物品的目标Y值
            this.fall_list.remove(vFk);            //单个下落结束后,就把结束下落的方块从清单中移除
            this.onSingleFallAimCompelete(vFk);
            fkIndex--;                             //index 依赖于 l l必须更严谨,因为它被index依赖,所以l-- 放在 index--后边
            l--;                                   //重要性高,放后边处理,覆盖前边
        }
    }
    this.fallAnimTime += deltaTime;//记录已播动画时长
}

3.角度和弧度的转换:
 
公式为:角度=180°×弧度÷π   弧度=角度×π÷180°

/** 弧度转角度换算单位 */
GameSetting$.ANGLE_1_RAD = 180 / Math.PI;
/** 角度转弧度换算单位 */
GameSetting$.RAD_1_ANGLE = Math.PI / 180;
4.两点之间距离的算法:
dx = Math.abs(p2.clientX - p1.clientX);
dy = Math.abs(p2.clientY - p1.clientY);
var dis = Math.sqrt(Math.pow(dx,2)+Math.pow(dy,2));

5.根据两点间坐标,计算方向向量,转化为角度:
        let dx = headPos.x - tailPos.x;
        let dy = headPos.y - tailPos.y;

        //2d方向向量
        let angle = Math.atan2(dy,dx);  //弧度
        this.targetAngle$ = angle * GameSetting$.ANGLE_1_RAD-90;

6.已知起点坐标,角度,长度,求终点坐标:
    /**
     * 已知起点,角度,长度,求终点坐标
     * @param {*} startPoint
     * @param {*} angle 角度
     * @param {*} distance
     * @returns
     */
    static calNewPointByAngle2$(startPoint, angle, distance) {
        var endPoint = {};
        // 角度转弧度
        var radian = (angle * Math.PI) / 180;
        // 计算新坐标(对于无限接近0的数字,此处没有优化)
        endPoint.x = startPoint.x + distance * Math.sin(radian);
        endPoint.y = startPoint.y + distance * Math.cos(radian);
        return endPoint;
    }

7.瞄准器脚本:鼠标移动画出2d的可控制角度的瞄准线
import GameSetting$ from "../../../Config/GameSetting";
import EventManager$ from "../../../Manager/EventManager";
import SSEVENT$ from "../../../Config/SSEVENT";
/**
 * 触摸区域画轨迹线2d
 * created by tcy 20210826
 */
export default class TouchDrawPoint2D$ extends Laya.Script {
    constructor() {
        super();
        this._initData$();
    }

    _initData$() {
        /**鼠标按下的点 */
        this._touchDownPos$ = null;
        /**鼠标区域box */
        this._box$ = null;
        /** 鼠标移动的方向 */
        this._direction$ = new Laya.Vector2(0, 0);
        /** 贴图路径 */
        this.textureUrl$ = GameSetting$.LINE_TEXTURE_URL$;
        /** 最大点数 */
        this.maxPointCnt$ = GameSetting$.MAX_LINE_POINT_CNT$;
        /**点的数量 */
        this.pointCnt$ = 0;
        /** 当前点的集合 */
        this._curPoint$ = [];
        /** Y轴方向点的间隔距离*/
        this._pointDisY$ = 50;
        /** 临时点变量 */
        this._tempV2$ = new Laya.Point();
        /** 临时点变量2 */
        this._tempV2_2$ = new Laya.Point();

    }

    onAwake() {
        this._box$ = this.owner;
    }

    onEnable() {
        this.owner.on(Laya.Event.MOUSE_DOWN, this, this._onTouchDown$);
        this.owner.on(Laya.Event.MOUSE_MOVE, this, this._onTouchMove$);
        this.owner.on(Laya.Event.MOUSE_UP, this, this._onTouchUp$);
        this.owner.on(Laya.Event.MOUSE_OUT, this, this._onTouchOut$);
    }

    onStart() {

        this.loadResArray$();
    }

    /**
    * 加载资源清单
    */
    loadResArray$() {
        Laya.loader.load(this.textureUrl$, Laya.Handler.create(this, this.onResLoaded$));
    }

    /**
     * 当资源加载完成
     */
    onResLoaded$() {
        /** 贴图 */
        this.texture$ = Laya.loader.getRes(this.textureUrl$);
    }

    _onTouchDown$(e) {

        let t = this._box$.getMousePoint();
        this._touchDownPos$ = new Laya.Point(t.x, t.y);
        this.graphicsSp$ = this.owner.addChild(new Laya.Sprite());
        this.graphicsSp$.x = this._touchDownPos$.x;
        this.graphicsSp$.y = this._touchDownPos$.y;
        this.drawSingleLine$(new Laya.Point(0, 0), 0);
    }

    _onTouchMove$(e) {
        if (!this.graphicsSp$ || this.graphicsSp$.destroyed) return;
        let t = this._box$.getMousePoint();
        if (!this._touchDownPos$ || this._touchDownPos$.x === t.x && this._touchDownPos$.y === t.y) return false;
        let i = new Laya.Point(t.x - this._touchDownPos$.x, t.y - this._touchDownPos$.y);
        this._tempV2$.copy(i);
        this._tempV2$.normalize();
        this._direction$.setValue(this._tempV2$.x, this._tempV2$.y);
        let dis = this._touchDownPos$.distance(t.x, t.y);
        this._initRotation$ = Math.atan2(this._direction$.y, this._direction$.x);
        //点数越多,点与点之间的间隔越大
        if (!this.isFulll$() && dis > 50) {
            let pointNum = Math.max(1, Math.floor(dis / 50));
            for (var g = 1; g <= pointNum; g++) {
                let point = new Laya.Point(0, this._pointDisY$ * g);
                if (this._curPoint$.indexOf(point.y) != -1) continue;
                this.drawSingleLine$(point, g);
            }

        }
        this.graphicsSp$ && (this.graphicsSp$.rotation = this._initRotation$ * GameSetting$.ANGLE_1_RAD$);
        this.resetPoint$(dis);
    }

    resetPoint$(dis) {
        if (!this.graphicsSp$ || this.graphicsSp$.destroyed) return;
        let pointNum = this.graphicsSp$._children.length;
        let pointNode;
        let index = Math.max(1, Math.floor(dis / 50));
        let disY = this.pointCnt$ * 3 || 3;
        for (var i = 0; i < pointNum; i++) {
            pointNode = this.graphicsSp$._children[i];
            let point = new Laya.Point(0, disY * i++);
            let pointNew = this.getBPoint$(point, -this._initRotation$);
            pointNode.x = pointNew.x;
            pointNode.y = pointNew.y;
            pointNode.index$ > index ? pointNode.visible = false : pointNode.visible = true;
        }
    }



    _onTouchUp$(e) {
        if (!this._touchDownPos$) return;
        EventManager$.getInstance$().dispatchEvent$(SSEVENT$.PLAYER_JUMP$, [this._direction$, this.pointCnt$])
        this.clearLines$();
    }

    _onTouchOut$() {
        this.clearLines$();
    }

    getDirection$() {
        return this._direction$;
    }

    /**
     * 清除所有的线
     */
    clearLines$() {
        this.clearLineDatas$();
        this.clearLinesGraphic$();
    }

    /**
    * 清除线数据
    */
    clearLineDatas$() {
        this.pointCnt$ = 0;
        this._curPoint$ = [];

    }

    /**
    * 点数是否上限
    */
    isFulll$() {
        return this.maxPointCnt$ <= this.pointCnt$;
    }

    /**
     * 
     * @param {*} source 
     * @param {*} angle Angle为正时逆时针转动, 单位为弧度
     * @returns 
     */
    getBPoint$(source, angle) {
        let R;
        let rotation = Math.atan2(this._direction$.y, this._direction$.x);
        rotation += angle//旋转
        R = Math.sqrt(source.x * source.x + source.y * source.y)//半径
        this._tempV2_2$.x = Math.cos(rotation) * R;
        this._tempV2_2$.y = Math.sin(rotation) * R;
        return this._tempV2_2$;
    }

    /**
    * 画单条线
    */
    drawSingleLine$(point, index) {
        this.pointCnt$++;
        this._curPoint$.push(point.y);
        // let pointNew = this.getBPoint$(point, -this._initRotation$);
        let newPoint = this.graphicsSp$.addChild(new Laya.Image(this.textureUrl$));
        newPoint.index$ = index;
        // newPoint.x = pointNew.x;
        // newPoint.y = pointNew.y;
    }

    /**
    * 清除线条图像
    */
    clearLinesGraphic$() {
        this.graphicsSp$ && this.graphicsSp$.destroy();
    }

    onDestroy() {
        Laya.timer.clearAll(this);
        this.owner.off(Laya.Event.MOUSE_DOWN, this, this._onTouchDown$);//按下
        this.owner.off(Laya.Event.MOUSE_UP, this, this._onTouchUp$);         //弹起
        this.owner.off(Laya.Event.MOUSE_MOVE, this, this._onTouchMove$);//移动鼠标
        this.owner.off(Laya.Event.MOUSE_OUT, this, this._onTouchOut$);
    }
}

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

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

相关文章

基于SpringBoot实现的电影院售票系统

一、 系统架构 前端&#xff1a;html | jquery | bootstrap 后端&#xff1a;springboot | thymeleaf | spring-data-jpa 环境&#xff1a;jdk1.8 | mysql | maven 二、代码及数据库 三、功能介绍 01. 首页 02. 登录页 03. 管理端-电影列表 04. 管理端-添加电影 05. 管…

[PyTorch][chapter 4][李宏毅深度学习][Gradient Descent]

前言&#xff1a; 目录: 1: 梯度下降原理 2: 常见问题 3&#xff1a; 梯度更新方案 4&#xff1a; 梯度下降限制 一 梯度下降原理 机器学习的目标找到最优的参数,使得Loss 最小 为什么顺着梯度方向loss 就能下降了。主要原理是泰勒公式。 假设损失函数为 忽略二阶导数, 当 …

【Python】创建简单的Python微服务Demo与FastAPI

创建简单的Python微服务Demo与FastAPI 在微服务架构中&#xff0c;通过FastAPI框架创建一个简单的Python微服务Demo涉及多个步骤&#xff0c;包括定义服务、使用框架、进行通信等。在这篇文章中&#xff0c;我们将使用FastAPI框架创建两个简单的微服务&#xff0c;它们通过RES…

k8s部署单机模式的minio

k8s部署单机模式的minio 一、说明二、yaml内容三、步骤3.1 创建资源3.2 查看启动日志3.2 查看svc并访问控制台 一、说明 项目使用minio&#xff0c;准备在k8s环境部署一套minio试用。 1.关于minio的原理和概念参考: https://mp.weixin.qq.com/s?__bizMzI3MDM5NjgwNg&mid…

zabbix6.4监控交换机发现ICMP报错Ping item must have target or host interface specified

报错信息&#xff1a; 查看监控项&#xff1a; 修改键值&#xff1a; 保存再次检查&#xff0c;发现又报错/usr/sbin/fping: [2] No such file or directory 原因是&#xff0c;zabbix-server上没有安装fping工具 解决方法&#xff1a;yum install fping -y 之后数据采集正常…

Retrofit的转换器

一、前言 1.为什么要使用Retrofit转换器 在我们接受到服务器的响应后&#xff0c;目前无论是OkHttp还是Retrofit都只能接收到String字符串类型的数据&#xff0c;在实际开发中&#xff0c;我们经常需要对字符串进行解析将其转变为一个JavaBean对象&#xff0c;比如服务器响应…

12、pytest上下文友好的输出

官方实例 # content of test_assert2.py import pytestdef test_set_comparison():set1 set("1308")set2 set("8035")assert set1 set2def test_dict_comparison():dict_1 {name:陈畅,sex:男}dict_2 {name:赵宁,sex:女}assert dict_1 dict_2def tes…

神经网络常用归一化和正则化方法解析(一)

&#x1f380;个人主页&#xff1a; https://zhangxiaoshu.blog.csdn.net &#x1f4e2;欢迎大家&#xff1a;关注&#x1f50d;点赞&#x1f44d;评论&#x1f4dd;收藏⭐️&#xff0c;如有错误敬请指正! &#x1f495;未来很长&#xff0c;值得我们全力奔赴更美好的生活&…

代理IP和网络加速器的区别有哪些

随着互联网的普及&#xff0c;越来越多的人开始使用网络加速器来提高网络速度。然而&#xff0c;很多人并不清楚代理IP和网络加速器之间的区别。本文将详细介绍两者的概念及区别。 一、代理IP 代理IP是一种通过代理服务器进行网络连接的方式。在使用流冠代理IP时&#xff0c;用…

伴随高性能多级网关和多级分布式缓存架构应用实战经验

随着互联网业务的快速发展&#xff0c;对于高性能网络架构的需求越来越迫切。在这篇文章中&#xff0c;我们将介绍高性能多级网关和多级分布式缓存架构在实际应用中的经验&#xff0c;并提供相关示例代码。 一、高性能多级网关的设计与实现 高性能多级网关是一个重要的网络架构…

软件外包公司的核心竞争力

软件外包公司的核心竞争力可以涵盖多个方面&#xff0c;这取决于公司的战略、专业领域和市场定位。以下是一些可能构成软件外包公司核心竞争力的因素&#xff0c;希望对大家有所帮助。北京木奇移动技术有限公司&#xff0c;专业的软件外包开发公司&#xff0c;欢迎交流合作。 1…

js中hasOwnProperty() 方法详解

hasOwnProperty 会返回一个布尔值,判断对象中是否存在该属性,不是继承属性,和原型链上的属性,是对象自身的属性,有返回true,没有返回false hasOwnProperty() 方法是 Object 的原型方法&#xff08;也称实例方法&#xff09;&#xff0c;它定义在 Object.prototype 对象之上&am…

动能资讯 | 智慧汽车—城市NOA迎爆发

在特斯拉引领的 TransformerBev 架构驱动下&#xff0c;智驾算法趋近于端到端的智驾大模型&#xff0c;使得智能驾驶开始步入城市 NOA 新时代。 消费者认知增强&#xff0c;未来市场空间广阔。伴随城市 NOA 在 23-24 年的落地和普及、L3 法规在年内的落地&#xff0c;行业 0-1…

众里寻她千百度:使用Excalidraw一句话绘制进销存系统采购入库流程

引言&#xff1a; 本文将介绍如何使用Excalidraw这一在线绘图工具来绘制进销存系统中的采购入库流程&#xff0c;帮助您更好地理解和优化采购流程。 正文&#xff1a; 1. 打开Excalidraw网站&#xff1a; 在浏览器中输入"https://excalidraw.com"&#xff0c;打开Ex…

聚观早报 |真我GT5 Pro细节曝光;iQOO Neo9系列参数曝光

【聚观365】12月5日消息 真我GT5 Pro细节曝光 iQOO Neo9系列参数曝光 抖音商城双12好物节 蔚来正式获得独立造车资质 三星Galaxy S24 Ultra手写笔获认证 真我GT5 Pro细节曝光 今年的顶级旗舰大比拼也进入最后的高潮&#xff0c;剩余还未亮相的骁龙8 Gen3旗舰新机目前也基…

个体诊所电子处方系统哪个好用,推荐一款可以自由设置配方模板能够填写病历可以查询历史病历的门诊处方笺软件

一、前言 1、功能实用&#xff0c;操作简单&#xff0c;不会电脑也会操作&#xff0c;软件免安装&#xff0c;已内置数据库。 2、中医西医均可用此软件开电子处方&#xff0c;支持病历记录查询&#xff0c;药品进出库管理&#xff0c;支持配方模板一键导入电子处方。 二、电子…

Java 基础学习(五)面向对象编程-对象和类

1 类和对象 1.1 面向对象概述 1.1.1面向对象简史 面向对象编程思想最初的起源可以追溯到1960年的Simula语言&#xff0c;这被认为是第一个支持面向对象编程概念的语言。Simula引入了类、对象、继承等概念&#xff0c;将数据和操作进行封装。Simula的创始人奥利-约翰达尔&…

【数电笔记】09-逻辑代数的基本定律、常用公式

目录 说明&#xff1a; 逻辑代数的基本定律 1. 常量间的运算 2. 逻辑变量与常量的运算 3. 与普通代数相似的定律 4. 摩根定律&#xff08;反演律&#xff09; 5. 等式证明方法例题 逻辑代数的常用公式 1. 吸收律 2. 冗余律 3. 示例应用 4. 关于异或运算的一些公式 …

uniapp得app云打包问题

获取appid&#xff0c;具体可以查看详情 也可以配置图标&#xff0c;获取直接生成即可 发行 打包配置 自有证书测试使用时候不需要使用 编译打包 最后找到安装包apk安装到手机 打包前&#xff0c;图片命名使用要非中文&#xff0c;否则无法打包成功会报错

聊聊 Jetpack Compose 原理 -- Compose 是如何将数据转换成 UI 的?

Compose 是一个声明式的 UI 框架&#xff0c;提供了很多开箱即用的组件&#xff0c;比如 Text()、Button、Image() 等等&#xff0c;Compose 会经过几个不同的阶段&#xff0c;最终渲染出 UI 界面。 此转换过程分为【三个阶段】&#xff1a; 组合&#xff1a; 显示什么布局&a…