package ui import ( "flag" "fmt" "log" "os" "runtime/debug" "runtime/pprof" "github.com/hajimehoshi/ebiten" "github.com/hajimehoshi/ebiten/ebitenutil" "github.com/hajimehoshi/ebiten/inpututil" ) type Game interface { Update(screenX, screenY int) error Draw(*ebiten.Image) error } var ( screenScale = flag.Float64("screen-scale", 1.0, "Scale the window by this factor") cpuprofile = flag.String("cpuprofile", "", "write cpu profile to `file`") ) type Window struct { Title string KeyUpHandlers map[ebiten.Key]func() MouseWheelHandler func(float64, float64) // Allow the "game" to be switched out at any time game Game debug bool firstRun bool xRes int yRes int } // 0,0 is the *top left* of the window // // ebiten assumes a single window, so only call this once... func NewWindow(game Game, title string, xRes int, yRes int) (*Window, error) { ebiten.SetRunnableInBackground(true) return &Window{ Title: title, KeyUpHandlers: make(map[ebiten.Key]func()), debug: true, firstRun: true, game: game, xRes: xRes, yRes: yRes, }, nil } // TODO: multiple handlers for the same key? func (w *Window) OnKeyUp(key ebiten.Key, f func()) { w.KeyUpHandlers[key] = f } func (w *Window) OnMouseWheel(f func(x, y float64)) { w.MouseWheelHandler = f } func (w *Window) Layout(_, _ int) (int, int) { return w.xRes, w.yRes } func (w *Window) Update(screen *ebiten.Image) (outErr error) { // Ebiten does not like it if we panic inside its main loop defer func() { if panicErr := recover(); panicErr != nil { if w.debug { debug.PrintStack() } outErr = fmt.Errorf("Panic: %v", panicErr) } }() if err := w.game.Update(screen.Size()); err != nil { return err } // Process keys // TODO: efficient set operations for key, cb := range w.KeyUpHandlers { if inpututil.IsKeyJustReleased(key) { cb() } } if w.MouseWheelHandler != nil { x, y := ebiten.Wheel() if x != 0 || y != 0 { w.MouseWheelHandler(x, y) } } if ebiten.IsDrawingSkipped() { return nil } if err := w.game.Draw(screen); err != nil { return err } if w.debug { // Draw FPS, etc, to the screen msg := fmt.Sprintf("tps=%0.2f fps=%0.2f", ebiten.CurrentTPS(), ebiten.CurrentFPS()) ebitenutil.DebugPrint(screen, msg) } return nil } // TODO: a stop or other cancellation mechanism // // Note that this must be called on the main OS thread func (w *Window) Run() error { if *cpuprofile != "" { f, err := os.Create(*cpuprofile) if err != nil { log.Fatal("could not create CPU profile: ", err) } defer f.Close() // error handling omitted for example if err := pprof.StartCPUProfile(f); err != nil { log.Fatal("could not start CPU profile: ", err) } defer pprof.StopCPUProfile() } ebiten.SetWindowSize(int(float64(w.xRes)*(*screenScale)), int(float64(w.yRes)*(*screenScale))) ebiten.SetWindowTitle(w.Title) return ebiten.RunGame(w) }