UnityのLineRendererを利用して、マウスドラッグで画面に線を描いてみます。
はじめに
Unityのバージョンは2021.3.14f1です。公式リファレンスでは「3D空間にラインを描画するために使います」とあります。
今回は、下記のように2Dで簡単に実装していきます。
data:image/s3,"s3://crabby-images/4b50f/4b50f47cd05acef4311e6ff61acc4446faafee6c" alt=""
実装開始
どのように動作するかを簡単に確認して、スクリプトで実装していきます。
オブジェクトの作成
CreateEmptyで空のオブジェクトを追加。
data:image/s3,"s3://crabby-images/d09e5/d09e5d6a50ea7dc148bd7e621c7083821fe2e168" alt=""
名前をLineDrawに変更、「AddComponent」からLineRendrerを追加。LineRendrerのマテリアルをSprites-Defaultに変更します。
data:image/s3,"s3://crabby-images/f69de/f69de6e7deb30cd127d7b2cfa4fca6a004549b30" alt=""
下記のようにPositionsのサイズ、座標を指定すると、画面に線を引くことが出来ます。
data:image/s3,"s3://crabby-images/9e855/9e8558c31b48f1301366a5edf8898062f8aee5a5" alt=""
これをマウスドラッグにあわせてポイントを指定するようにスクリプトで実装していきます。
スクリプトの作成
下記のスクリプトを作成します、名前はLineDraw。
using UnityEngine; public class LineDraw : MonoBehaviour { [SerializeField] private LineRenderer _rend; [SerializeField] private Camera _cam; private void Update() { Vector2 mousePos = _cam.ScreenToWorldPoint(Input.mousePosition); if (Input.GetMouseButton(0)) SetPosition(mousePos); } private void SetPosition(Vector2 pos) { _rend.positionCount++; _rend.SetPosition(_rend.positionCount - 1, pos); } }
「Input.GetMousButton(0)」はマウスを左クリックしている時にtrueを返します。クリックしている間、マウスの位置(座標)をLineRendrerにセットします。
スクリプトをアタッチして、パラメータをセット。
data:image/s3,"s3://crabby-images/f4ca4/f4ca4de20cb2906c1ed4cd8926f2efa0a6093c33" alt=""
また、LineRendrerのPositionsのサイズは0にしておきます。
data:image/s3,"s3://crabby-images/fcea0/fcea0bae54083c3aec6d5c9ba681c3957d8d6712" alt=""
Widthで線の太さを変えたり、CornerVertices、EndCapVerticesで線に丸みをつけることができます。
data:image/s3,"s3://crabby-images/ac140/ac1402828f8dd4ba7abcdee25353436073d0f64d" alt=""
スクリプトの修正
上のスクリプトで一応動くのですが、2点修正します。一つは一度マウスを離して、もう一度マウスでなぞるとつながってしまう点。もう一つはマウスクリック中、常にポイントを作成するのでかなりのポイント数になる点です。
修正したスクリプトが下記になります。
using UnityEngine; public class LineDraw : MonoBehaviour { [SerializeField] private LineRenderer _rend; [SerializeField] private Camera _cam; private int posCount = 0; private float interval = 0.1f; private void Update() { Vector2 mousePos = _cam.ScreenToWorldPoint(Input.mousePosition); if (Input.GetMouseButton(0)) SetPosition(mousePos); else if (Input.GetMouseButtonUp(0)) posCount = 0; } private void SetPosition(Vector2 pos) { if (!PosCheck(pos)) return; posCount++; _rend.positionCount = posCount; _rend.SetPosition(posCount - 1, pos); } private bool PosCheck(Vector2 pos) { if (posCount == 0) return true; float distance = Vector2.Distance(_rend.GetPosition(posCount - 1), pos); if (distance > interval) return true; else return false; } }
「Input.GetMouseButtonUp(0)」でマウスボタンを離した時にポイントをリセットします。これで線を引く度にリセットされます。
また、前回ポイントした場所と現在位置の距離を比較して一定以上の場合のみ新たにポイントをセットするようにします。インターバルで距離を指定できますが、距離が大きすぎると線がガタガタになり、距離が小さすぎるとポイントを多く作成してしまうので適当な値にしておきます。