Unity2Dゲームで「円(球体)の外側を歩く」みたいな感じのを実装していきます。地球の周りを回る月とかにも使えそうな惑星の動きみたいな感じですね。
はじめに
Unityのバージョンは2021.3.14f1です。
オブジェクトを回転させるQuaternionを利用していきます。
実装開始
2パターンで作成していきます。
円の周りを動く
Hierarchyで右クリック、「2DObject」→「Sprites」→「Circle」を追加。
data:image/s3,"s3://crabby-images/be203/be203c8dba21db9355eefce91e06f6cf088dd9ef" alt=""
名前をPlanetに変更し、下記のような感じにスケールを色を変更します。
data:image/s3,"s3://crabby-images/16cbf/16cbf5a0c0a51ca9263427508873233839024ce6" alt=""
配下に「2DObject」→「Sprites」→「Square」を追加。名前をSurfaceにし、位置とスケールを変更します。
data:image/s3,"s3://crabby-images/91640/91640e229ea433302c23deebe36607251da4824f" alt=""
下記のような感じですね。この状態で円(Planet)ごと回転させて円の周りを動くようにします。
data:image/s3,"s3://crabby-images/b9ec6/b9ec6d2272abd3bd0fb90cf36cd53a7046fd0346" alt=""
スクリプトの作成
Surfaceという名前でスクリプトを作成。中身を下記にします。キーボード入力でオブジェクトを回転させます。
using UnityEngine; public class Surface : MonoBehaviour { [SerializeField] private Transform _transform; private float _rotateSpeed = 30.0f; private float angle; private void Update() { float InputX = Input.GetAxisRaw("Horizontal"); if (InputX != 0) { angle -= _rotateSpeed * InputX * Time.deltaTime; _transform.rotation = Quaternion.Euler(0, 0, angle); } } }
Surfaceにスクリプトをアタッチして、パラメータをセット。
data:image/s3,"s3://crabby-images/99ad1/99ad12398e99e04d7c0827bcd986c609fda0e93a" alt=""
実行してキー入力すると下記のように動きます。
data:image/s3,"s3://crabby-images/d7fe3/d7fe33ca97d75e7c2941fd888ae589c9263caff9" alt=""
重力があるような動き
次は重力で周りを動いている感じにしてみます。
Planetに「CircleCollider2D」をアタッチ。
data:image/s3,"s3://crabby-images/70a14/70a146d0c2cd0628540e3c7fbf58223bd10a1e91" alt=""
Surfaceに「BoxCollider2D」と「Rigidbody2D」をアタッチ、「GravityScale」を0にします。
data:image/s3,"s3://crabby-images/4c5f4/4c5f4a93d76b6062a798e0005349bfbfdc25e955" alt=""
Surfaceスクリプトの中身を下記に変更します。円の中心と自身の位置から方向を算出して重力を加えています。
using UnityEngine; public class Surface : MonoBehaviour { [SerializeField] private Transform planet; private Rigidbody2D _rigidbody; private float Gravity = 100.0f; private float moveSpeed = 5.0f; private void Awake() { _rigidbody = GetComponent<Rigidbody2D>(); } private void Update() { Vector2 distance = planet.transform.position - transform.position; _rigidbody.AddForce(distance.normalized * Gravity); float InputX = Input.GetAxisRaw("Horizontal"); if (InputX != 0) _rigidbody.velocity = transform.up * moveSpeed * InputX; else _rigidbody.velocity = new Vector2(0f, 0f); float angle = Mathf.Atan2(distance.y, distance.x) * Mathf.Rad2Deg; transform.rotation = Quaternion.Euler(0, 0, angle); } }
実行すると下記のような感じに動きます。
data:image/s3,"s3://crabby-images/ba7bc/ba7bc0fab781b6b991262545f0f0ec91595df49e" alt=""