リジッドボディのコンポーネントを操作することでオブジェクトを移動し、壁に接触したら止まるようにしてみます。
成果物
transform.Translateによる例
data:image/s3,"s3://crabby-images/ac8d0/ac8d025ff989e309ec4e9e2af1bcd8a3703d7eda" alt="goal1"
まずはオブジェクトをふたつ置いておきます。
data:image/s3,"s3://crabby-images/2b0ed/2b0ed9b4718d516ea432fa51ac985dd8fba9c166" alt="goal3"
transform.Translateを使ってキー操作でオブジェクトを移動するスクリプトを書いて、
data:image/s3,"s3://crabby-images/cc4a3/cc4a3d6c0281a759a14e53a75009390d9ab252b8" alt="goal4"
オブジェクトにアタッチします。
data:image/s3,"s3://crabby-images/2952d/2952de6d60eaffbf39a2fb3c506dfeddfc7621ba" alt="mv1"
これでキー操作でキツネが動く状態になっていますが、この状態で壁にぶつかると、
data:image/s3,"s3://crabby-images/84882/848822ac0b26d6ef703288136f36039cf674493c" alt="mv2"
キツネが無理矢理壁にめりこんでいきます(キーを離すと外に押し出される)。
なんでかというと、transform.Translateは強制的に位置を変更する命令なので、物理演算的にはおかしな動きもしてしまうからです。
というわけで、ちゃんと物理演算する命令を使います。
Rigidbody.Velocityの使い方
同じくキー操作で動くスクリプトで、制御をRigidbody経由で行います。
構文は下記の通りです。
物理演算でオブジェクトを移動させる(2D)
オブジェクト.GetComponent<Rigidbody2D>().velocity = new Vector2(x,y);
オブジェクト.GetComponent<Rigidbody2D>().velocity = new Vector2(x,y);
data:image/s3,"s3://crabby-images/2f756/2f756b65b7c768d292744a712fb140c33f331770" alt="goal6"
velocityは速度です。さっきのコードの処理部分を書き換えて実行すれば、
data:image/s3,"s3://crabby-images/1c8a0/1c8a0a9ec74e00e2008251c48b81edaf318c3782" alt="mv3"
こんな感じで、壁(コライダー)にぶつかるとしっかり止まるスクリプトになります……が。
data:image/s3,"s3://crabby-images/ae9e5/ae9e502c7dcf536d7b554c00fcf917e81b1c6031" alt="mv4"
velocityは変更して何もしないとずっとその値がキープされるので、キーから指を離しても動き続けます。
滑る床にでもしたくないのであれば、コードの最初にvelocityを0にする命令を書いておく必要があります。
滑る床にでもしたくないのであれば、コードの最初にvelocityを0にする命令を書いておく必要があります。
※より厳密には、関数はUpdateではなくFixedUpdateを使うべきです(Updateは機種によって処理速度が変化し、一定の動作が得られないため)。
//Unity C#
void Update()
{
//初期化
this.GetComponent<Rigidbody2D>().velocity = new Vector2(0, 0);
//左
if (Input.GetKey(KeyCode.LeftArrow))
{
this.GetComponent<Rigidbody2D>().velocity = new Vector2(-100, 0);
}
//右
if (Input.GetKey(KeyCode.RightArrow))
{
this.GetComponent<Rigidbody2D>().velocity = new Vector2(100, 0);
}
//上
if (Input.GetKey(KeyCode.UpArrow))
{
this.GetComponent<Rigidbody2D>().velocity = new Vector2(0, 100);
}
//下/span>
if (Input.GetKey(KeyCode.DownArrow))
{
this.GetComponent<Rigidbody2D>().velocity = new Vector2(0, -100);
}
}
コメント