在南半球轨道运行的身体不断旋转

时间:2019-06-10 18:02:08

标签: c# unity3d rotation quaternions

我试图让我的身体独自绕地球行走,但是当身体到达地球的“下半球”时会出现问题。
每当尸体到达那里时,它就会像疯了似的旋转,直到尸体移回地球的“上”半球时才会停止。
吸引人

public class Attractor : MonoBehaviour
{
    [SerializeField] private float _gravity = -10;

    public void Attract(Body body)
    {
        Vector3 targetDir = (body.transform.position - transform.position).normalized;
        Vector3 bodyUp = body.transform.up;

        body.transform.rotation *= Quaternion.FromToRotation(bodyUp, targetDir);
        body.GetComponent<Rigidbody>().AddForce(targetDir * _gravity);
    }
}  

身体

public class Body : MonoBehaviour
{
    [SerializeField] private Attractor _curAttractor;

    private Rigidbody _rb;

    private void Awake()
    {
        _rb = GetComponent<Rigidbody>();
        _rb.useGravity = false;
        _rb.constraints = RigidbodyConstraints.FreezeRotation;
    }

    private void FixedUpdate()
    {
        _curAttractor.Attract(this);
    }
}  

PathFollower

public class PathFollower : MonoBehaviour
{
    [SerializeField] private float _moveSpeed;
    [SerializeField] private float _reach;
    private Path _curPath;
    private Rigidbody _rb;

    private void Awake()
    {
        _rb = GetComponent<Rigidbody>();
    }

    public void FollowPath(Path p)
    {
        StopAllCoroutines();
        _curPath = p;
        StartCoroutine(FollowCtn());
    }

    private IEnumerator FollowCtn()
    {
        int i = 0;
        Vector3 target;

        while (i < _curPath.Nodes.Length)
        {
            target = PathfindingData.NodeToWorldPosition(_curPath.Nodes[i]);
            Vector3 dir;

            while (Vector3.Distance(transform.position, target) > _reach)
            {
                dir = target - transform.position;
                dir.Normalize();
                _rb.MovePosition(_rb.position + dir * _moveSpeed * Time.deltaTime);
                yield return null;
            }

            i++;
        }

        _rb.velocity = Vector3.zero;
        _curPath = null;
    }
}  

关于什么可能导致这种奇怪行为的任何想法?

这就是疯狂旋转的意思:
body spins on yaw axis while it is over southern hemisphere

1 个答案:

答案 0 :(得分:2)

FromToRotation最好用于只关注一个轴指向的位置,因为它会以任何方式改变其他轴的方向,从而最大程度地减小两次旋转之间的角度。换句话说,FromToRotation会改变对象的偏航角,如果这样做会减少俯仰或侧倾所需的变化。

由于您担心转换的up(始终指向吸引子)和forward(在FixedUpdate调用之间尽可能少地改变),因此最好使用另一种路由。 / p>

使用Vector3.OrthoNormalizeQuaternion.LookRotationtargetDir方向指定为向上,并保持主体的transform.forward尽可能不变(如果它们是共线的,则为使用forward):

Vector3 targetDir = (body.transform.position - transform.position).normalized;
Vector3 bodyForward = body.transform.forward; 
Vector3.OrthoNormalize(ref targetDir, ref bodyForward); 

body.transform.rotation = Quaternion.LookRotation(bodyForward, targetDir);     
body.GetComponent<Rigidbody>().AddForce(targetDir * _gravity);