XNA 4.0 меняет текстуру при нажатии клавиш - PullRequest
0 голосов
/ 29 апреля 2018

Недавно я попал в xna framework и столкнулся с проблемой. Это мой код, и он не работал

    // Constructor
    public Player()
    {
        texture = null;
        position = new Vector2(350, 900);
        moveSpeed = 10;
        textureTitle = "playerShip";
    }

    // Load
    public void LoadContent(ContentManager Content)
    {
        texture = Content.Load<Texture2D>(textureTitle);
    }

    // Update
    public void Update(GameTime gameTime)
    {
        KeyboardState curKeyboardState = Keyboard.GetState();

        if (curKeyboardState.IsKeyDown(Keys.W))
        {
            position.Y = position.Y - moveSpeed;
            textureTitle = "playerShip2";
        }
            if (curKeyboardState.IsKeyDown(Keys.S))
            position.Y = position.Y + moveSpeed;
        if (curKeyboardState.IsKeyDown(Keys.A))
            position.X = position.X - moveSpeed;
        if (curKeyboardState.IsKeyDown(Keys.D))
            position.X = position.X + moveSpeed;

    }

    // Draw
    public void Draw(SpriteBatch spriteBatch)
    {
        spriteBatch.Draw(texture, position, Color.White);
    }

игрок всегда изображается как "playerShip" (извините за мой английский)

1 Ответ

0 голосов
/ 30 апреля 2018

Загружается только первая текстура. Если вы изменяете имя текстуры, вам следует снова вызвать Content.Load.

Однако процессору сложнее продолжать перезагрузку изображений, и это лучше сделать, если все изображения загружаются одновременно. Поэтому вместо вызова части LoadContent() вы должны создать вторую Texture2D и изменить текстуру напрямую, а не менять имя каталога.

Примерно так:

//add this to your public variables
public Texture2D currentTexture = null;

// Load
public void LoadContent(ContentManager Content)
{
    texture  = Content.Load<Texture2D>("playerShip");
    texture2 = Content.Load<Texture2D>("playerShip2");
    currentTexture = texture;
}

// Update
public void Update(GameTime gameTime)
{
    KeyboardState curKeyboardState = Keyboard.GetState();
    if (curKeyboardState.IsKeyDown(Keys.W))
    {
        currentTexture = texture2;
    }
    //...
}

// Draw
public void Draw(SpriteBatch spriteBatch)
{
    spriteBatch.Draw(currentTexture, position, Color.White);
}
...