bubbletea/examples/input/main.go

92 lines
1.7 KiB
Go
Raw Normal View History

2020-01-17 22:21:51 -05:00
package main
// A simple program that counts down from 5 and then exits.
import (
"errors"
2020-01-17 22:21:51 -05:00
"fmt"
"log"
"tea"
"tea/input"
)
type Model struct {
Input input.Model
Error error
2020-01-17 22:21:51 -05:00
}
type tickMsg struct{}
func main() {
tea.UseSysLog("tea")
p := tea.NewProgram(
Model{
Input: input.DefaultModel(),
Error: nil,
2020-01-17 22:21:51 -05:00
},
update,
view,
2020-01-17 23:27:54 -05:00
[]tea.Sub{
// We just hand off the subscription to the input component, giving
// it the model it expects.
func(model tea.Model) tea.Msg {
m, ok := model.(Model)
if !ok {
return tea.NewErrMsg("could not perform assertion on model")
2020-01-17 23:27:54 -05:00
}
return input.Blink(m.Input)
2020-01-17 23:27:54 -05:00
},
},
2020-01-17 22:21:51 -05:00
)
if err := p.Start(); err != nil {
log.Fatal(err)
}
}
func update(msg tea.Msg, model tea.Model) (tea.Model, tea.Cmd) {
2020-01-17 22:21:51 -05:00
var cmd tea.Cmd
m, ok := model.(Model)
if !ok {
// When we encounter errors in Update we simply add the error to the
// model so we can handle it in the view. We could also return a command
// that does something else with the error, like logs it via IO.
m.Error = errors.New("could not perform assertion on model")
return m, nil
}
2020-01-17 22:21:51 -05:00
switch msg := msg.(type) {
case tea.KeyMsg:
switch msg.String() {
case "break":
fallthrough
case "esc":
return m, tea.Quit
}
// We handle errors just like any other message
case tea.ErrMsg:
m.Error = msg
return m, nil
2020-01-17 22:21:51 -05:00
}
m.Input, cmd = input.Update(msg, m.Input)
2020-01-17 22:21:51 -05:00
return m, cmd
}
func view(model tea.Model) string {
m, ok := model.(Model)
if !ok {
return "Oh no: could not perform assertion on model."
} else if m.Error != nil {
return fmt.Sprintf("Uh oh: %s", m.Error)
2020-01-17 23:27:54 -05:00
}
return fmt.Sprintf(
"Whats your favorite Pokémon?\n\n%s\n\n%s",
input.View(m.Input),
"(esc to quit)",
)
2020-01-17 22:21:51 -05:00
}