弾の種類を切り替えるで作った銃弾のオブジェクトを配列に入れて、順番に再利用してみました。
まずマガジンのクラスに銃弾のオブジェクトの配列を作りました。そして、銃を撃つとき、配列に空きがあれば銃弾をインスタンス化し、空きがなければ配列にあるものを順番に再利用します。
- using System.Collections;
- using System.Collections.Generic;
- using UnityEngine;
-
- public class Magazine : MonoBehaviour
- {
- [SerializeField] Bullet bullet;
- [SerializeField] int count = 20;
- Bullet[] bullets;
- [SerializeField] int poolSize = 10;
- int index;
-
- private void Awake()
- {
- // 銃弾の配列を作る
- bullets = new Bullet[poolSize];
- }
-
- public int GetCount()
- {
- return count;
- }
-
- public bool Shoot()
- {
- // 弾が残っているとき
- if (count > 0)
- {
- // 配列に空きがあるとき
- if (bullets[bullets.Length - 1] == null)
- {
- Debug.Log(this + ": index = " + index + " 新規作成");
-
- // 弾をカメラの前にインスタンス化する
- bullets[index] = Instantiate(bullet, Player2.GetInstance().transform.position + Player2.GetInstance().transform.forward * 1.5f, Player2.GetInstance().transform.rotation).GetComponent<Bullet>();
-
- }
- // 空きがないとき
- else
- {
- Debug.Log(this + ": index = " + index + " 再利用");
-
- // 弾を止める
- bullets[index].Stop();
-
- // 弾をカメラの前に移動
- bullets[index].SetPosition(Player2.GetInstance().transform.position + Player2.GetInstance().transform.forward * 1.5f);
-
- }
-
- // 発射する
- bullets[index].Shoot(Player2.GetInstance().transform.forward);
-
- // インデックスを更新
- index = index >= poolSize - 1 ? 0 : index + 1;
-
- // 残弾数を減らす
- count--;
- GameScript3.GetInstance().SetBulletCount(this);
-
- return true;
- }
- else
- {
- return false;
- }
- }
- }
再利用するとき、位置を移動して再度力を加えるだけでは、力を加える前の速度が銃弾に残っているので、変な方向に飛びます。
なので、銃弾の速度をゼロにしてから力を加えています。
配列の銃弾を順番に取得するために、int型の変数を使っています。これらはマガジン毎に作られます。
銃弾のクラスでは、発射や停止、移動のメソッドを定義しています。インスタンス化されて時間が立つと銃弾が削除されるようにしていましたが止めています。
- using System.Collections;
- using System.Collections.Generic;
- using UnityEngine;
-
- [RequireComponent(typeof(Rigidbody))]
- [RequireComponent(typeof(Collider))]
- public class Bullet : MonoBehaviour
- {
- [SerializeField] float power = 20f;
- Rigidbody rb;
-
- // Start is called before the first frame update
- void Awake()
- {
- rb = GetComponent<Rigidbody>();
- }
-
- // 発射する
- public void Shoot(Vector3 dir)
- {
-
- if (rb != null)
- {
- rb.AddForce(dir * power, ForceMode.Impulse);
- }
- }
-
- // 銃弾の速度をゼロにする
- public void Stop()
- {
-
- if (rb != null)
- {
-
- rb.velocity = default;
- rb.angularVelocity = default;
- }
-
- }
-
- // 位置を移動する
- public void SetPosition(Vector3 pos)
- {
- transform.position = pos;
- }
-
- }
これでマガジン毎に簡単に銃弾を再利用できました。
この方法だと、マガジンの種類が増えれば銃弾の配列も増えます。