lmcli/pkg/tui/tui.go

842 lines
21 KiB
Go
Raw Normal View History

2024-03-12 01:10:54 -06:00
package tui
// The terminal UI for lmcli, launched from the `lmcli chat` command
// TODO:
2024-03-12 23:15:50 -06:00
// - conversation list view
2024-03-14 00:01:16 -06:00
// - change model
// - rename conversation
// - set system prompt
// - system prompt library?
2024-03-12 01:10:54 -06:00
import (
"context"
"fmt"
"strings"
2024-03-13 23:58:31 -06:00
"time"
2024-03-12 01:10:54 -06:00
2024-03-13 17:07:29 -06:00
cmdutil "git.mlow.ca/mlow/lmcli/pkg/cmd/util"
2024-03-12 01:10:54 -06:00
"git.mlow.ca/mlow/lmcli/pkg/lmcli"
models "git.mlow.ca/mlow/lmcli/pkg/lmcli/model"
2024-03-13 23:58:31 -06:00
"github.com/charmbracelet/bubbles/spinner"
2024-03-12 01:10:54 -06:00
"github.com/charmbracelet/bubbles/textarea"
"github.com/charmbracelet/bubbles/viewport"
tea "github.com/charmbracelet/bubbletea"
"github.com/charmbracelet/lipgloss"
"github.com/muesli/reflow/wordwrap"
2024-03-12 01:10:54 -06:00
)
type focusState int
const (
focusInput focusState = iota
focusMessages
)
type editorTarget int
const (
input editorTarget = iota
selectedMessage
)
2024-03-12 01:10:54 -06:00
type model struct {
2024-03-13 20:54:25 -06:00
width int
height int
2024-03-12 01:10:54 -06:00
ctx *lmcli.Context
convShortname string
// application state
conversation *models.Conversation
messages []models.Message
waitingForReply bool
editorTarget editorTarget
2024-03-15 00:44:42 -06:00
stopSignal chan interface{}
2024-03-12 20:05:48 -06:00
replyChan chan models.Message
replyChunkChan chan string
2024-03-13 15:20:03 -06:00
persistence bool // whether we will save new messages in the conversation
2024-03-15 23:49:04 -06:00
err error
2024-03-12 01:10:54 -06:00
// ui state
2024-03-15 23:49:04 -06:00
focus focusState
wrap bool // whether message content is wrapped to viewport width
2024-03-15 23:49:04 -06:00
status string // a general status message
highlightCache []string // a cache of syntax highlighted message content
messageOffsets []int
selectedMessage int
2024-03-12 01:10:54 -06:00
// ui elements
content viewport.Model
input textarea.Model
2024-03-13 23:58:31 -06:00
spinner spinner.Model
2024-03-12 01:10:54 -06:00
}
type message struct {
role string
content string
}
// custom tea.Msg types
type (
// sent on each chunk received from LLM
msgResponseChunk string
// sent when response is finished being received
msgResponseEnd string
// a special case of msgError that stops the response waiting animation
msgResponseError error
2024-03-12 20:05:48 -06:00
// sent on each completed reply
2024-03-13 17:05:42 -06:00
msgAssistantReply models.Message
2024-03-12 01:10:54 -06:00
// sent when a conversation is (re)loaded
msgConversationLoaded *models.Conversation
2024-03-13 17:07:29 -06:00
// sent when a new conversation title is set
msgConversationTitleChanged string
2024-03-12 01:10:54 -06:00
// send when a conversation's messages are laoded
msgMessagesLoaded []models.Message
// sent when an error occurs
msgError error
)
// styles
var (
2024-03-13 09:56:23 -06:00
userStyle = lipgloss.NewStyle().Faint(true).Bold(true).Foreground(lipgloss.Color("10"))
assistantStyle = lipgloss.NewStyle().Faint(true).Bold(true).Foreground(lipgloss.Color("12"))
messageStyle = lipgloss.NewStyle().PaddingLeft(2).PaddingRight(2)
2024-03-12 23:01:36 -06:00
headerStyle = lipgloss.NewStyle().
Background(lipgloss.Color("0"))
conversationStyle = lipgloss.NewStyle().
2024-03-15 23:49:04 -06:00
MarginTop(1).
MarginBottom(1)
2024-03-12 23:01:36 -06:00
footerStyle = lipgloss.NewStyle().
2024-03-12 01:10:54 -06:00
BorderTop(true).
BorderStyle(lipgloss.NormalBorder())
)
func (m model) Init() tea.Cmd {
return tea.Batch(
textarea.Blink,
2024-03-13 23:58:31 -06:00
m.spinner.Tick,
2024-03-12 01:10:54 -06:00
m.loadConversation(m.convShortname),
2024-03-12 20:05:48 -06:00
m.waitForChunk(),
m.waitForReply(),
2024-03-12 01:10:54 -06:00
)
}
2024-03-13 15:20:03 -06:00
func wrapError(err error) tea.Cmd {
return func() tea.Msg {
return msgError(err)
}
}
2024-03-12 01:10:54 -06:00
func (m model) Update(msg tea.Msg) (tea.Model, tea.Cmd) {
2024-03-13 15:20:03 -06:00
var cmds []tea.Cmd
2024-03-12 01:10:54 -06:00
switch msg := msg.(type) {
case msgTempfileEditorClosed:
contents := string(msg)
switch m.editorTarget {
case input:
m.input.SetValue(contents)
case selectedMessage:
m.setMessageContents(m.selectedMessage, contents)
if m.persistence && m.messages[m.selectedMessage].ID > 0 {
// update persisted message
err := m.ctx.Store.UpdateMessage(&m.messages[m.selectedMessage])
if err != nil {
cmds = append(cmds, wrapError(fmt.Errorf("Could not save edited message: %v", err)))
}
}
m.updateContent()
}
2024-03-12 01:10:54 -06:00
case tea.KeyMsg:
switch msg.String() {
case "ctrl+c":
if m.waitingForReply {
m.stopSignal <- ""
} else {
return m, tea.Quit
}
2024-03-13 15:20:03 -06:00
case "ctrl+p":
m.persistence = !m.persistence
case "ctrl+w":
m.wrap = !m.wrap
m.updateContent()
case "q":
if m.focus != focusInput {
return m, tea.Quit
}
default:
var inputHandled tea.Cmd
switch m.focus {
case focusInput:
inputHandled = m.handleInputKey(msg)
case focusMessages:
inputHandled = m.handleMessagesKey(msg)
}
if inputHandled != nil {
return m, inputHandled
}
}
2024-03-12 01:10:54 -06:00
case tea.WindowSizeMsg:
2024-03-13 20:54:25 -06:00
m.width = msg.Width
m.height = msg.Height
2024-03-12 01:10:54 -06:00
m.content.Width = msg.Width
2024-03-13 20:54:25 -06:00
m.content.Height = msg.Height - m.getFixedComponentHeight()
m.input.SetWidth(msg.Width - 1)
2024-03-12 01:10:54 -06:00
m.updateContent()
case msgConversationLoaded:
2024-03-12 23:15:41 -06:00
m.conversation = (*models.Conversation)(msg)
2024-03-13 15:20:03 -06:00
cmds = append(cmds, m.loadMessages(m.conversation))
2024-03-12 01:10:54 -06:00
case msgMessagesLoaded:
m.setMessages(msg)
2024-03-12 01:10:54 -06:00
m.updateContent()
case msgResponseChunk:
chunk := string(msg)
last := len(m.messages) - 1
if last >= 0 && m.messages[last].Role == models.MessageRoleAssistant {
m.setMessageContents(last, m.messages[last].Content+chunk)
} else {
m.addMessage(models.Message{
Role: models.MessageRoleAssistant,
Content: chunk,
})
2024-03-12 01:10:54 -06:00
}
m.updateContent()
2024-03-13 15:20:03 -06:00
cmds = append(cmds, m.waitForChunk()) // wait for the next chunk
2024-03-13 17:05:42 -06:00
case msgAssistantReply:
2024-03-12 20:05:48 -06:00
// the last reply that was being worked on is finished
reply := models.Message(msg)
last := len(m.messages) - 1
if last < 0 {
panic("Unexpected empty messages handling msgReply")
2024-03-12 20:05:48 -06:00
}
m.setMessageContents(last, strings.TrimSpace(m.messages[last].Content))
if m.messages[last].Role == models.MessageRoleAssistant {
// the last message was an assistant message, so this is a continuation
if reply.Role == models.MessageRoleToolCall {
// update last message rrole to tool call
m.messages[last].Role = models.MessageRoleToolCall
}
} else {
m.addMessage(reply)
2024-03-12 20:05:48 -06:00
}
2024-03-13 15:20:03 -06:00
2024-03-13 17:05:42 -06:00
if m.persistence {
var err error
if m.conversation.ID == 0 {
err = m.ctx.Store.SaveConversation(m.conversation)
}
if err != nil {
cmds = append(cmds, wrapError(err))
} else {
cmds = append(cmds, m.persistConversation())
2024-03-13 17:05:42 -06:00
}
2024-03-13 15:20:03 -06:00
}
2024-03-13 17:07:29 -06:00
if m.conversation.Title == "" {
cmds = append(cmds, m.generateConversationTitle())
}
2024-03-12 20:05:48 -06:00
m.updateContent()
2024-03-13 15:20:03 -06:00
cmds = append(cmds, m.waitForReply())
2024-03-12 01:10:54 -06:00
case msgResponseEnd:
m.waitingForReply = false
last := len(m.messages) - 1
if last < 0 {
panic("Unexpected empty messages handling msgResponseEnd")
}
m.setMessageContents(last, strings.TrimSpace(m.messages[last].Content))
m.updateContent()
m.status = "Press ctrl+s to send"
case msgResponseError:
m.waitingForReply = false
m.status = "Press ctrl+s to send"
m.err = error(msg)
2024-03-13 17:07:29 -06:00
case msgConversationTitleChanged:
title := string(msg)
m.conversation.Title = title
if m.persistence {
err := m.ctx.Store.SaveConversation(m.conversation)
if err != nil {
cmds = append(cmds, wrapError(err))
}
}
2024-03-13 20:54:25 -06:00
case msgError:
m.err = error(msg)
2024-03-12 01:10:54 -06:00
}
2024-03-13 15:20:03 -06:00
var cmd tea.Cmd
2024-03-13 23:58:31 -06:00
m.spinner, cmd = m.spinner.Update(msg)
2024-03-12 01:10:54 -06:00
if cmd != nil {
2024-03-13 23:58:31 -06:00
cmds = append(cmds, cmd)
2024-03-12 01:10:54 -06:00
}
2024-03-13 23:58:31 -06:00
inputCaptured := false
m.input, cmd = m.input.Update(msg)
2024-03-12 01:10:54 -06:00
if cmd != nil {
2024-03-13 23:58:31 -06:00
inputCaptured = true
cmds = append(cmds, cmd)
}
if !inputCaptured {
m.content, cmd = m.content.Update(msg)
if cmd != nil {
cmds = append(cmds, cmd)
}
2024-03-12 01:10:54 -06:00
}
2024-03-13 23:58:31 -06:00
return m, tea.Batch(cmds...)
2024-03-12 01:10:54 -06:00
}
func (m model) View() string {
2024-03-14 11:55:21 -06:00
if m.width == 0 {
// this is the case upon initial startup, but it's also a safe bet that
// we can just skip rendering if the terminal is really 0 width...
2024-03-14 00:39:25 -06:00
// without this, the m.*View() functions may crash
return ""
}
2024-03-13 20:54:25 -06:00
sections := make([]string, 0, 6)
sections = append(sections, m.headerView())
sections = append(sections, m.contentView())
2024-03-14 11:55:21 -06:00
error := m.errorView()
2024-03-13 20:54:25 -06:00
if error != "" {
sections = append(sections, error)
}
sections = append(sections, m.inputView())
sections = append(sections, m.footerView())
2024-03-12 01:10:54 -06:00
return lipgloss.JoinVertical(
lipgloss.Left,
2024-03-13 20:54:25 -06:00
sections...,
2024-03-12 01:10:54 -06:00
)
}
2024-03-14 00:39:25 -06:00
// returns the total height of "fixed" components, which are those which don't
// change height dependent on window size.
2024-03-13 20:54:25 -06:00
func (m *model) getFixedComponentHeight() int {
h := 0
h += m.input.Height()
h += lipgloss.Height(m.headerView())
h += lipgloss.Height(m.footerView())
errorView := m.errorView()
if errorView != "" {
h += lipgloss.Height(errorView)
}
return h
}
2024-03-13 13:14:03 -06:00
func (m *model) headerView() string {
titleStyle := lipgloss.NewStyle().
PaddingLeft(1).
PaddingRight(1).
2024-03-13 13:14:03 -06:00
Bold(true)
var title string
if m.conversation != nil && m.conversation.Title != "" {
title = m.conversation.Title
} else {
title = "Untitled"
}
part := titleStyle.Render(title)
return headerStyle.Width(m.width).Render(part)
2024-03-13 13:14:03 -06:00
}
func (m *model) contentView() string {
return m.content.View()
}
2024-03-13 20:54:25 -06:00
func (m *model) errorView() string {
if m.err == nil {
return ""
}
return lipgloss.NewStyle().
Width(m.width).
AlignHorizontal(lipgloss.Center).
2024-03-13 20:54:25 -06:00
Bold(true).
Foreground(lipgloss.Color("1")).
Render(fmt.Sprintf("%s", m.err))
}
2024-03-13 13:14:03 -06:00
func (m *model) inputView() string {
return m.input.View()
}
func (m *model) footerView() string {
2024-03-13 15:20:03 -06:00
segmentStyle := lipgloss.NewStyle().PaddingLeft(1).PaddingRight(1).Faint(true)
segmentSeparator := "|"
2024-03-14 00:39:25 -06:00
savingStyle := segmentStyle.Copy().Bold(true)
2024-03-13 15:20:03 -06:00
saving := ""
if m.persistence {
2024-03-14 00:39:25 -06:00
saving = savingStyle.Foreground(lipgloss.Color("2")).Render("✅💾")
2024-03-13 15:20:03 -06:00
} else {
2024-03-14 00:39:25 -06:00
saving = savingStyle.Foreground(lipgloss.Color("1")).Render("❌💾")
2024-03-13 15:20:03 -06:00
}
2024-03-13 23:58:31 -06:00
status := m.status
if m.waitingForReply {
status += m.spinner.View()
}
leftSegments := []string{
2024-03-13 15:20:03 -06:00
saving,
2024-03-14 11:55:31 -06:00
segmentStyle.Render(status),
}
rightSegments := []string{
segmentStyle.Render(fmt.Sprintf("Model: %s", *m.ctx.Config.Defaults.Model)),
}
left := strings.Join(leftSegments, segmentSeparator)
right := strings.Join(rightSegments, segmentSeparator)
2024-03-13 13:14:03 -06:00
2024-03-13 20:54:25 -06:00
totalWidth := lipgloss.Width(left) + lipgloss.Width(right)
remaining := m.width - totalWidth
2024-03-13 13:14:03 -06:00
var padding string
if remaining > 0 {
padding = strings.Repeat(" ", remaining)
2024-03-13 13:14:03 -06:00
}
footer := left + padding + right
if remaining < 0 {
ellipses := "... "
2024-03-14 00:39:25 -06:00
// this doesn't work very well, due to trying to trim a string with
// ansii chars already in it
footer = footer[:(len(footer)+remaining)-len(ellipses)-3] + ellipses
}
2024-03-14 00:39:25 -06:00
return footerStyle.Width(m.width).Render(footer)
2024-03-13 13:14:03 -06:00
}
2024-03-12 01:10:54 -06:00
func initialModel(ctx *lmcli.Context, convShortname string) model {
m := model{
ctx: ctx,
convShortname: convShortname,
2024-03-13 17:05:42 -06:00
conversation: &models.Conversation{},
persistence: true,
2024-03-12 01:10:54 -06:00
2024-03-15 00:44:42 -06:00
stopSignal: make(chan interface{}),
2024-03-12 20:05:48 -06:00
replyChan: make(chan models.Message),
replyChunkChan: make(chan string),
2024-03-15 23:49:04 -06:00
wrap: true,
2024-03-15 23:49:04 -06:00
selectedMessage: -1,
2024-03-12 01:10:54 -06:00
}
m.content = viewport.New(0, 0)
m.input = textarea.New()
m.input.CharLimit = 0
2024-03-12 01:10:54 -06:00
m.input.Placeholder = "Enter a message"
m.input.FocusedStyle.CursorLine = lipgloss.NewStyle()
m.input.ShowLineNumbers = false
m.input.SetHeight(4)
2024-03-12 01:10:54 -06:00
m.input.Focus()
2024-03-13 23:58:31 -06:00
m.spinner = spinner.New(spinner.WithSpinner(
spinner.Spinner{
Frames: []string{
". ",
".. ",
"...",
".. ",
". ",
" ",
},
FPS: time.Second / 3,
},
))
2024-03-12 01:10:54 -06:00
m.waitingForReply = false
m.status = "Press ctrl+s to send"
2024-03-12 01:10:54 -06:00
return m
}
2024-03-15 23:49:04 -06:00
// fraction is the fraction of the total screen height into view the offset
// should be scrolled into view. 0.5 = items will be snapped to middle of
// view
func scrollIntoView(vp *viewport.Model, offset int, fraction float32) {
currentOffset := vp.YOffset
if offset >= currentOffset && offset < currentOffset+vp.Height {
return
}
distance := currentOffset - offset
if distance < 0 {
// we should scroll down until it just comes into view
vp.SetYOffset(currentOffset - (distance + (vp.Height - int(float32(vp.Height)*fraction))) + 1)
} else {
// we should scroll up
vp.SetYOffset(currentOffset - distance - int(float32(vp.Height)*fraction))
}
}
func (m *model) handleMessagesKey(msg tea.KeyMsg) tea.Cmd {
2024-03-12 01:10:54 -06:00
switch msg.String() {
case "tab":
m.focus = focusInput
2024-03-15 23:49:04 -06:00
m.updateContent()
m.input.Focus()
case "e":
message := m.messages[m.selectedMessage]
cmd := openTempfileEditor("message.*.md", message.Content, "# Edit the message below\n")
m.editorTarget = selectedMessage
return cmd
2024-03-15 23:49:04 -06:00
case "ctrl+k":
if m.selectedMessage > 0 && len(m.messages) == len(m.messageOffsets) {
m.selectedMessage--
m.updateContent()
offset := m.messageOffsets[m.selectedMessage]
scrollIntoView(&m.content, offset, 0.1)
}
case "ctrl+j":
if m.selectedMessage < len(m.messages)-1 && len(m.messages) == len(m.messageOffsets) {
m.selectedMessage++
m.updateContent()
offset := m.messageOffsets[m.selectedMessage]
scrollIntoView(&m.content, offset, 0.1)
}
case "ctrl+r":
// resubmit the conversation with all messages up until and including
// the selected message
if len(m.messages) == 0 {
return nil
}
m.messages = m.messages[:m.selectedMessage+1]
m.highlightCache = m.highlightCache[:m.selectedMessage+1]
m.updateContent()
m.content.GotoBottom()
return m.promptLLM()
}
return nil
}
func (m *model) handleInputKey(msg tea.KeyMsg) tea.Cmd {
switch msg.String() {
case "esc":
m.focus = focusMessages
2024-03-15 23:49:04 -06:00
if m.selectedMessage < 0 || m.selectedMessage >= len(m.messages) {
m.selectedMessage = len(m.messages) - 1
}
m.updateContent()
m.input.Blur()
2024-03-12 01:10:54 -06:00
case "ctrl+s":
userInput := strings.TrimSpace(m.input.Value())
if strings.TrimSpace(userInput) == "" {
2024-03-12 01:10:54 -06:00
return nil
}
2024-03-13 15:20:03 -06:00
2024-03-14 11:56:03 -06:00
if len(m.messages) > 0 && m.messages[len(m.messages)-1].Role == models.MessageRoleUser {
return wrapError(fmt.Errorf("Can't reply to a user message"))
}
2024-03-13 15:20:03 -06:00
reply := models.Message{
Role: models.MessageRoleUser,
Content: userInput,
2024-03-13 15:20:03 -06:00
}
2024-03-13 17:05:42 -06:00
if m.persistence {
var err error
if m.conversation.ID == 0 {
err = m.ctx.Store.SaveConversation(m.conversation)
}
if err != nil {
return wrapError(err)
}
2024-03-13 15:20:03 -06:00
// ensure all messages up to the one we're about to add are
// persistent
cmd := m.persistConversation()
2024-03-13 15:20:03 -06:00
if cmd != nil {
return cmd
}
// persist our new message, returning with any possible errors
savedReply, err := m.ctx.Store.AddReply(m.conversation, reply)
if err != nil {
return wrapError(err)
}
reply = *savedReply
}
m.input.SetValue("")
m.addMessage(reply)
m.updateContent()
m.content.GotoBottom()
2024-03-14 11:56:03 -06:00
return m.promptLLM()
case "ctrl+e":
cmd := openTempfileEditor("message.*.md", m.input.Value(), "# Edit your input below\n")
m.editorTarget = input
return cmd
2024-03-12 01:10:54 -06:00
}
return nil
}
func (m *model) loadConversation(shortname string) tea.Cmd {
return func() tea.Msg {
if shortname == "" {
return nil
}
c, err := m.ctx.Store.ConversationByShortName(shortname)
if err != nil {
return msgError(fmt.Errorf("Could not lookup conversation: %v", err))
2024-03-12 01:10:54 -06:00
}
if c.ID == 0 {
return msgError(fmt.Errorf("Conversation not found: %s", shortname))
2024-03-12 01:10:54 -06:00
}
return msgConversationLoaded(c)
}
}
func (m *model) loadMessages(c *models.Conversation) tea.Cmd {
return func() tea.Msg {
messages, err := m.ctx.Store.Messages(c)
if err != nil {
return msgError(fmt.Errorf("Could not load conversation messages: %v\n", err))
}
return msgMessagesLoaded(messages)
}
}
2024-03-12 20:05:48 -06:00
func (m *model) waitForReply() tea.Cmd {
return func() tea.Msg {
2024-03-13 17:05:42 -06:00
return msgAssistantReply(<-m.replyChan)
2024-03-12 20:05:48 -06:00
}
}
func (m *model) waitForChunk() tea.Cmd {
2024-03-12 01:10:54 -06:00
return func() tea.Msg {
2024-03-12 20:05:48 -06:00
return msgResponseChunk(<-m.replyChunkChan)
2024-03-12 01:10:54 -06:00
}
}
2024-03-13 17:07:29 -06:00
func (m *model) generateConversationTitle() tea.Cmd {
return func() tea.Msg {
title, err := cmdutil.GenerateTitle(m.ctx, m.conversation)
if err != nil {
return msgError(err)
}
return msgConversationTitleChanged(title)
}
}
2024-03-12 01:10:54 -06:00
func (m *model) promptLLM() tea.Cmd {
2024-03-14 11:56:03 -06:00
m.waitingForReply = true
m.status = "Press ctrl+c to cancel"
2024-03-12 01:10:54 -06:00
return func() tea.Msg {
completionProvider, err := m.ctx.GetCompletionProvider(*m.ctx.Config.Defaults.Model)
if err != nil {
return msgError(err)
}
requestParams := models.RequestParameters{
Model: *m.ctx.Config.Defaults.Model,
MaxTokens: *m.ctx.Config.Defaults.MaxTokens,
Temperature: *m.ctx.Config.Defaults.Temperature,
ToolBag: m.ctx.EnabledTools,
2024-03-12 01:10:54 -06:00
}
2024-03-12 20:05:48 -06:00
replyHandler := func(msg models.Message) {
m.replyChan <- msg
}
2024-03-15 00:44:42 -06:00
ctx, cancel := context.WithCancel(context.Background())
canceled := false
go func() {
select {
case <-m.stopSignal:
canceled = true
cancel()
}
}()
resp, err := completionProvider.CreateChatCompletionStream(
2024-03-12 20:05:48 -06:00
ctx, requestParams, m.messages, replyHandler, m.replyChunkChan,
2024-03-12 01:10:54 -06:00
)
2024-03-15 00:44:42 -06:00
if err != nil && !canceled {
return msgResponseError(err)
}
2024-03-15 00:44:42 -06:00
2024-03-12 01:10:54 -06:00
return msgResponseEnd(resp)
}
}
func (m *model) persistConversation() tea.Cmd {
existingMessages, err := m.ctx.Store.Messages(m.conversation)
if err != nil {
return wrapError(fmt.Errorf("Could not retrieve existing conversation messages while trying to save: %v", err))
}
existingById := make(map[uint]*models.Message, len(existingMessages))
for _, msg := range existingMessages {
existingById[msg.ID] = &msg
}
currentById := make(map[uint]*models.Message, len(m.messages))
for _, msg := range m.messages {
currentById[msg.ID] = &msg
}
for _, msg := range existingMessages {
_, ok := currentById[msg.ID]
if !ok {
err := m.ctx.Store.DeleteMessage(&msg)
if err != nil {
return wrapError(fmt.Errorf("Failed to remove messages: %v", err))
}
}
}
2024-03-13 15:20:03 -06:00
for i, msg := range m.messages {
if msg.ID > 0 {
exist, ok := existingById[msg.ID]
if ok {
if msg.Content == exist.Content {
continue
}
// update message when contents don't match that of store
err := m.ctx.Store.UpdateMessage(&msg)
if err != nil {
return wrapError(err)
}
} else {
// this would be quite odd... and I'm not sure how to handle
// it at the time of writing this
}
} else {
newMessage, err := m.ctx.Store.AddReply(m.conversation, msg)
if err != nil {
return wrapError(err)
}
m.setMessage(i, *newMessage)
2024-03-13 15:20:03 -06:00
}
}
return nil
}
func (m *model) setMessages(messages []models.Message) {
m.messages = messages
m.highlightCache = make([]string, len(messages))
for i, msg := range m.messages {
highlighted, _ := m.ctx.Chroma.HighlightS(msg.Content)
m.highlightCache[i] = highlighted
}
}
func (m *model) setMessage(i int, msg models.Message) {
if i >= len(m.messages) {
panic("i out of range")
}
highlighted, _ := m.ctx.Chroma.HighlightS(msg.Content)
m.messages[i] = msg
m.highlightCache[i] = highlighted
}
func (m *model) addMessage(msg models.Message) {
highlighted, _ := m.ctx.Chroma.HighlightS(msg.Content)
m.messages = append(m.messages, msg)
m.highlightCache = append(m.highlightCache, highlighted)
}
func (m *model) setMessageContents(i int, content string) {
if i >= len(m.messages) {
panic("i out of range")
}
highlighted, _ := m.ctx.Chroma.HighlightS(content)
m.messages[i].Content = content
m.highlightCache[i] = highlighted
}
2024-03-12 01:10:54 -06:00
func (m *model) updateContent() {
atBottom := m.content.AtBottom()
m.content.SetContent(m.conversationView())
if atBottom {
// if we were at bottom before the update, scroll with the output
m.content.GotoBottom()
}
}
// render the conversation into a string
func (m *model) conversationView() string {
2024-03-12 01:10:54 -06:00
sb := strings.Builder{}
msgCnt := len(m.messages)
2024-03-15 23:49:04 -06:00
m.messageOffsets = make([]int, len(m.messages))
lineCnt := conversationStyle.GetMarginTop()
2024-03-12 01:10:54 -06:00
for i, message := range m.messages {
2024-03-15 23:49:04 -06:00
m.messageOffsets[i] = lineCnt
2024-03-13 09:56:23 -06:00
icon := "⚙️"
friendly := message.Role.FriendlyRole()
style := lipgloss.NewStyle().Bold(true).Faint(true)
switch message.Role {
case models.MessageRoleUser:
icon = ""
2024-03-12 01:10:54 -06:00
style = userStyle
2024-03-13 09:56:23 -06:00
case models.MessageRoleAssistant:
icon = ""
2024-03-12 01:10:54 -06:00
style = assistantStyle
2024-03-14 00:39:25 -06:00
case models.MessageRoleToolCall, models.MessageRoleToolResult:
2024-03-13 09:56:23 -06:00
icon = "🔧"
2024-03-12 01:10:54 -06:00
}
2024-03-15 23:49:04 -06:00
// write message heading with space for content
user := style.Render(icon + friendly)
2024-03-13 15:20:03 -06:00
var saved string
if message.ID == 0 {
saved = lipgloss.NewStyle().Faint(true).Render(" (not saved)")
}
2024-03-15 23:49:04 -06:00
var selectedPrefix string
if m.focus == focusMessages && i == m.selectedMessage {
selectedPrefix = "> "
}
header := lipgloss.NewStyle().PaddingLeft(1).Render(selectedPrefix + user + saved)
sb.WriteString(header)
2024-03-15 23:49:04 -06:00
lineCnt += lipgloss.Height(header)
2024-03-13 15:20:03 -06:00
// TODO: special rendering for tool calls/results?
if message.Content != "" {
sb.WriteString("\n\n")
2024-03-15 23:49:04 -06:00
lineCnt += 1
// write message contents
var highlighted string
if m.highlightCache[i] == "" {
highlighted = message.Content
} else {
highlighted = m.highlightCache[i]
}
var contents string
if m.wrap {
wrapWidth := m.content.Width - messageStyle.GetHorizontalPadding() - 2
wrapped := wordwrap.String(highlighted, wrapWidth)
contents = wrapped
} else {
contents = highlighted
}
sb.WriteString(messageStyle.Width(0).Render(contents))
2024-03-15 23:49:04 -06:00
lineCnt += lipgloss.Height(contents)
}
2024-03-12 01:10:54 -06:00
if i < msgCnt-1 {
sb.WriteString("\n\n")
2024-03-15 23:49:04 -06:00
lineCnt += 1
2024-03-12 01:10:54 -06:00
}
}
return conversationStyle.Render(sb.String())
2024-03-12 01:10:54 -06:00
}
func Launch(ctx *lmcli.Context, convShortname string) error {
p := tea.NewProgram(initialModel(ctx, convShortname), tea.WithAltScreen())
if _, err := p.Run(); err != nil {
return fmt.Errorf("Error running program: %v", err)
}
return nil
}