bubbletea/examples/simple/main.go

73 lines
1.8 KiB
Go
Raw Normal View History

2020-01-15 16:44:11 -05:00
package main
// A simple program that counts down from 5 and then exits.
import (
"fmt"
"log"
2020-06-16 22:31:37 -04:00
"os"
2020-01-15 16:44:11 -05:00
"time"
2020-01-18 11:15:55 -05:00
2020-05-27 14:47:31 -04:00
tea "github.com/charmbracelet/bubbletea"
2020-01-15 16:44:11 -05:00
)
func main() {
2021-05-01 09:28:58 -04:00
// Log to a file. Useful in debugging since you can't really log to stdout.
// Not required.
logfilePath := os.Getenv("BUBBLETEA_LOG")
2020-06-16 22:31:37 -04:00
if logfilePath != "" {
if _, err := tea.LogToFile(logfilePath, "simple"); err != nil {
log.Fatal(err)
}
}
// Initialize our program
p := tea.NewProgram(model(5))
if err := p.Start(); err != nil {
2020-01-15 16:44:11 -05:00
log.Fatal(err)
}
}
// A model can be more or less any type of data. It holds all the data for a
// program, so often it's a struct. For this simple example, however, all
// we'll need is a simple integer.
type model int
2020-10-15 20:51:00 -04:00
// Init optionally returns an initial command we should run. In this case we
// want to start the timer.
func (m model) Init() tea.Cmd {
return tick
}
2021-03-11 20:11:26 -05:00
// Update is called when messages are received. The idea is that you inspect the
2020-10-15 20:51:00 -04:00
// message and send back an updated model accordingly. You can also return
2021-05-28 13:45:17 -04:00
// a command, which is a function that performs I/O and returns a message.
func (m model) Update(msg tea.Msg) (tea.Model, tea.Cmd) {
2020-01-15 16:44:11 -05:00
switch msg.(type) {
case tea.KeyMsg:
return m, tea.Quit
case tickMsg:
m--
2020-01-15 16:44:11 -05:00
if m <= 0 {
return m, tea.Quit
2020-01-15 16:44:11 -05:00
}
return m, tick
2020-01-15 16:44:11 -05:00
}
return m, nil
}
2020-10-15 20:51:00 -04:00
// Views return a string based on data in the model. That string which will be
// rendered to the terminal.
func (m model) View() string {
return fmt.Sprintf("Hi. This program will exit in %d seconds. To quit sooner press any key.\n", m)
2020-01-15 16:44:11 -05:00
}
// Messages are events that we respond to in our Update function. This
// particular one indicates that the timer has ticked.
type tickMsg time.Time
func tick() tea.Msg {
time.Sleep(time.Second)
return tickMsg{}
2020-01-15 16:44:11 -05:00
}