1

我试图简单地将点击时的图像从屏幕的一侧移动到另一侧。但我无法完全弄清楚如何与时间合作。基本上我需要在 Gosu::KbReturn 之后开始移动球。

任何帮助将不胜感激

require 'gosu'
  def media_path(file)
    File.join(File.dirname(File.dirname(
       __FILE__)), 'media', file)
  end
    class Game < Gosu::Window

  def initialize
    @width = 800
    @height = 600
    super @width,@height,false
    @background = Gosu::Image.new(
      self, media_path('background.png'), false)
    @ball = Gosu::Image.new(
      self, media_path('ball.png'), false)
    @time = Gosu.milliseconds/1000
    @x = 500
    @y = 500
    @buttons_down = 0
    @text = Gosu::Font.new(self, Gosu::default_font_name, 20)
  end

  def update
    @time = Gosu.milliseconds/1000
  end

  def draw
    @background.draw(0,0,0)
    @ball.draw(@x,@y,0)
    @text.draw(@time, 450, 10, 1, 1.5, 1.5, Gosu::Color::RED)
  end 
  def move
    if ((Gosu.milliseconds/1000) % 2) < 100 then @x+=5 end
  end

  def button_down(id)
    move if id == Gosu::KbReturn
    close if id ==Gosu::KbEscape
    @buttons_down += 1
  end
  def button_up(id)
    @buttons_down -= 1
  end
end

Game.new.show
4

2 回答 2

2

首先,您将键盘事件处理程序放在错误的位置。该update方法仅在 update_interval 期间用作回调,您绝对应该将其放在button_downGosu::Window 的实例方法中。

其次,如果你调用 move 方法来更新游戏对象的位置,那么循环执行它是没有意义的。@x您应该每次通话只更新一次。

第三,您@time在方法中使用实例变量move没有任何意义。如果您仅在经过一段时间后才需要限制移动,您可以只检查计时器超出特定增量,fE 与整数模(有一些容差)if (Gosu.milliseconds % @increment) < @epsilon then:。

更新: 按下 Enter 键后更新10 秒@x

class Game < Gosu::Window
  def initialize
    …
    @trigger = false    # if trigger for delayed action was activated
    @start_time = 0     # saved time when trigger was started
  end

  def update
    …
    if @trigger
      if Gosu.milliseconds - @start_time < 10_000
        @x += 1           # update x-position for 10 seconds
      else
        @trigger = false  # disable trigger after timeout elapsed
      end
    end
  end

  def button_down(key)
    case key
    when Gosu::KbReturn
      @start_time=Gosu.milliseconds   # store current elapsed time
      @trigger=true                   # enable trigger
    when Gosu::KbEscape
      …
    end
  end
end
于 2015-03-11T15:06:00.240 回答
0

添加

def update
    @x+=1 # in this method it increments every game second
end 

def move
   @x = 0
   while @x > 0
    do somemthing
   end
end

我根本不明白 update 方法是不断循环的

于 2015-03-11T17:56:59.770 回答