Love2d在屏幕上移动一个物体

时间:2016-05-06 00:21:26

标签: lua love2d

我正在尝试使用键盘输入来转换屏幕周围的标签。目前只有向下和向左运行。我的代码如下。

debug = true
down = 0
up = 0
left = 0
right = 0
text = 'non'

x = 100
y = 100

dx = 0
dy = 0
function love.load(arg)

end

function love.update(dt)
    if love.keyboard.isDown('escape') then
        love.event.push('quit')
    end

    if up == 1 then
        dy = -1
    end
    if up == 0 then
        dy = 0
    end

    if down == 1 then
        dy = 1
    end
    if down == 0 then
        dy = 0
    end

    if right == 1 then
        dx = 1
    end
    if right == 0 then
        dx = 0
    end

    if left == 1 then
        dx = -1
    end
    if left == 0 then
        dx = 0
    end
end

function love.keypressed(key)
  if key == 'up' or key == 'w' then
      text = 'up'
            up = 1
  end
    if key == 'down' or key == 's' then
      text = 'down'
            down = 1
  end
    if key == 'right' or key == 'd' then
      text = 'right'
            right = 1
  end
    if key == 'left' or key == 'a' then
      text = 'left'
            left = 1
  end
end

function love.keyreleased(key)
    text = 'non'

    if key == 'up' or key == 'w' then
        up = 0
    end
    if key == 'down' or key == 's' then
        down = 0
    end
    if key == 'right' or key == 'd' then
        right = 0
    end
    if key == 'left' or key == 'a' then
        left = 0
    end
end

function love.draw(dt)
    x = x + dx
    y = y + dy
    love.graphics.print(text, x, y)
end

实验表明,love.update(dt)部分中if语句的顺序会影响哪些方向有效,但我不能同时使所有四个方向都起作用。

1 个答案:

答案 0 :(得分:1)

将love.update和love.draw改为这样的事情:

function love.update(dt)
    if love.keyboard.isDown('escape') then
        love.event.push('quit')
    end

    dx, dy = 0

    if up == 1 then
        dy = -1
    end

    if down == 1 then
        dy = 1
    end

    if right == 1 then
        dx = 1
    end

    if left == 1 then
        dx = -1
    end

   x = x + dx
   y = y + dy
end

function love.draw(dt)
    love.graphics.print(text, x, y)
end

当你检查输入时,如果按下按钮是真的,你可以正确地给它们分配值,但是你也检查按钮是否未被按下然后取消分配值。因此,如果按下向上,则立即检查未按下的值将覆盖分配的值。您也可以根据目标fps将dx和dy按dt值进行缩放(如果您没有使用固定的时间步长,那么无论机器的FPS如何,移动速度都相同)。