Unityでマウスカーソルの位置に弾を発射するのを作成してみます。
はじめに
「Unity 2022.3.14f1」バージョン、テンプレートは「2D」を選択しています。
マウスカーソルの位置に弾を発射するのを作成していきます。
作成開始
簡単にUIを作成してからスクリプトで実装していきます。
簡単なUI作成
Hierarchyで右クリック、「2DObject」→「Sprites」→「Square」を追加。名前を「Turret」にします。
data:image/s3,"s3://crabby-images/41792/4179225473aea455fd7e41d1056f5fb37e5f1e07" alt=""
Hierarchyで右クリック、「2DObject」→「Sprites」→「Circle」を追加。名前を「bullet」にします。
data:image/s3,"s3://crabby-images/c4db5/c4db5530609b8de75ffe1194d4f7688da3ae8210" alt=""
bulletのScaleを変更して、「Rigidbody2D」をアタッチ、GravityScaleを0にします。
data:image/s3,"s3://crabby-images/cf932/cf9322e70d13ffe659567c47a031051660aea00f" alt=""
bulletをAssetsフォルダ内に入れてプレハブ化します。Hierarchyのbulletは削除します。
data:image/s3,"s3://crabby-images/510ee/510ee1b7f183aae026bbbf3f2f29fc201aaadd59" alt=""
スクリプトの作成
下記スクリプトを作成、Turretオブジェクトにアタッチします。スペースキーで弾を発射、発射方向はマウスの位置になります。
using UnityEngine; public class Shoot : MonoBehaviour { [SerializeField] private float _speed = 3.0f; [SerializeField] private GameObject _bullet; private GameObject bulletIns; private Vector2 mousePos; private Vector2 angle; void Update() { mousePos = (Vector2)Camera.main.ScreenToWorldPoint(Input.mousePosition); if (Input.GetKeyDown(KeyCode.Space)) { bulletIns = Instantiate(_bullet, transform.position, Quaternion.identity); Vector2 angle = (mousePos - (Vector2)transform.position); bulletIns.GetComponent<Rigidbody2D>().velocity = angle * _speed; } } }
パラメータをセットします。
data:image/s3,"s3://crabby-images/cdafe/cdafea193dc2adad5f20dc74da8cdd7bdd2c24fd" alt=""
実行すると下記のような感じに。マウスの位置に弾が発射されますが、オブジェクトとマウスの距離によって弾の速度が変わってしまいます。
data:image/s3,"s3://crabby-images/213ac/213accd6d6fffeb6441e294ea3df67b100028ff0" alt=""
下記のように正規化することで速度が一定になります。
Vector2 angle = (mousePos - (Vector2)transform.position).normalized;
data:image/s3,"s3://crabby-images/066ca/066ca6fb57bd8edf160db1bc58d8508333d1ddb8" alt=""