我正在制作一个平台游戏,你需要改变角色的不同方面。每个角色都有不同的属性等。我制作了这个教程https://www.youtube.com/watch?v=vD5pW97-050,但这基本上只是改变精灵,因为两个角色都是同一个游戏对象的一部分,具有相同的刚体和对撞机。我正在使用c#,如果有人知道解决方案,我真的很乐意帮忙。这是我的播放器控制器脚本,其中包含教程中的字符切换脚本。任何帮助将不胜感激!
using UnityEngine;
using System.Collections;
public class controller : MonoBehaviour
{
public float topSpeed = 15f;
bool facingRight = true;
bool grounded = false;
public Transform groundCheck;
float groundRadius = 0.2f;
GameObject Player, Player2;
int characterselect;
public float jumpForce = 700f;
public LayerMask whatIsGround;
void Start()
{
characterselect = 1;
Player = GameObject.Find("Player");
Player2 = GameObject.Find("Player2");
}
void FixedUpdate()
{
grounded = Physics2D.OverlapCircle(groundCheck.position, groundRadius, whatIsGround);
float move = Input.GetAxis("Horizontal");
GetComponent<Rigidbody2D>().velocity = new Vector2(move * topSpeed, GetComponent<Rigidbody2D>().velocity.y);
if (move > 0 && !facingRight)
flip();
else if (move < 0 && facingRight)
flip();
}
void Update()
{
if(grounded&& Input.GetKeyDown(KeyCode.Space))
{
GetComponent<Rigidbody2D>().AddForce(new Vector2(0, jumpForce));
}
{
if (Input.GetKeyDown(KeyCode.E))
{
if (characterselect==1)
{
characterselect = 2;
}
else if (characterselect==2)
{
characterselect = 1;
}
}
if (characterselect==1)
{
Player.SetActive(true);
Player2.SetActive(false);
}
else if (characterselect==2)
{
Player.SetActive(false);
Player2.SetActive(true);
}
}
}
void flip()
{
facingRight = ! facingRight;
Vector3 theScale = transform.localScale;
theScale.x *= -1;
transform.localScale = theScale;
}
}
答案 0 :(得分:0)
拥有一个控制器是一个良好的开端,但你必须考虑你希望你的角色有多么不同。如果它们将完全不同,那么考虑创建一个“PlayerCharacter”接口,该接口具有所有可能命令的功能,例如
public interface IPlayerCharacter
{
void DoActionA();
void DoActionB();
}
如果您不知道接口是什么,它基本上是一个定义函数的空类,但尚未为它们创建代码。因此,您可以非常轻松地实现非常不同的玩家。因为您可以从此接口的实例调用函数。
然后,将此组件添加到您的控制器,如果您现在从播放器1切换到播放器2它应该有点像这样
public class PlayerController_Jumper : MonoBehaviour, IPlayerCharacter
{
// Does a jump
void DoActionA()
{
rigidbody.AddVelocity(Vector3.Up, 100.0f);
}
}
接口必须完成的事情是你必须定义所有预定义的函数,所以它可能会抱怨这段代码,因为没有DoActionB()。但是暂时不要理会。 p>
然后在控制器中添加“IPlayerController Jumper”以及您计划制作的任何其他酷炫角色!