emdb/cmd/terminal-client/tui/tui.go

122 lines
2.5 KiB
Go
Raw Normal View History

2023-12-22 15:50:42 +01:00
package tui
import (
"fmt"
"ewintr.nl/emdb/cmd/terminal-client/clients"
"github.com/charmbracelet/bubbles/list"
"github.com/charmbracelet/bubbles/textinput"
"github.com/charmbracelet/bubbles/viewport"
tea "github.com/charmbracelet/bubbletea"
)
func New(tmdb *clients.TMDB) *tea.Program {
m := model{
tmdb: tmdb,
}
return tea.NewProgram(m, tea.WithAltScreen())
}
type model struct {
tmdb *clients.TMDB
focused string
searchInput textinput.Model
searchResults list.Model
logContent string
ready bool
logViewport viewport.Model
}
func (m model) Init() tea.Cmd {
return nil
}
func (m model) Update(msg tea.Msg) (tea.Model, tea.Cmd) {
var (
cmd tea.Cmd
cmds []tea.Cmd
)
switch msg := msg.(type) {
case tea.KeyMsg:
switch msg.String() {
case "ctrl+c", "q", "esc":
return m, tea.Quit
case "enter":
2023-12-22 18:12:30 +01:00
switch m.focused {
case "search":
m.Search()
case "result":
m.Log(fmt.Sprintf("selected: %d", m.searchResults.Index()))
}
2023-12-22 15:50:42 +01:00
}
case tea.WindowSizeMsg:
if !m.ready {
m.initialModel(msg.Width, msg.Height)
}
}
switch m.focused {
case "search":
m.searchInput, cmd = m.searchInput.Update(msg)
case "result":
m.searchResults, cmd = m.searchResults.Update(msg)
}
cmds = append(cmds, cmd)
return m, tea.Batch(cmds...)
}
func (m *model) Log(msg string) {
m.logContent = fmt.Sprintf("%s\n%s", m.logContent, msg)
m.logViewport.SetContent(m.logContent)
m.logViewport.GotoBottom()
}
func (m *model) Search() {
m.Log("start search")
movies, err := m.tmdb.Search(m.searchInput.Value())
if err != nil {
m.Log(fmt.Sprintf("error: %v", err))
return
}
2023-12-22 16:31:40 +01:00
m.Log(fmt.Sprintf("found %d results", len(movies)))
2023-12-22 15:50:42 +01:00
items := []list.Item{}
2023-12-22 16:31:40 +01:00
for _, res := range movies {
items = append(items, Movie{m: res})
2023-12-22 15:50:42 +01:00
}
m.searchResults.SetItems(items)
m.focused = "result"
}
func (m model) View() string {
if !m.ready {
return "\n Initializing..."
}
2023-12-22 16:31:40 +01:00
return fmt.Sprintf("%s\n---\n%s\n---\n%s", m.searchInput.View(), m.searchResults.View(), m.logViewport.View())
2023-12-22 15:50:42 +01:00
}
func (m *model) initialModel(width, height int) {
si := textinput.New()
si.Placeholder = "title"
si.CharLimit = 156
si.Width = 20
m.searchInput = si
m.searchInput.Focus()
2023-12-22 16:31:40 +01:00
m.searchResults = list.New([]list.Item{}, list.NewDefaultDelegate(), width, height-50)
2023-12-22 15:50:42 +01:00
m.searchResults.Title = "Search results"
m.searchResults.SetShowHelp(false)
m.logViewport = viewport.New(width, 10)
m.logViewport.SetContent(m.logContent)
m.logViewport.KeyMap = viewport.KeyMap{}
m.focused = "search"
m.ready = true
}