其他分享
首页 > 其他分享> > 使用Unity制作像天天酷跑一样的跑酷游戏——第四篇:使用脚本控制跑酷角色

使用Unity制作像天天酷跑一样的跑酷游戏——第四篇:使用脚本控制跑酷角色

作者:互联网

文章目录

一、前言

嗨,大家好,我是新发,今天是大年初五,大家牛年快乐,牛气冲天。
我打算写一篇使用Unity制作像天天酷跑一样的游戏的教程,会按功能点分成多篇文章来讲,希望可以帮助一些想学Unity的同学。
注:我使用的Unity版本是2020.1.14f1c1。

本节我将讲下如何脚本控制跑酷角色,本节的效果:
在这里插入图片描述

二、给角色添加碰撞器

给角色添加BoxCollider2DRigidbody2D组件。
在这里插入图片描述
调整角色的重力大小Gravity Scale,这样角色会有下落的效果。
另外把Freeze Rotation Z勾选上,防止角色碰到地面的时候发生z轴的旋转。
在这里插入图片描述
调整碰撞器的大小和位置,使其与角色主体相符。
在这里插入图片描述
如下:
在这里插入图片描述

三、给地面设置Tag

为了检测角色是否碰撞到地面,我们给地面设置一个Tag
首先创建一个GroundTag
在这里插入图片描述
将地面的Tag设置为Ground
在这里插入图片描述

四、创建Player脚本

创建Player.cs脚本,挂到role预设上。
在这里插入图片描述
脚本代码如下:

using UnityEngine;

public class Player : MonoBehaviour
{
    /// <summary>
    /// 跳跃次数
    /// </summary>
    private int m_jumpCount = 0;

    private Animator m_ani;
    private Rigidbody2D m_rig;

    /// <summary>
    /// 一段跳速度
    /// </summary>
    public float JumpSpeed = 20;
    /// <summary>
    /// 二段跳速度
    /// </summary>
    public float SecondJumpSpeed = 15;

    void Start()
    {
        m_ani = gameObject.GetComponent<Animator>();
        m_rig = gameObject.GetComponent<Rigidbody2D>();
    }

   
    void Update()
    {
        // 按下空白键
        if (Input.GetKeyDown(KeyCode.Space))
        {
            if (0 == m_jumpCount)   //一段
            {
                m_ani.SetBool("IsJumping1", true);
                m_rig.velocity = new Vector2(0, JumpSpeed);
                ++m_jumpCount;
            }
            else if (1 == m_jumpCount)  //二段
            {
                m_ani.SetBool("IsJumping2", true);
                m_rig.velocity = new Vector2(0, SecondJumpSpeed);
                ++m_jumpCount;
            }
        }
    }

    /// <summary>
    /// 碰撞事件方法
    /// </summary>
    /// <param name="other"></param>
	void OnCollisionEnter2D(Collision2D other)
    {
        if (other.gameObject.tag == "Ground")
        {
            // 碰撞到地面
            m_ani.SetBool("IsJumping1", false);
            m_ani.SetBool("IsJumping2", false);

            m_jumpCount = 0;
        }
        
    }
}

五、运行测试

运行Unity,效果如下:
在这里插入图片描述
下一节讲游戏结束和重新开始的控制。

标签:跑酷,角色,jumpCount,碰撞,ani,Unity,Tag,酷跑
来源: https://blog.csdn.net/linxinfa/article/details/113826457