我正在尝试自己做一个游戏,但遇到了一个困难。
我有这个对象,我需要它加速向量3点。
我尝试使用Vector3.MoveTowards命令,但对象以恒定速度移动并停在目的地。
我需要做的是让物体从0速度向矢量3点加速而不是在该点停止,但在经过该点后继续沿相同方向。
有谁知道怎么做?
谢谢!
答案 0 :(得分:3)
在Update
或FixedUpdate
方法中调用的方法中执行这些步骤。如果您使用刚体,建议使用FixedUpdate
。
首先,您需要找到从您的位置到该点的方向,如果不使用Rigid Bodies,则在脚本中定义velocity
实例变量。如果 使用Rigidbody
,请改用rigidbody.velocity
。 target
是您希望加速的Vector3
职位。
// Use rigidbody.velocity instead of velocity if using a Rigidbody
private Vector3 velocity; // Only if you are NOT using a RigidBody
Vector3 direction = (target - transform.position).normalized;
然后你需要检查我们是否已经通过了目标。此检查确保速度保持不变
// If our velocity and the direction point in different directions
// we have already passed the target, return
if(Vector3.Dot(velocity, direction) < 0)
return;
完成此操作后,我们需要加速我们的Transform
或Rigidbody
。
// If you do NOT use rigidbodies
// Perform Euler integration
velocity += (accelMagnitude * direction) * Time.deltaTime;
transform.position += velocity * Time.deltaTime;
// If you DO use rigidbodies
// Simply add a force to the rigidbody
// We scale the acceleration by the mass to cancel it out
rigidbody.AddForce(rigidbody.mass * (accelMagnitude * direction));
我建议你使用Rigidbody
因为在做这样的事情时更有意义。