1

我正在尝试制作一个简单的等距游戏引擎,但相机有一些问题。当我拥有它时,我可以从前面看到我的模型。但我想从等距的角度来看它。我尝试了很多方法,但似乎都没有。也许我陷入了代码本身?你们能帮我写代码吗?

public class Camera : PositionedObject
{

    #region Fields
    private Matrix cameraRotation;

    #endregion


    #region Properties
    public Matrix View
    {
        get;
        set;
    }

    public Matrix Projection
    {
        get;
        protected set;
    }

    public Vector3 Target
    {
        get;
        set;
    }
    #endregion

    #region Constructor
    public Camera(Game game, Vector3 position, Vector3 target, Vector3 rotation, bool Orthographic, float near, float far)
        : base(game)
    {      
        Position = position;
        RotationInRadians = rotation;
        Target = target;


        if (Orthographic)
        {
            Projection = Matrix.CreateOrthographic(Game.Window.ClientBounds.Width, Game.Window.ClientBounds.Height,
                near, far);
        }
        else
        {
            Projection = Matrix.CreatePerspectiveFieldOfView(MathHelper.PiOver4,
                (float)Game.Window.ClientBounds.Width / (float)Game.Window.ClientBounds.Height, near, far);
        }




    }
    #endregion

    #region Public Methods

    public override void Initialize()
    {
        base.Initialize();
        cameraRotation = Matrix.Identity;

    }



    public override void Update(GameTime gameTime)
    {
        base.Update(gameTime);

        cameraRotation = Matrix.CreateFromAxisAngle(cameraRotation.Forward, RotationInRadians.Z)
            * Matrix.CreateFromAxisAngle(cameraRotation.Right, RotationInRadians.X)
            * Matrix.CreateFromAxisAngle(cameraRotation.Up, RotationInRadians.Y);

        Target = Position + cameraRotation.Forward;
        View = Matrix.CreateLookAt(Position, Target, cameraRotation.Up);
    }

    public void Draw(BasicEffect effect)
    {
        effect.View = View;
        effect.Projection = Projection;
    }
    #endregion
}
4

1 回答 1

0

最简单的方法是根据焦点(地面上的一个点或其他任何点)计算相机位置。

//Lets start with looking at origo for now.
Vector3 FocusPoint = Vector3.Zero;

//This tells us where the camera should be, RELATIVE to the point we are watching.
//I set this a little up and a little back
Vector3 CameraOffset = new Vector3(0f, 20f, 20f);

Matrix ViewMatrix
{
    get
    {
        //The Offset is just up and back, we need to rotate it 45*
        var rotatedOffset = Vector3.Transform(CameraOffset, Matrix.CreateRotationY(MathHelper.PiOver2 * 0.5f));

        //Now we can create out viewmatrix. No need to use a transformed "up" unless it's not going to be upside down or something.
        return Matrix.CreateLookAt(rotatedOffset, FocusPoint, Vector3.Up);
    }
}
于 2013-02-22T12:54:20.300 回答