本讲进行Unity的第二个案例练习,预计10个小时,会同时更新博客。熟悉Unity的一些简单操作。
1 搭建环境
1.1 设计地面
data:image/s3,"s3://crabby-images/9d504/9d504348fb645bc338abb42c7eac1bd30e311120" alt="1"
首先,创建20x20一个平面,平面Plane默认是10x10的,所以平面Scale的x和z轴的值设为2 data:image/s3,"s3://crabby-images/dd715/dd7154f2f4fa5ce3f574e1f4e941f8207e5dc3fe" alt="2" 接着,为地面添加材料和颜色 data:image/s3,"s3://crabby-images/88a72/88a723c8dc7cccbc69fc152e82c345fa74a69eeb" alt="3"
1.2 设计墙体和砖块
data:image/s3,"s3://crabby-images/67541/67541eac90decdb9e01bf02b24d302a80b6d18ba" alt="4" 设计的墙体和砖块如上图所示。砖块采用预制体设计(Ctrl+D可以复制物体),Ctrl+鼠标左键可以控制物体进行步移(Edit ->Grid and Snap Settings可以设置步移距离) data:image/s3,"s3://crabby-images/43fd7/43fd7726cc48b604bc2423453b6954e39aeae03d" alt="5" 砖块可以建立一个空物体作为父物体,方便管理 data:image/s3,"s3://crabby-images/7d7e1/7d7e12e9f8e4919f03f556f1524d7dee8dfe470f" alt="6"
2 相机移动(第一人称视角移动)
相机应该能够根据方向键的按下进行移动。
2.1 初始化位置
相机的初始位置应该正对砖块墙 data:image/s3,"s3://crabby-images/182b8/182b8bf62f48f668ce21337481bc69cf921fc88b" alt="7"
2.2 位置更新策略
相机的水平移动(Horizontal)沿 x 轴方向,垂直移动(Vertical)沿 y 轴方向
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
public class Movement : MonoBehaviour
{
public int speed = 1;
void Update()
{
float h = Input.GetAxis("Horizontal");
float v = Input.GetAxis("Vertical");
transform.Translate(new Vector3(h, v, 0)*speed*Time.deltaTime);
}
private void FixedUpdate()
{
Debug.Log("FPS:"+1 / Time.deltaTime);
}
}
3 创建子弹(小球)
我们希望创建的小球初始位置与相机位置重合,并且沿 z 轴方向以一定的初始速度射出 子弹的创建采用预制体实例化的方式,子弹预制体采用红色Sphere设计 data:image/s3,"s3://crabby-images/6abf5/6abf57385dad8883cff37953d63a268c8ea839b5" alt="8"
4 游戏程序设计
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
using UnityEngine.UI;
public class Shoot : MonoBehaviour
{
public GameObject bulletPrefab;
public int speed = 30;
public Text countText;
public Text winText;
private int count=0;
private bool isGameOver = false;
GameObject[] bricks = new GameObject[66];
Transform[] Ts = new Transform[66];
void Start()
{
bricks = GameObject.FindGameObjectsWithTag("Brick");
for (int i = 0; i < 66; i++)
{
Ts[i]=bricks[i].GetComponent<Transform>();
}
}
void Update()
{
if (Input.GetMouseButtonDown(0))
{
GameObject bullet=GameObject.Instantiate(bulletPrefab, transform.position, transform.rotation);
Rigidbody rd = bullet.GetComponent<Rigidbody>();
rd.velocity = Vector3.forward*speed;
count++;
countText.text = "消耗子弹数:" + count;
}
int brickCount = 0;
for (int i = 0; i < 66; i++)
{
if (Ts[i].position.y > -6)
{
brickCount++;
}
}
if (brickCount == 0)
isGameOver = true;
if(isGameOver == true)
{
winText.text = "Win the Game!\nYour score is:" + count;
}
}
}
5 游戏整体展示
data:image/s3,"s3://crabby-images/ca53a/ca53a5418af78bad4ef4e77950726b6ca8f3f558" alt="9" 本次的打砖块游戏主要涉及到预制体设计、步移移动、键盘控制、鼠标左键点击控制、位置变化、标签搜索、文字UI设计等相关的Unity知识
|