1

我正在 Windows Phone 8 上学习 Monogame。在我Sprite的类(精灵对象的基类)中,我有以下方法

    public void Draw(SpriteBatch batch)
    {
        batch.Draw(texture, Position, color);
        DrawSprite(batch);
    }

    protected virtual void DrawSprite(SpriteBatch batch)
    {
    }

我有一Car门派生自班级的Sprite班级。在里面我有

    protected override void DrawSprite(SpriteBatch batch)
    {

        batch.Draw(texture, Position, null, Color.White, MathHelper.ToRadians(rotateAngle),
            new Vector2(texture.Width / 2, texture.Height / 2), 1.0f,
            SpriteEffects.None, 0.0f);    
    }

然后在我的MainGame课堂上,我使用以下方法绘制屏幕

    protected override void DrawScreen(SpriteBatch batch, DisplayOrientation displayOrientation)
    {
        road.Draw(batch);
        car.Draw(batch);
        hazards.Draw(batch);
        scoreText.Draw(batch);
    }

问题是汽车精灵被绘制了两次。如果我删除

batch.Draw(texture, Position, color);

从类的Draw方法来看Sprite,其他一些精灵没有像按钮背景那样绘制。

我想我的问题是如何仅在存在但不存在时调用覆盖方法

batch.Draw(texture, Position, color);

    public void Draw(SpriteBatch batch)
    {
        batch.Draw(texture, Position, color);
        DrawSprite(batch);
    }
4

2 回答 2

0

当你打电话时,car.Draw(batch)你正在画画:

batch.Draw(texture, Position, color);

batch.Draw(texture, Position, null, Color.White, MathHelper.ToRadians(rotateAngle),
    new Vector2(texture.Width / 2, texture.Height / 2), 1.0f,
    SpriteEffects.None, 0.0f); 

在您的Car班级中,您不必覆盖DrawSprite,而是Draw自己。这样,您将只绘制您需要的精灵。我想这对所有其他课程来说都是个好主意。

于 2013-09-11T10:33:33.110 回答
0

你几乎明白了,问题是Car类应该覆盖Draw方法,而不是DrawSprite方法。

所以摆脱DrawSprite方法并将方法标记为Draw虚拟,如下所示:

public virtual void Draw(SpriteBatch batch)
{
    batch.Draw(texture, Position, color);
}

然后像这样覆盖类Draw中的方法Car

public override void Draw(SpriteBatch batch)
{
    batch.Draw(texture, Position, null, Color.White, MathHelper.ToRadians(rotateAngle),
        new Vector2(texture.Width / 2, texture.Height / 2), 1.0f,
        SpriteEffects.None, 0.0f);    
}

之所以可行,是因为 C# 中的类型系统推断在运行时调用哪个方法的方式。例如,将类型声明为Sprite将调用默认Draw方法,但将其声明为Car将调用被覆盖的Draw方法。

var sprite = new Sprite();
sprite.Draw(batch);

var car = new Car();
car.Draw(batch);

祝你好运!:)

于 2013-09-11T10:49:06.803 回答