2

我正在尝试在 XNA 中制作一个简单的游戏。

我有一个播放器旁边有精灵表。spritesheet 是一种武器,带有提示。

我怎样才能让这个精灵旋转,尖端面向鼠标位置?

        float y2 = m_Mouse.Y;
        float y1 = m_WeaponOrigin.Y;
        float x2 = m_Mouse.X;
        float x1 = m_WeaponOrigin.X;

        // Get angle from mouse position.
        m_Radians = (float) Math.Atan2((y2 - y1), (x2 - x1));

Drawing with: 
activeSpriteBatch.Draw(m_WeaponImage, m_WeaponPos, r, Color.White, m_Radians, m_WeaponOrigin, 1.0f, SpriteEffects.None, 0.100f);

虽然这使它旋转,但它不能正确地跟随鼠标,而且它的行为很奇怪。

关于如何使这项工作的任何提示?

我遇到的另一个问题是定义一个点,即枪口,并根据角度对其进行更新,以便从该点向鼠标正确射击。

谢谢


截图: 早期,让鼠标和光标到位

玩超级激光

对每种类型的敌人使用超级激光

再次感谢,原来是一个有趣的游戏。

4

1 回答 1

5

基本上,使用Math.Atan2.

Vector2 mousePosition = new Vector2(mouseState.X, mouseState.Y);
Vector2 dPos = _arrow.Position - mousePosition;

_arrow.Rotation = (float)Math.Atan2(dPos.Y, dPos.X);

概念证明(我使用加号纹理作为光标 - 不幸的是它没有显示在截图上):

指向光标


“是什么_arrow?”

在该示例_arrow中是 type Sprite,在某些情况下可能会派上用场,并且肯定会使您的代码看起来更干净:

public class Sprite
{
    public Texture2D Texture { get; private set; }

    public Vector2 Position { get; set; }
    public float Rotation { get; set; }
    public float Scale { get; set; }

    public Vector2 Origin { get; set; }
    public Color Color { get; set; }

    public Sprite(Texture2D texture)
    {
        this.Texture = texture;
    }

    public void Draw(SpriteBatch spriteBatch, GameTime gameTime)
    {
        spriteBatch.Draw(this.Texture, 
                         this.Position, 
                         null, 
                         this.Color, 
                         this.Rotation, 
                         this.Origin, 
                         this.Scale, 
                         SpriteEffects.None, 
                         0f);
    }
}

宣布:

Sprite _arrow;

发起:

Texture2D arrowTexture = this.Content.Load<Texture2D>("ArrowUp");
_arrow = new Sprite(arrowTexture)
        {
            Position = new Vector2(100, 100),
            Color = Color.White,
            Rotation = 0f,
            Scale = 1f,
            Origin = new Vector2(arrowTexture.Bounds.Center.X, arrowTexture.Bounds.Center.Y)
        };

画:

_spriteBatch.Begin();
_arrow.Draw(_spriteBatch, gameTime);
_spriteBatch.End();
于 2012-12-04T00:38:46.783 回答