プレイヤーを向いて攻撃する敵はとてもシンプルに作れます。
今回はそんな敵の作り方を紹介します。
準備
弾を発射する敵を用意しましょう。
僕の敵↓
data:image/s3,"s3://crabby-images/012d4/012d4da118932ab21a03ee54a49e1edbfbd1157f" alt=""
そして発射する弾も準備しましょう。
data:image/s3,"s3://crabby-images/fe6f7/fe6f7a10f6573b30e2620571fea1a5dff7e9bf73" alt=""
用意した弾にRigidBodyを追加しておきましょう。
data:image/s3,"s3://crabby-images/2f48a/2f48a4409495d8c9e74f297b1edc4840a64b4c43" alt=""
次に、弾を発射するときに敵の前に出すようにしたいので、発射地点を追加します。
まずは、空のオブジェクトを作成し、敵の子オブジェクトにします。
data:image/s3,"s3://crabby-images/20628/206284de05d4b0c84dc61195bad05676b0d4f6aa" alt=""
位置は、敵よりも少し前あたりに置きます。
data:image/s3,"s3://crabby-images/415c5/415c5bec8a66d76a98161069e435a7afe872ba23" alt=""
次に、向く対象のプレイヤーを用意します。
はい、おなじみの青い箱ですねw
data:image/s3,"s3://crabby-images/df23a/df23abe7b86461a77049dc98b978c0bf27c14ee4" alt=""
これで準備は完了です。
敵のスクリプト
using System.Collections;
using System.Collections.Generic;
using UnityEngine;
public class ShootAndLook : MonoBehaviour
{
[SerializeField] GameObject Ball;
[SerializeField] GameObject ChildObj;
[SerializeField] GameObject Target;
float ShootTimer = 0;
float speed = 300;
void Update()
{
Look();
Shoot();
}
void Look()
{
transform.LookAt(Target.transform);
}
void Shoot()
{
ShootTimer += Time.deltaTime;
if (ShootTimer >= 1)
{
ShootTimer = 0;
GameObject ball = Instantiate(Ball, ChildObj.transform.position, Quaternion.identity);
Rigidbody ballRigidbody = ball.GetComponent<Rigidbody>();
ballRigidbody.AddForce(transform.forward * speed);
}
}
}
このスクリプトを敵オブジェクトにアタッチします。
data:image/s3,"s3://crabby-images/6a66e/6a66ef75c8dd91c63d7f4c3da2d315a73d3db567" alt=""
そうしたら、Ball,Child Obj,Targetそれぞれに必要なオブジェクトを入れます。
Ballには、発射させる弾を入れます。
data:image/s3,"s3://crabby-images/2ac41/2ac41c667c862ccab0dfddcd44aa2bc8c0c25995" alt=""
Child Objには弾の発射地点ように作った空のオブジェクトを入れます。
data:image/s3,"s3://crabby-images/f4acb/f4acbf63413414c0c7f7789e1fbb2e3e6c288188" alt=""
Targetにはプレイヤーを入れます。
data:image/s3,"s3://crabby-images/9dc4e/9dc4e3649ffbc5e4e1e9ae890fbf55e6b0812373" alt=""
これで、実行をしてみますと
data:image/s3,"s3://crabby-images/d50d5/d50d56c95154f610396c1caf009f02efba5d20b7" alt=""
スクリプトの解説
void Look()
{
transform.LookAt(Target.transform);
}
Look関数では、敵の向く方向をTargetに合わせるようにしています。
void Shoot()
{
ShootTimer += Time.deltaTime;
if (ShootTimer >= 1)
{
ShootTimer = 0;
GameObject ball = Instantiate(Ball, ChildObj.transform.position, Quaternion.identity);
Rigidbody ballRigidbody = ball.GetComponent<Rigidbody>();
ballRigidbody.AddForce(transform.forward * speed);
}
}
Shoot関数では、一秒経過したら弾を発射させるプログラムになっています。
Instantiateで弾をChildObjの位置から生成させるようにし、ball変数に格納します。
ballでRigidbodyを取得し、AddForceで前に力を加えるようになっています。
まとめ
これで、敵が動くようになったら面白そうですね。
参考にしたサイト↓
data:image/s3,"s3://crabby-images/5c449/5c449cda39d2d0a96a8c402c37e140f0eacf6f8c" alt=""
【Unity C#】プレーヤーの向いている方向に発射する
プレーヤーの向いている方向に発射するには、どのような仕組みを作ればいいでしょうか?今回はプレーヤーの向きからミサイル発射する方法を見ていきましょう。左右キーで回転し、スペースキーを押すと、自分が向いている方向へ撃つことができます。
コメント