glow/ui/stash.go

1492 lines
35 KiB
Go
Raw Normal View History

package ui
import (
"errors"
2020-05-13 23:02:39 +00:00
"fmt"
"io/ioutil"
2020-08-18 19:41:57 +00:00
"log"
2020-05-13 23:02:39 +00:00
"sort"
"strings"
2020-05-19 00:45:13 +00:00
"time"
2020-05-13 23:02:39 +00:00
"github.com/charmbracelet/bubbles/paginator"
"github.com/charmbracelet/bubbles/spinner"
"github.com/charmbracelet/bubbles/textinput"
tea "github.com/charmbracelet/bubbletea"
"github.com/charmbracelet/charm"
lib "github.com/charmbracelet/charm/ui/common"
"github.com/muesli/reflow/ansi"
"github.com/muesli/reflow/truncate"
2020-05-13 23:02:39 +00:00
te "github.com/muesli/termenv"
"github.com/sahilm/fuzzy"
)
2020-05-15 00:23:11 +00:00
const (
stashIndent = 1
2020-11-30 23:44:58 +00:00
stashViewItemHeight = 3 // height of stash entry, including gap
stashViewTopPadding = 5 // logo, status bar, gaps
stashViewBottomPadding = 3 // pagination and gaps, but not help
2020-05-22 02:29:46 +00:00
stashViewHorizontalPadding = 6
)
var (
stashedStatusMessage = statusMessage{normalStatusMessage, "Stashed!"}
alreadyStashedStatusMessage = statusMessage{subtleStatusMessage, "Already stashed"}
2020-05-15 00:23:11 +00:00
)
var (
stashTextInputPromptStyle styleFunc = newFgStyle(lib.YellowGreen)
dividerDot string = darkGrayFg(" • ")
dividerBar string = darkGrayFg(" │ ")
offlineHeaderNote string = darkGrayFg("(Offline)")
)
// MSG
2020-05-15 22:34:42 +00:00
type deletedStashedItemMsg int
type filteredMarkdownMsg []*markdown
2020-12-10 01:12:01 +00:00
type fetchedMarkdownMsg *markdown
type markdownFetchFailedMsg struct {
err error
id int
note string
}
// MODEL
2020-12-11 03:53:09 +00:00
// stashViewState is the high-level state of the file listing.
type stashViewState int
const (
stashStateReady stashViewState = iota
2020-05-15 19:08:45 +00:00
stashStateLoadingDocument
stashStateShowingError
)
// The types of documents we are currently showing to the user.
type sectionKey int
const (
localSection = iota
stashedSection
newsSection
2020-12-15 18:37:11 +00:00
filterSection
)
2020-12-11 03:53:09 +00:00
// section contains definitions and state information for displaying a tab and
// its contents in the file listing view.
type section struct {
key sectionKey
docTypes DocTypeSet
paginator paginator.Model
cursor int
}
2020-12-11 03:53:09 +00:00
// map sections to their associated types.
var sections = map[sectionKey]section{
localSection: {
2020-12-15 18:37:11 +00:00
key: localSection,
docTypes: NewDocTypeSet(LocalDoc),
paginator: newStashPaginator(),
},
stashedSection: {
2020-12-15 18:37:11 +00:00
key: stashedSection,
docTypes: NewDocTypeSet(StashedDoc, ConvertedDoc),
paginator: newStashPaginator(),
},
newsSection: {
2020-12-15 18:37:11 +00:00
key: newsSection,
docTypes: NewDocTypeSet(NewsDoc),
paginator: newStashPaginator(),
},
filterSection: {
key: filterSection,
docTypes: DocTypeSet{},
paginator: newStashPaginator(),
},
}
2020-12-11 03:53:09 +00:00
// filterState is the current filtering state in the file listing.
type filterState int
const (
unfiltered filterState = iota // no filter set
filtering // user is actively setting a filter
filterApplied // a filter is applied and user is not editing filter
)
2020-12-11 03:53:09 +00:00
// selectionState is the state of the currently selected document.
type selectionState int
const (
selectionIdle = iota
selectionSettingNote
selectionPromptingDelete
)
// statusMessageType adds some context to the status message being sent.
type statusMessageType int
// Types of status messages.
const (
normalStatusMessage statusMessageType = iota
subtleStatusMessage
)
// statusMessage is an ephemeral note displayed in the UI.
type statusMessage struct {
status statusMessageType
message string
}
// String returns a styled version of the status message appropriate for the
// given context.
func (s statusMessage) String() string {
switch s.status {
case subtleStatusMessage:
return dimGreenFg(s.message)
default:
return greenFg(s.message)
}
}
type stashModel struct {
common *commonModel
err error
spinner spinner.Model
noteInput textinput.Model
filterInput textinput.Model
stashFullyLoaded bool // have we loaded all available stashed documents from the server?
viewState stashViewState
filterState filterState
selectionState selectionState
showFullHelp bool
showStatusMessage bool
statusMessage statusMessage
statusMessageTimer *time.Timer
stashStatusMessageQueued bool
// Available document sections we can cycle through. We use a slice, rather
// than a map, because order is important.
sections []section
// Index of the section we're currently looking at
sectionIndex int
// Tracks what exactly is loaded between the stash, news and local files
loaded DocTypeSet
2020-05-15 00:23:11 +00:00
// The master set of markdown documents we're working with.
markdowns []*markdown
// Markdown documents we're currently displaying. Filtering, toggles and so
// on will alter this slice so we can show what is relevant. For that
// reason, this field should be considered ephemeral.
filteredMarkdowns []*markdown
2020-05-21 19:14:33 +00:00
// Page we're fetching stash items from on the server, which is different
// from the local pagination. Generally, the server will return more items
// than we can display at a time so we can paginate locally without having
// to fetch every time.
serverPage int
2020-05-15 00:23:11 +00:00
}
func (m stashModel) localOnly() bool {
return m.common.cfg.localOnly()
}
func (m stashModel) stashedOnly() bool {
return m.common.cfg.stashedOnly()
}
2020-10-18 03:01:20 +00:00
func (m stashModel) loadingDone() bool {
return m.loaded.Equals(m.common.cfg.DocumentTypes.Difference(ConvertedDoc))
2020-10-18 03:01:20 +00:00
}
func (m stashModel) hasSection(key sectionKey) bool {
for _, v := range m.sections {
if key == v.key {
return true
}
}
return false
}
func (m stashModel) currentSection() *section {
return &m.sections[m.sectionIndex]
}
func (m stashModel) paginator() *paginator.Model {
return &m.currentSection().paginator
}
func (m *stashModel) setPaginator(p paginator.Model) {
m.currentSection().paginator = p
}
func (m stashModel) cursor() int {
return m.currentSection().cursor
}
func (m *stashModel) setCursor(i int) {
m.currentSection().cursor = i
}
// Returns whether or not we're online. That is, when "local-only" mode is
// disabled and we've authenticated successfully.
func (m stashModel) online() bool {
return !m.localOnly() && m.common.authStatus == authOK
}
func (m *stashModel) setSize(width, height int) {
m.common.width = width
m.common.height = height
2020-05-15 00:23:11 +00:00
m.noteInput.Width = width - stashViewHorizontalPadding*2 - ansi.PrintableRuneWidth(m.noteInput.Prompt)
m.filterInput.Width = width - stashViewHorizontalPadding*2 - ansi.PrintableRuneWidth(m.filterInput.Prompt)
m.updatePagination()
}
// bakeConvertedDocs turns converted documents into stashed ones. Essentially,
// we're discarding the fact that they were ever converted so we can stop
// treating them like converted documents.
func (m *stashModel) bakeConvertedDocs() {
for _, md := range m.markdowns {
if md.docType == ConvertedDoc {
md.docType = StashedDoc
}
}
}
func (m *stashModel) resetFiltering() {
m.filterState = unfiltered
m.filterInput.Reset()
m.filteredMarkdowns = nil
// Turn converted markdowns into stashed ones so that the next time we
// filter we get both local and stashed results.
m.bakeConvertedDocs()
sort.Stable(markdownsByLocalFirst(m.markdowns))
m.updatePagination()
2020-12-15 18:37:11 +00:00
if m.sections[len(m.sections)-1].key == filterSection {
m.sections = m.sections[:len(m.sections)-1]
}
if m.sectionIndex > len(m.sections)-1 {
m.sectionIndex = 0
}
}
// Is a filter currently being applied?
2020-12-15 18:37:11 +00:00
func (m stashModel) filterApplied() bool {
return m.filterState != unfiltered
}
// Should we be updating the filter?
func (m stashModel) shouldUpdateFilter() bool {
// If we're in the middle of setting a note don't update the filter so that
// the focus won't jump around.
2020-12-15 18:37:11 +00:00
return m.filterApplied() && m.selectionState != selectionSettingNote
}
// Update pagination according to the amount of markdowns for the current
// state.
func (m *stashModel) updatePagination() {
_, helpHeight := m.helpView()
availableHeight := m.common.height -
stashViewTopPadding -
2020-11-30 23:44:58 +00:00
helpHeight -
stashViewBottomPadding
m.paginator().PerPage = max(1, availableHeight/stashViewItemHeight)
if pages := len(m.getVisibleMarkdowns()); pages < 1 {
m.paginator().SetTotalPages(1)
} else {
m.paginator().SetTotalPages(pages)
}
2020-05-22 02:29:46 +00:00
// Make sure the page stays in bounds
if m.paginator().Page >= m.paginator().TotalPages-1 {
m.paginator().Page = max(0, m.paginator().TotalPages-1)
}
}
// MarkdownIndex returns the index of the currently selected markdown item.
2020-05-21 19:14:33 +00:00
func (m stashModel) markdownIndex() int {
return m.paginator().Page*m.paginator().PerPage + m.cursor()
2020-05-21 19:14:33 +00:00
}
// Return the current selected markdown in the stash.
2020-05-22 20:28:15 +00:00
func (m stashModel) selectedMarkdown() *markdown {
i := m.markdownIndex()
2020-10-24 20:45:05 +00:00
mds := m.getVisibleMarkdowns()
if i < 0 || len(mds) == 0 || len(mds) <= i {
return nil
}
2020-10-24 20:45:05 +00:00
return mds[i]
2020-05-22 20:28:15 +00:00
}
// Adds markdown documents to the model.
2020-05-22 20:01:23 +00:00
func (m *stashModel) addMarkdowns(mds ...*markdown) {
if len(mds) > 0 {
2020-12-10 01:12:01 +00:00
for _, md := range mds {
2020-12-15 18:37:11 +00:00
md.generateIDs()
2020-12-10 01:12:01 +00:00
}
m.markdowns = append(m.markdowns, mds...)
2020-12-15 18:37:11 +00:00
if !m.filterApplied() {
sort.Stable(markdownsByLocalFirst(m.markdowns))
}
m.updatePagination()
}
2020-05-22 20:01:23 +00:00
}
// Return the number of markdown documents of a given type.
func (m stashModel) countMarkdowns(t DocType) (found int) {
if len(m.markdowns) == 0 {
return
}
var mds []*markdown
2020-12-15 18:37:11 +00:00
if m.filterState == filtering {
mds = m.getVisibleMarkdowns()
} else {
mds = m.markdowns
}
for i := 0; i < len(mds); i++ {
if mds[i].docType == t {
found++
}
}
return
}
2020-11-25 16:40:24 +00:00
// Sift through the master markdown collection for the specified types.
func (m stashModel) getMarkdownByType(types ...DocType) []*markdown {
2020-11-25 16:40:24 +00:00
var agg []*markdown
if len(m.markdowns) == 0 {
return agg
}
for _, t := range types {
2020-11-19 23:56:46 +00:00
for _, md := range m.markdowns {
if md.docType == t {
2020-11-25 16:40:24 +00:00
agg = append(agg, md)
2020-11-19 23:56:46 +00:00
}
}
}
2020-11-25 16:40:12 +00:00
sort.Stable(markdownsByLocalFirst(agg))
2020-11-25 16:40:24 +00:00
return agg
}
// Returns the markdowns that should be currently shown.
func (m stashModel) getVisibleMarkdowns() []*markdown {
2020-12-15 18:37:11 +00:00
if m.filterState == filtering || m.currentSection().key == filterSection {
return m.filteredMarkdowns
}
2020-11-25 16:40:24 +00:00
return m.getMarkdownByType(m.currentSection().docTypes.AsSlice()...)
2020-11-25 16:40:24 +00:00
}
// Return the markdowns eligible to be filtered.
func (m stashModel) getFilterableMarkdowns() (agg []*markdown) {
mds := m.getMarkdownByType(LocalDoc, ConvertedDoc, StashedDoc)
// Copy values
for _, v := range mds {
p := *v
agg = append(agg, &p)
}
return
}
// Command for opening a markdown document in the pager. Note that this also
// alters the model.
func (m *stashModel) openMarkdown(md *markdown) tea.Cmd {
var cmd tea.Cmd
m.viewState = stashStateLoadingDocument
if md.docType == LocalDoc {
cmd = loadLocalMarkdown(md)
} else {
cmd = loadRemoteMarkdown(m.common.cc, md)
}
return tea.Batch(cmd, spinner.Tick)
}
func (m *stashModel) newStatusMessage(sm statusMessage) tea.Cmd {
m.showStatusMessage = true
m.statusMessage = sm
if m.statusMessageTimer != nil {
m.statusMessageTimer.Stop()
}
m.statusMessageTimer = time.NewTimer(statusMessageTimeout)
return waitForStatusMessageTimeout(stashContext, m.statusMessageTimer)
}
2020-08-21 17:39:59 +00:00
func (m *stashModel) hideStatusMessage() {
m.showStatusMessage = false
m.statusMessage = statusMessage{}
2020-08-21 17:39:59 +00:00
if m.statusMessageTimer != nil {
m.statusMessageTimer.Stop()
}
}
func (m *stashModel) moveCursorUp() {
m.setCursor(m.cursor() - 1)
if m.cursor() < 0 && m.paginator().Page == 0 {
// Stop
m.setCursor(0)
return
}
if m.cursor() >= 0 {
return
}
// Go to previous page
m.paginator().PrevPage()
m.setCursor(m.paginator().ItemsOnPage(len(m.getVisibleMarkdowns())) - 1)
}
func (m *stashModel) moveCursorDown() {
itemsOnPage := m.paginator().ItemsOnPage(len(m.getVisibleMarkdowns()))
m.setCursor(m.cursor() + 1)
if m.cursor() < itemsOnPage {
return
}
if !m.paginator().OnLastPage() {
m.paginator().NextPage()
m.setCursor(0)
return
}
// During filtering the cursor position can exceed the number of
// itemsOnPage. It's more intuitive to start the cursor at the
// topmost position when moving it down in this scenario.
if m.cursor() > itemsOnPage {
m.setCursor(0)
return
}
m.setCursor(itemsOnPage - 1)
}
// INIT
func newStashModel(common *commonModel) stashModel {
sp := spinner.NewModel()
sp.Spinner = spinner.Line
sp.ForegroundColor = lib.SpinnerColor.String()
sp.HideFor = time.Millisecond * 100
sp.MinimumLifetime = time.Millisecond * 180
sp.Start()
2020-05-22 02:29:46 +00:00
ni := textinput.NewModel()
ni.Prompt = stashTextInputPromptStyle("Memo: ")
ni.CursorColor = lib.Fuschia.String()
2020-05-22 22:42:18 +00:00
ni.CharLimit = noteCharacterLimit
2020-05-22 02:29:46 +00:00
ni.Focus()
si := textinput.NewModel()
2020-12-15 00:53:06 +00:00
si.Prompt = stashTextInputPromptStyle("Find: ")
si.CursorColor = lib.Fuschia.String()
si.CharLimit = noteCharacterLimit
si.Focus()
var s []section
if common.cfg.localOnly() {
s = []section{
sections[localSection],
}
} else if common.cfg.stashedOnly() {
s = []section{
sections[stashedSection],
sections[newsSection],
}
} else {
s = []section{
sections[localSection],
sections[stashedSection],
sections[newsSection],
}
}
m := stashModel{
common: common,
spinner: sp,
noteInput: ni,
filterInput: si,
serverPage: 1,
loaded: NewDocTypeSet(),
sections: s,
}
return m
}
2020-12-15 18:37:11 +00:00
func newStashPaginator() paginator.Model {
p := paginator.NewModel()
p.Type = paginator.Dots
p.ActiveDot = brightGrayFg("•")
p.InactiveDot = darkGrayFg("•")
return p
}
// UPDATE
2020-11-25 16:40:24 +00:00
func (m stashModel) update(msg tea.Msg) (stashModel, tea.Cmd) {
var cmds []tea.Cmd
2020-05-15 00:52:25 +00:00
switch msg := msg.(type) {
case errMsg:
m.err = msg
case stashLoadErrMsg:
m.err = msg.err
m.loaded.Add(StashedDoc) // still done, albeit unsuccessfully
m.stashFullyLoaded = true
case newsLoadErrMsg:
m.err = msg.err
m.loaded.Add(NewsDoc) // still done, albeit unsuccessfully
case localFileSearchFinished:
// We're finished searching for local files
m.loaded.Add(LocalDoc)
case gotStashMsg, gotNewsMsg:
// Stash or news results have come in from the server.
//
// With the stash, this doesn't mean the whole stash listing is loaded,
// but now know it can load, at least, so mark the stash as loaded here.
var docs []*markdown
switch msg := msg.(type) {
case gotStashMsg:
m.loaded.Add(StashedDoc)
docs = wrapMarkdowns(StashedDoc, msg)
if len(msg) == 0 {
// If the server comes back with nothing then we've got
// everything
m.stashFullyLoaded = true
} else {
// Load the next page
m.serverPage++
cmds = append(cmds, loadStash(m))
}
case gotNewsMsg:
m.loaded.Add(NewsDoc)
docs = wrapMarkdowns(NewsDoc, msg)
}
// If we're filtering build filter indexes immediately so any
// matching results will show up in the filter.
2020-12-15 18:37:11 +00:00
if m.filterApplied() {
for _, md := range docs {
md.buildFilterValue()
}
2020-05-21 19:14:33 +00:00
}
if m.shouldUpdateFilter() {
cmds = append(cmds, filterMarkdowns(m))
}
2020-05-21 19:14:33 +00:00
m.addMarkdowns(docs...)
2020-12-10 01:12:01 +00:00
case markdownFetchFailedMsg:
s := "Couldn't load markdown"
if msg.note != "" {
s += ": " + msg.note
}
cmd := m.newStatusMessage(statusMessage{
status: normalStatusMessage,
message: s,
})
2020-12-10 01:12:01 +00:00
return m, cmd
case filteredMarkdownMsg:
m.filteredMarkdowns = msg
return m, nil
case spinner.TickMsg:
loading := !m.loadingDone()
stashing := m.common.isStashing()
openingDocument := m.viewState == stashStateLoadingDocument
spinnerVisible := m.spinner.Visible()
if loading || stashing || openingDocument || spinnerVisible {
newSpinnerModel, cmd := m.spinner.Update(msg)
m.spinner = newSpinnerModel
2020-05-15 22:39:23 +00:00
cmds = append(cmds, cmd)
} else if !stashing && !spinnerVisible && m.stashStatusMessageQueued {
m.stashStatusMessageQueued = false
cmds = append(cmds, m.newStatusMessage(stashedStatusMessage))
}
if spinnerVisible && m.showStatusMessage {
m.hideStatusMessage()
}
// A note was set on a document. This may have happened in the pager so
2020-05-22 02:29:46 +00:00
// we'll find the corresponding document here and update accordingly.
case noteSavedMsg:
2020-05-22 22:42:18 +00:00
for i := range m.markdowns {
if m.markdowns[i].ID == msg.ID {
m.markdowns[i].Note = msg.Note
}
}
2020-08-21 17:39:59 +00:00
// Note: mechanical stuff related to stash success is handled in the parent
// update function.
2020-08-21 17:39:59 +00:00
case stashSuccessMsg:
m.spinner.Finish()
if m.spinner.Visible() {
// We want to show the 'stashed!' status message, but need to wait
// until the spinner goes away first.
m.stashStatusMessageQueued = true
} else {
cmds = append(cmds, m.newStatusMessage(stashedStatusMessage))
}
2020-08-21 17:39:59 +00:00
// Note: mechanical stuff related to stash failure is handled in the parent
// update function.
2020-12-11 00:26:24 +00:00
case stashFailMsg:
cmds = append(cmds, m.newStatusMessage(statusMessage{
status: normalStatusMessage,
message: "Couldnt stash :(",
}))
2020-12-11 00:26:24 +00:00
2020-08-21 17:39:59 +00:00
case statusMessageTimeoutMsg:
if applicationContext(msg) == stashContext {
m.hideStatusMessage()
}
}
if m.filterState == filtering {
cmds = append(cmds, m.handleFiltering(msg))
return m, tea.Batch(cmds...)
}
switch m.selectionState {
case selectionSettingNote:
cmds = append(cmds, m.handleNoteInput(msg))
return m, tea.Batch(cmds...)
case selectionPromptingDelete:
cmds = append(cmds, m.handleDeleteConfirmation(msg))
return m, tea.Batch(cmds...)
}
2020-11-25 16:40:24 +00:00
// Updates per the current state
switch m.viewState {
case stashStateReady:
2020-11-25 16:40:24 +00:00
cmds = append(cmds, m.handleDocumentBrowsing(msg))
case stashStateShowingError:
// Any key exists the error view
if _, ok := msg.(tea.KeyMsg); ok {
m.viewState = stashStateReady
2020-11-25 16:40:24 +00:00
}
}
2020-11-25 16:40:24 +00:00
return m, tea.Batch(cmds...)
}
2020-12-01 03:12:05 +00:00
// Updates for when a user is browsing the markdown listing.
2020-11-25 16:40:24 +00:00
func (m *stashModel) handleDocumentBrowsing(msg tea.Msg) tea.Cmd {
var cmds []tea.Cmd
numDocs := len(m.getVisibleMarkdowns())
2020-11-25 16:40:24 +00:00
switch msg := msg.(type) {
// Handle keys
case tea.KeyMsg:
switch msg.String() {
case "k", "ctrl+k", "up":
2020-11-25 16:40:24 +00:00
m.moveCursorUp()
case "j", "ctrl+j", "down":
2020-11-25 16:40:24 +00:00
m.moveCursorDown()
// Go to the very start
case "home", "g":
m.paginator().Page = 0
m.setCursor(0)
2020-11-25 16:40:24 +00:00
// Go to the very end
case "end", "G":
m.paginator().Page = m.paginator().TotalPages - 1
m.setCursor(m.paginator().ItemsOnPage(numDocs) - 1)
2020-11-25 16:40:24 +00:00
2020-12-15 18:37:11 +00:00
// Clear filter (if applicable)
2020-11-25 16:40:24 +00:00
case "esc":
2020-12-15 18:37:11 +00:00
if m.filterApplied() {
m.resetFiltering()
}
2020-12-15 18:37:11 +00:00
// Next section
case "tab", "L":
2020-12-15 18:37:11 +00:00
if len(m.sections) == 0 || m.filterState == filtering {
break
}
m.sectionIndex++
if m.sectionIndex >= len(m.sections) {
m.sectionIndex = 0
}
m.updatePagination()
2020-12-15 18:37:11 +00:00
// Previous section
case "shift+tab", "H":
2020-12-15 18:37:11 +00:00
if len(m.sections) == 0 || m.filterState == filtering {
break
}
m.sectionIndex--
if m.sectionIndex < 0 {
m.sectionIndex = len(m.sections) - 1
}
m.updatePagination()
2020-08-21 17:39:59 +00:00
2020-11-25 16:40:24 +00:00
// Open document
case "enter":
m.hideStatusMessage()
if numDocs == 0 {
2020-11-25 16:40:24 +00:00
break
}
2020-11-25 16:40:24 +00:00
// Load the document from the server. We'll handle the message
// that comes back in the main update function.
md := m.selectedMarkdown()
cmds = append(cmds, m.openMarkdown(md))
2020-11-19 23:56:46 +00:00
2020-11-25 16:40:24 +00:00
// Filter your notes
case "/":
m.hideStatusMessage()
m.bakeConvertedDocs()
2020-11-25 16:40:24 +00:00
// Build values we'll filter against
for _, md := range m.markdowns {
md.buildFilterValue()
}
2020-11-25 16:40:24 +00:00
m.filteredMarkdowns = m.getFilterableMarkdowns()
m.paginator().Page = 0
m.setCursor(0)
m.filterState = filtering
2020-11-25 16:40:24 +00:00
m.filterInput.CursorEnd()
m.filterInput.Focus()
return textinput.Blink
2020-11-25 16:40:24 +00:00
// Set note
case "m":
m.hideStatusMessage()
2020-08-21 17:39:59 +00:00
if numDocs == 0 {
2020-11-25 16:40:24 +00:00
break
}
2020-11-25 16:40:24 +00:00
md := m.selectedMarkdown()
isUserMarkdown := md.docType == StashedDoc || md.docType == ConvertedDoc
isSettingNote := m.selectionState == selectionSettingNote
isPromptingDelete := m.selectionState == selectionPromptingDelete
2020-05-22 20:28:15 +00:00
2020-11-25 16:40:24 +00:00
if isUserMarkdown && !isSettingNote && !isPromptingDelete {
m.selectionState = selectionSettingNote
2020-11-25 16:40:24 +00:00
m.noteInput.SetValue(md.Note)
m.noteInput.CursorEnd()
return textinput.Blink
}
2020-11-25 16:40:24 +00:00
// Stash
case "s":
if numDocs == 0 || !m.online() || m.selectedMarkdown() == nil {
2020-11-25 16:40:24 +00:00
break
}
2020-11-25 16:40:24 +00:00
md := m.selectedMarkdown()
// Is this a document we're allowed to stash?
if !stashableDocTypes.Contains(md.docType) {
2020-12-11 00:26:24 +00:00
break
}
// Was this document already stashed?
2020-12-15 18:37:11 +00:00
if _, alreadyStashed := m.common.filesStashed[md.stashID]; alreadyStashed {
cmds = append(cmds, m.newStatusMessage(alreadyStashedStatusMessage))
break
}
// Is the document missing a stash ID?
if md.stashID.IsNil() {
2020-12-15 18:37:11 +00:00
if debug && md.stashID.IsNil() {
2020-12-10 01:12:01 +00:00
log.Printf("refusing to stash markdown; local ID path is nil: %#v", md)
}
2020-11-25 16:40:24 +00:00
break
}
2020-11-25 16:40:24 +00:00
// Checks passed; perform the stash
2020-12-15 18:37:11 +00:00
m.common.filesStashed[md.stashID] = struct{}{}
m.common.filesStashing[md.stashID] = struct{}{}
cmds = append(cmds, stashDocument(m.common.cc, *md))
// If we're stashing a filtered item, optimistically convert the
// filtered item into a stashed item.
if m.filterApplied() {
for _, v := range m.filteredMarkdowns {
if v.uniqueID == md.uniqueID {
v.convertToStashed()
}
}
}
2020-11-25 16:40:24 +00:00
if m.loadingDone() && !m.spinner.Visible() {
m.spinner.Start()
cmds = append(cmds, spinner.Tick)
}
2020-08-21 17:39:59 +00:00
2020-11-25 16:40:24 +00:00
// Prompt for deletion
case "x":
m.hideStatusMessage()
validState := m.viewState == stashStateReady &&
m.selectionState == selectionIdle
if numDocs == 0 && !validState {
2020-11-25 16:40:24 +00:00
break
}
2020-05-22 20:28:15 +00:00
md := m.selectedMarkdown()
if md == nil {
break
}
t := md.docType
if t == StashedDoc || t == ConvertedDoc {
m.selectionState = selectionPromptingDelete
}
// Toggle full help
case "?":
m.showFullHelp = !m.showFullHelp
m.updatePagination()
2020-11-25 16:40:24 +00:00
// Show errors
case "!":
if m.err != nil && m.viewState == stashStateReady {
m.viewState = stashStateShowingError
2020-11-25 16:40:24 +00:00
return nil
}
}
2020-11-25 16:40:24 +00:00
}
2020-11-25 16:40:24 +00:00
// Update paginator. Pagination key handling is done here, but it could
// also be moved up to this level, in which case we'd use model methods
// like model.PageUp().
newPaginatorModel, cmd := m.paginator().Update(msg)
m.setPaginator(newPaginatorModel)
2020-11-25 16:40:24 +00:00
cmds = append(cmds, cmd)
// Extra paginator keystrokes
if key, ok := msg.(tea.KeyMsg); ok {
switch key.String() {
case "b", "u":
m.paginator().PrevPage()
2020-11-25 16:40:24 +00:00
case "f", "d":
m.paginator().NextPage()
}
2020-11-25 16:40:24 +00:00
}
2020-11-25 16:40:24 +00:00
// Keep the index in bounds when paginating
itemsOnPage := m.paginator().ItemsOnPage(len(m.getVisibleMarkdowns()))
if m.cursor() > itemsOnPage-1 {
m.setCursor(max(0, itemsOnPage-1))
2020-11-25 16:40:24 +00:00
}
2020-11-25 16:40:24 +00:00
return tea.Batch(cmds...)
}
2020-11-25 16:40:24 +00:00
// Updates for when a user is being prompted whether or not to delete a
// markdown item.
func (m *stashModel) handleDeleteConfirmation(msg tea.Msg) tea.Cmd {
if msg, ok := msg.(tea.KeyMsg); ok {
switch msg.String() {
case "y":
if m.selectionState != selectionPromptingDelete {
2020-11-25 16:40:24 +00:00
break
}
smd := m.selectedMarkdown()
for _, md := range m.markdowns {
if md.uniqueID != smd.uniqueID {
2020-11-25 16:40:24 +00:00
continue
}
2020-12-10 01:12:01 +00:00
// Remove from the things-we-stashed-this-session set
2020-12-15 18:37:11 +00:00
delete(m.common.filesStashed, md.stashID)
// Delete optimistically and remove the stashed item before
// we've received a success response.
mds, err := deleteMarkdown(m.markdowns, md)
if err == nil {
m.markdowns = mds
}
break
}
// Also optimistically delete from filtered markdowns
if m.filterApplied() {
for _, md := range m.filteredMarkdowns {
if md.uniqueID != smd.uniqueID {
continue
}
switch md.docType {
case ConvertedDoc:
// If the document was stashed in this session, convert it
// back to it's original document type
if md.originalDocType == LocalDoc {
md.revertFromStashed()
break
}
// Other documents fall through and delete as normal
fallthrough
// Otherwise, remove the document from the listing
default:
mds, err := deleteMarkdown(m.filteredMarkdowns, md)
if err == nil {
m.filteredMarkdowns = mds
}
}
break
}
2020-11-25 16:40:24 +00:00
}
m.selectionState = selectionIdle
m.updatePagination()
2020-12-15 18:37:11 +00:00
if len(m.filteredMarkdowns) == 0 {
m.resetFiltering()
}
return deleteStashedItem(m.common.cc, smd.ID)
2020-11-25 16:40:24 +00:00
// Any other key cancels deletion
2020-11-25 16:40:24 +00:00
default:
m.selectionState = selectionIdle
}
2020-11-25 16:40:24 +00:00
}
2020-11-25 16:40:24 +00:00
return nil
}
2020-12-01 03:12:05 +00:00
// Updates for when a user is in the filter editing interface.
2020-11-25 16:40:24 +00:00
func (m *stashModel) handleFiltering(msg tea.Msg) tea.Cmd {
var cmds []tea.Cmd
2020-11-25 16:40:24 +00:00
// Handle keys
if msg, ok := msg.(tea.KeyMsg); ok {
switch msg.String() {
case "esc":
// Cancel filtering
m.resetFiltering()
case "enter", "tab", "shift+tab", "ctrl+k", "up", "ctrl+j", "down":
m.hideStatusMessage()
2020-11-25 16:40:24 +00:00
if len(m.markdowns) == 0 {
break
}
2020-11-25 16:40:24 +00:00
h := m.getVisibleMarkdowns()
2020-11-25 16:40:24 +00:00
// If we've filtered down to nothing, clear the filter
if len(h) == 0 {
m.viewState = stashStateReady
2020-11-25 16:40:24 +00:00
m.resetFiltering()
break
}
2020-11-25 16:40:24 +00:00
// When there's only one filtered markdown left we can just
// "open" it directly
if len(h) == 1 {
m.viewState = stashStateReady
2020-11-25 16:40:24 +00:00
m.resetFiltering()
cmds = append(cmds, m.openMarkdown(h[0]))
break
}
2020-12-15 18:37:11 +00:00
// Add new section if it's not present
if m.sections[len(m.sections)-1].key != filterSection {
m.sections = append(m.sections, sections[filterSection])
}
m.sectionIndex = len(m.sections) - 1
2020-11-25 16:40:24 +00:00
m.filterInput.Blur()
m.filterState = filterApplied
2020-11-25 16:40:24 +00:00
if m.filterInput.Value() == "" {
m.resetFiltering()
}
}
2020-11-25 16:40:24 +00:00
}
2020-11-25 16:40:24 +00:00
// Update the filter text input component
newFilterInputModel, inputCmd := m.filterInput.Update(msg)
currentFilterVal := m.filterInput.Value()
newFilterVal := newFilterInputModel.Value()
m.filterInput = newFilterInputModel
cmds = append(cmds, inputCmd)
2020-11-25 16:40:24 +00:00
// If the filtering input has changed, request updated filtering
if newFilterVal != currentFilterVal {
cmds = append(cmds, filterMarkdowns(*m))
}
2020-05-22 02:29:46 +00:00
2020-11-25 16:40:24 +00:00
// Update pagination
m.updatePagination()
2020-11-25 16:40:24 +00:00
return tea.Batch(cmds...)
}
2020-05-22 02:29:46 +00:00
2020-11-25 16:40:24 +00:00
func (m *stashModel) handleNoteInput(msg tea.Msg) tea.Cmd {
var cmds []tea.Cmd
if msg, ok := msg.(tea.KeyMsg); ok {
switch msg.String() {
case "esc":
// Cancel note
m.noteInput.Reset()
m.selectionState = selectionIdle
2020-11-25 16:40:24 +00:00
case "enter":
// Set new note
md := m.selectedMarkdown()
// If the user is issuing a rename on a newly stashed item in a
// filtered listing, there's a small chance the user could try and
// set a note before the stash is complete.
if md.ID == 0 {
if debug {
log.Printf("user attempted to rename, but markdown ID is 0: %v", md)
}
return m.newStatusMessage(statusMessage{
status: subtleStatusMessage,
message: "Too fast. Try again in a sec.",
})
}
2020-11-25 16:40:24 +00:00
newNote := m.noteInput.Value()
cmd := saveDocumentNote(m.common.cc, md.ID, newNote)
2020-11-25 16:40:24 +00:00
md.Note = newNote
m.noteInput.Reset()
m.selectionState = selectionIdle
2020-11-25 16:40:24 +00:00
return cmd
}
2020-05-15 00:52:25 +00:00
}
2020-11-25 16:40:24 +00:00
if m.shouldUpdateFilter() {
cmds = append(cmds, filterMarkdowns(*m))
}
// Update the note text input component
newNoteInputModel, noteInputCmd := m.noteInput.Update(msg)
m.noteInput = newNoteInputModel
cmds = append(cmds, noteInputCmd)
return tea.Batch(cmds...)
}
// VIEW
2020-11-25 16:40:24 +00:00
func (m stashModel) view() string {
var s string
switch m.viewState {
case stashStateShowingError:
return errorView(m.err, false)
2020-05-15 19:08:45 +00:00
case stashStateLoadingDocument:
s += " " + m.spinner.View() + " Loading document..."
case stashStateReady:
loadingIndicator := " "
if !m.loadingDone() || m.spinner.Visible() {
loadingIndicator = m.spinner.View()
}
2020-08-13 19:37:53 +00:00
var header string
switch m.selectionState {
case selectionPromptingDelete:
header = redFg("Delete this item from your stash? ") + faintRedFg("(y/N)")
case selectionSettingNote:
header = yellowFg("Set the memo for this item?")
2020-05-15 22:34:42 +00:00
}
// Only draw the normal header if we're not using the header area for
// something else (like a note or delete prompt).
if header == "" {
header = m.headerView()
}
// Rules for the logo, filter and status message.
logoOrFilter := " "
2020-12-15 18:37:11 +00:00
if m.showStatusMessage && m.filterState == filtering {
logoOrFilter += m.statusMessage.String()
2020-12-15 18:37:11 +00:00
} else if m.filterState == filtering {
logoOrFilter += m.filterInput.View()
} else {
logoOrFilter += glowLogoView(" Glow ")
if m.showStatusMessage {
logoOrFilter += " " + m.statusMessage.String()
}
}
logoOrFilter = truncate.StringWithTail(logoOrFilter, uint(m.common.width), ellipsis)
help, helpHeight := m.helpView()
populatedView := m.populatedView()
populatedViewHeight := strings.Count(populatedView, "\n") + 2
// We need to fill any empty height with newlines so the footer reaches
// the bottom.
availHeight := m.common.height -
stashViewTopPadding -
populatedViewHeight -
helpHeight -
stashViewBottomPadding
blankLines := strings.Repeat("\n", max(0, availHeight))
var pagination string
if m.paginator().TotalPages > 1 {
pagination = m.paginator().View()
// If the dot pagination is wider than the width of the window
// switch to the arabic paginator.
if ansi.PrintableRuneWidth(pagination) > m.common.width-stashViewHorizontalPadding {
m.paginator().Type = paginator.Arabic
pagination = lib.Subtle(m.paginator().View())
}
// We could also look at m.stashFullyLoaded and add an indicator
// showing that we don't actually know how many more pages there
// are.
}
2020-05-15 00:52:25 +00:00
s += fmt.Sprintf(
"%s%s\n\n %s\n\n%s\n\n%s %s\n\n%s",
loadingIndicator,
2020-11-13 21:33:22 +00:00
logoOrFilter,
2020-05-15 22:34:42 +00:00
header,
populatedView,
2020-05-15 01:12:13 +00:00
blankLines,
pagination,
help,
2020-05-15 00:52:25 +00:00
)
2020-05-13 23:02:39 +00:00
}
return "\n" + indent(s, stashIndent)
2020-05-13 23:02:39 +00:00
}
func glowLogoView(text string) string {
return te.String(text).
Bold().
Foreground(glowLogoTextColor).
Background(lib.Fuschia.Color()).
String()
}
func (m stashModel) headerView() string {
localCount := m.countMarkdowns(LocalDoc)
stashedCount := m.countMarkdowns(StashedDoc) + m.countMarkdowns(ConvertedDoc)
newsCount := m.countMarkdowns(NewsDoc)
var sections []string
// Filter results
2020-12-15 18:37:11 +00:00
if m.filterState == filtering {
if localCount+stashedCount+newsCount == 0 {
return grayFg("Nothing found.")
} else {
if localCount > 0 {
sections = append(sections, fmt.Sprintf("%d local", localCount))
}
if stashedCount > 0 {
sections = append(sections, fmt.Sprintf("%d stashed", stashedCount))
}
}
for i := range sections {
sections[i] = grayFg(sections[i])
}
return strings.Join(sections, dividerDot)
}
if m.loadingDone() && len(m.markdowns) == 0 {
var maybeOffline string
if m.common.authStatus == authFailed {
maybeOffline = " " + offlineHeaderNote
}
if m.stashedOnly() {
return lib.Subtle("Cant load stash") + maybeOffline
}
return lib.Subtle("No markdown files found") + maybeOffline
}
// Tabs
for i, v := range m.sections {
var s string
switch v.key {
case localSection:
if m.stashedOnly() {
continue
}
s = fmt.Sprintf("%d local", localCount)
case stashedSection:
if m.localOnly() {
continue
}
s = fmt.Sprintf("%d stashed", stashedCount)
case newsSection:
if m.localOnly() {
continue
}
s = fmt.Sprintf("%d news", newsCount)
2020-12-15 18:37:11 +00:00
case filterSection:
s = fmt.Sprintf("%d “%s”", len(m.filteredMarkdowns), m.filterInput.Value())
}
if m.sectionIndex == i && len(m.sections) > 1 {
s = brightGrayFg(s)
} else {
s = grayFg(s)
}
sections = append(sections, s)
}
2020-10-25 03:57:12 +00:00
s := strings.Join(sections, dividerBar)
if m.common.authStatus == authFailed {
s += dividerDot + offlineHeaderNote
2020-10-25 03:57:12 +00:00
}
return s
2020-05-13 23:02:39 +00:00
}
func (m stashModel) populatedView() string {
mds := m.getVisibleMarkdowns()
var b strings.Builder
// Empty states
if len(mds) == 0 {
f := func(s string) {
b.WriteString(" " + grayFg(s))
}
switch m.sections[m.sectionIndex].key {
case localSection:
if m.loadingDone() {
f("No local files found.")
} else {
f("Looking for local files...")
}
case stashedSection:
if m.common.authStatus == authFailed {
f("Can't load your stash. Are you offline?")
} else if m.loadingDone() {
f("Nothing stashed yet.")
} else {
f("Loading your stash...")
}
case newsSection:
if m.common.authStatus == authFailed {
f("Can't load news. Are you offline?")
} else if m.loadingDone() {
f("No stashed files found.")
} else {
f("Loading your stash...")
}
case filterSection:
return ""
}
}
if len(mds) > 0 {
start, end := m.paginator().GetSliceBounds(len(mds))
docs := mds[start:end]
2020-05-15 00:23:11 +00:00
2020-06-02 23:44:26 +00:00
for i, md := range docs {
stashItemView(&b, m, i, md)
if i != len(docs)-1 {
fmt.Fprintf(&b, "\n\n")
}
}
2020-05-13 23:02:39 +00:00
}
2020-05-15 00:52:25 +00:00
// If there aren't enough items to fill up this page (always the last page)
2020-06-02 23:44:26 +00:00
// then we need to add some newlines to fill up the space where stash items
// would have been.
itemsOnPage := m.paginator().ItemsOnPage(len(mds))
if itemsOnPage < m.paginator().PerPage {
n := (m.paginator().PerPage - itemsOnPage) * stashViewItemHeight
if len(mds) == 0 {
2020-06-02 23:44:26 +00:00
n -= stashViewItemHeight - 1
}
for i := 0; i < n; i++ {
fmt.Fprint(&b, "\n")
}
2020-05-15 00:52:25 +00:00
}
return b.String()
2020-05-15 00:23:11 +00:00
}
// COMMANDS
2020-12-10 01:12:01 +00:00
// loadRemoteMarkdown is a command for loading markdown from the server.
func loadRemoteMarkdown(cc *charm.Client, md *markdown) tea.Cmd {
return func() tea.Msg {
newMD, err := fetchMarkdown(cc, md.ID, md.docType)
2020-05-21 19:14:33 +00:00
if err != nil {
2020-08-18 19:41:57 +00:00
if debug {
log.Printf("error loading %s markdown (ID %d, Note: '%s'): %v", md.docType, md.ID, md.Note, err)
2020-12-10 01:12:01 +00:00
}
return markdownFetchFailedMsg{
err: err,
id: md.ID,
note: md.Note,
2020-08-18 19:41:57 +00:00
}
2020-05-21 19:14:33 +00:00
}
2020-12-15 18:37:11 +00:00
newMD.stashID = md.stashID
return fetchedMarkdownMsg(newMD)
2020-12-10 01:12:01 +00:00
}
}
func loadLocalMarkdown(md *markdown) tea.Cmd {
return func() tea.Msg {
if md.docType != LocalDoc {
return errMsg{errors.New("could not load local file: not a local file")}
}
if md.localPath == "" {
return errMsg{errors.New("could not load file: missing path")}
}
data, err := ioutil.ReadFile(md.localPath)
if err != nil {
2020-08-18 19:41:57 +00:00
if debug {
log.Println("error reading local markdown:", err)
}
return errMsg{err}
}
md.Body = string(data)
return fetchedMarkdownMsg(md)
}
}
func deleteStashedItem(cc *charm.Client, id int) tea.Cmd {
return func() tea.Msg {
2020-05-15 22:34:42 +00:00
err := cc.DeleteMarkdown(id)
if err != nil {
if debug {
2020-08-24 19:59:28 +00:00
log.Println("could not delete stashed item:", err)
}
return errMsg{err}
2020-05-15 22:34:42 +00:00
}
return deletedStashedItemMsg(id)
}
}
2020-05-18 20:08:49 +00:00
func filterMarkdowns(m stashModel) tea.Cmd {
return func() tea.Msg {
2020-12-15 18:37:11 +00:00
if m.filterInput.Value() == "" || !m.filterApplied() {
2020-11-25 16:40:24 +00:00
return filteredMarkdownMsg(m.getFilterableMarkdowns()) // return everything
}
targets := []string{}
2020-11-25 16:40:24 +00:00
mds := m.getFilterableMarkdowns()
2020-11-25 16:40:24 +00:00
for _, t := range mds {
targets = append(targets, t.filterValue)
}
ranks := fuzzy.Find(m.filterInput.Value(), targets)
sort.Stable(ranks)
filtered := []*markdown{}
for _, r := range ranks {
2020-11-25 16:40:24 +00:00
filtered = append(filtered, mds[r.Index])
}
return filteredMarkdownMsg(filtered)
}
}
2020-05-18 20:08:49 +00:00
// ETC
2020-12-11 03:53:24 +00:00
// fetchMarkdown performs the actual I/O for loading markdown from the sever.
func fetchMarkdown(cc *charm.Client, id int, t DocType) (*markdown, error) {
var md *charm.Markdown
var err error
switch t {
case StashedDoc, ConvertedDoc:
md, err = cc.GetStashMarkdown(id)
case NewsDoc:
md, err = cc.GetNewsMarkdown(id)
default:
err = fmt.Errorf("unknown markdown type: %s", t)
}
if err != nil {
return nil, err
}
return &markdown{
docType: t,
Markdown: *md,
2020-12-11 03:53:24 +00:00
}, nil
}
2020-12-01 03:12:05 +00:00
// Delete a markdown from a slice of markdowns.
func deleteMarkdown(markdowns []*markdown, target *markdown) ([]*markdown, error) {
index := -1
// Operate on a copy to avoid any pointer weirdness
mds := make([]*markdown, len(markdowns))
copy(mds, markdowns)
for i, v := range mds {
2020-12-15 18:37:11 +00:00
if v.uniqueID == target.uniqueID {
index = i
break
}
}
if index == -1 {
err := fmt.Errorf("could not find markdown to delete")
if debug {
log.Println(err)
}
return nil, err
}
return append(mds[:index], mds[index+1:]...), nil
}