1
0
mirror of https://github.com/jesseduffield/lazygit.git synced 2024-12-02 09:21:40 +02:00
lazygit/pkg/gui/gui.go

781 lines
22 KiB
Go
Raw Normal View History

package gui
2018-05-19 03:16:34 +02:00
import (
2019-03-12 12:43:56 +02:00
"bytes"
"io"
2019-03-03 14:08:07 +02:00
"math"
2018-12-07 20:22:22 +02:00
"sync"
2018-05-26 05:23:39 +02:00
// "io"
// "io/ioutil"
2018-05-26 05:23:39 +02:00
2018-08-14 00:33:40 +02:00
"io/ioutil"
"os"
2018-08-12 13:04:47 +02:00
"os/exec"
"strings"
"time"
"github.com/go-errors/errors"
// "strings"
2018-08-06 08:11:29 +02:00
2018-11-25 14:15:36 +02:00
"github.com/fatih/color"
"github.com/golang-collections/collections/stack"
"github.com/jesseduffield/gocui"
2018-08-13 12:26:02 +02:00
"github.com/jesseduffield/lazygit/pkg/commands"
2018-08-18 05:22:05 +02:00
"github.com/jesseduffield/lazygit/pkg/config"
"github.com/jesseduffield/lazygit/pkg/i18n"
2018-08-19 15:28:29 +02:00
"github.com/jesseduffield/lazygit/pkg/updates"
2019-02-25 13:11:35 +02:00
"github.com/jesseduffield/lazygit/pkg/utils"
"github.com/sirupsen/logrus"
2018-05-19 03:16:34 +02:00
)
// OverlappingEdges determines if panel edges overlap
var OverlappingEdges = false
// SentinelErrors are the errors that have special meaning and need to be checked
// by calling functions. The less of these, the better
type SentinelErrors struct {
ErrSubProcess error
ErrNoFiles error
2018-09-07 01:41:15 +02:00
ErrSwitchRepo error
}
// GenerateSentinelErrors makes the sentinel errors for the gui. We're defining it here
// because we can't do package-scoped errors with localization, and also because
// it seems like package-scoped variables are bad in general
// https://dave.cheney.net/2017/06/11/go-without-package-scoped-variables
// In the future it would be good to implement some of the recommendations of
// that article. For now, if we don't need an error to be a sentinel, we will just
// define it inline. This has implications for error messages that pop up everywhere
// in that we'll be duplicating the default values. We may need to look at
// having a default localisation bundle defined, and just using keys-only when
// localising things in the code.
func (gui *Gui) GenerateSentinelErrors() {
gui.Errors = SentinelErrors{
ErrSubProcess: errors.New(gui.Tr.SLocalize("RunningSubprocess")),
ErrNoFiles: errors.New(gui.Tr.SLocalize("NoChangedFiles")),
2018-09-07 01:41:15 +02:00
ErrSwitchRepo: errors.New("switching repo"),
}
}
2018-08-14 11:05:26 +02:00
// Teml is short for template used to make the required map[string]interface{} shorter when using gui.Tr.SLocalize and gui.Tr.TemplateLocalize
2018-08-16 13:35:04 +02:00
type Teml i18n.Teml
2018-08-12 13:04:47 +02:00
2018-08-13 12:26:02 +02:00
// Gui wraps the gocui Gui object which handles rendering and events
type Gui struct {
2019-04-07 08:45:55 +02:00
g *gocui.Gui
Log *logrus.Entry
GitCommand *commands.GitCommand
OSCommand *commands.OSCommand
SubProcess *exec.Cmd
State guiState
Config config.AppConfigurer
Tr *i18n.Localizer
Errors SentinelErrors
Updater *updates.Updater
statusManager *statusManager
credentials credentials
waitForIntro sync.WaitGroup
2018-08-13 13:16:21 +02:00
}
2018-12-07 09:52:31 +02:00
// for now the staging panel state, unlike the other panel states, is going to be
// non-mutative, so that we don't accidentally end up
// with mismatches of data. We might change this in the future
type stagingPanelState struct {
SelectedLine int
StageableLines []int
HunkStarts []int
Diff string
}
2018-12-08 07:54:54 +02:00
type mergingPanelState struct {
ConflictIndex int
ConflictTop bool
Conflicts []commands.Conflict
EditHistory *stack.Stack
}
type filePanelState struct {
SelectedLine int
}
type branchPanelState struct {
SelectedLine int
}
type commitPanelState struct {
SelectedLine int
SpecificDiffMode bool
}
type stashPanelState struct {
SelectedLine int
}
type menuPanelState struct {
SelectedLine int
}
type commitFilesPanelState struct {
SelectedLine int
}
type panelStates struct {
Files *filePanelState
Branches *branchPanelState
Commits *commitPanelState
Stash *stashPanelState
Menu *menuPanelState
Staging *stagingPanelState
Merging *mergingPanelState
CommitFiles *commitFilesPanelState
}
2018-08-13 13:16:21 +02:00
type guiState struct {
Files []*commands.File
Branches []*commands.Branch
Commits []*commands.Commit
StashEntries []*commands.StashEntry
CommitFiles []*commands.CommitFile
2019-03-28 11:58:34 +02:00
DiffEntries []*commands.Commit
MenuItemCount int // can't store the actual list because it's of interface{} type
PreviousView string
Platform commands.Platform
Updating bool
Panels *panelStates
WorkingTreeState string // one of "merging", "rebasing", "normal"
Contexts map[string]string
CherryPickedCommits []*commands.Commit
2019-03-12 12:43:56 +02:00
SubProcessOutput string
2018-08-13 12:26:02 +02:00
}
// NewGui builds a new gui handler
func NewGui(log *logrus.Entry, gitCommand *commands.GitCommand, oSCommand *commands.OSCommand, tr *i18n.Localizer, config config.AppConfigurer, updater *updates.Updater) (*Gui, error) {
2018-08-13 13:16:21 +02:00
initialState := guiState{
Files: make([]*commands.File, 0),
PreviousView: "files",
Commits: make([]*commands.Commit, 0),
CherryPickedCommits: make([]*commands.Commit, 0),
StashEntries: make([]*commands.StashEntry, 0),
2019-03-28 11:58:34 +02:00
DiffEntries: make([]*commands.Commit, 0),
Platform: *oSCommand.Platform,
Panels: &panelStates{
Files: &filePanelState{SelectedLine: -1},
Branches: &branchPanelState{SelectedLine: 0},
Commits: &commitPanelState{SelectedLine: -1},
CommitFiles: &commitFilesPanelState{SelectedLine: -1},
Stash: &stashPanelState{SelectedLine: -1},
Menu: &menuPanelState{SelectedLine: 0},
2018-12-08 07:54:54 +02:00
Merging: &mergingPanelState{
ConflictIndex: 0,
ConflictTop: true,
Conflicts: []commands.Conflict{},
EditHistory: stack.New(),
},
},
2018-08-13 12:26:02 +02:00
}
gui := &Gui{
2018-08-25 07:55:49 +02:00
Log: log,
GitCommand: gitCommand,
OSCommand: oSCommand,
State: initialState,
Config: config,
Tr: tr,
Updater: updater,
statusManager: &statusManager{},
}
gui.GenerateSentinelErrors()
return gui, nil
2018-08-13 12:26:02 +02:00
}
2018-08-13 13:16:21 +02:00
func (gui *Gui) scrollUpMain(g *gocui.Gui, v *gocui.View) error {
mainView, _ := g.View("main")
ox, oy := mainView.Origin()
2019-03-03 14:08:07 +02:00
newOy := int(math.Max(0, float64(oy-gui.Config.GetUserConfig().GetInt("gui.scrollHeight"))))
return mainView.SetOrigin(ox, newOy)
2018-05-21 12:52:48 +02:00
}
2018-05-19 03:16:34 +02:00
2018-08-13 13:16:21 +02:00
func (gui *Gui) scrollDownMain(g *gocui.Gui, v *gocui.View) error {
mainView, _ := g.View("main")
ox, oy := mainView.Origin()
y := oy
if !gui.Config.GetUserConfig().GetBool("gui.scrollPastBottom") {
_, sy := mainView.Size()
y += sy
}
if y < len(mainView.BufferLines()) {
2018-08-18 05:22:05 +02:00
return mainView.SetOrigin(ox, oy+gui.Config.GetUserConfig().GetInt("gui.scrollHeight"))
}
return nil
2018-05-19 09:04:33 +02:00
}
2018-08-13 13:16:21 +02:00
func (gui *Gui) handleRefresh(g *gocui.Gui, v *gocui.View) error {
return gui.refreshSidePanels(g)
2018-06-09 11:06:33 +02:00
}
func max(a, b int) int {
if a > b {
return a
}
return b
}
// getFocusLayout returns a manager function for when view gain and lose focus
func (gui *Gui) getFocusLayout() func(g *gocui.Gui) error {
var previousView *gocui.View
return func(g *gocui.Gui) error {
newView := gui.g.CurrentView()
if err := gui.onFocusChange(); err != nil {
return err
}
// for now we don't consider losing focus to a popup panel as actually losing focus
if newView != previousView && !gui.isPopupPanel(newView.Name()) {
if err := gui.onFocusLost(previousView, newView); err != nil {
return err
}
if err := gui.onFocus(newView); err != nil {
return err
}
previousView = newView
}
return nil
}
}
2019-02-16 12:01:17 +02:00
func (gui *Gui) onFocusChange() error {
currentView := gui.g.CurrentView()
for _, view := range gui.g.Views() {
view.Highlight = view == currentView
}
return gui.setMainTitle()
}
func (gui *Gui) onFocusLost(v *gocui.View, newView *gocui.View) error {
if v == nil {
return nil
}
if v.Name() == "branches" {
// This stops the branches panel from showing the upstream/downstream changes to the selected branch, when it loses focus
// inside renderListPanel it checks to see if the panel has focus
2019-02-16 12:30:29 +02:00
if err := gui.renderListPanel(gui.getBranchesView(), gui.State.Branches); err != nil {
return err
}
2019-03-02 04:22:02 +02:00
} else if v.Name() == "main" {
2019-03-11 00:28:47 +02:00
// if we have lost focus to a first-class panel, we need to do some cleanup
2019-03-02 04:22:02 +02:00
if err := gui.changeContext("main", "normal"); err != nil {
return err
}
2019-03-11 00:28:47 +02:00
} else if v.Name() == "commitFiles" {
2019-03-12 10:20:19 +02:00
if _, err := gui.g.SetViewOnBottom(v.Name()); err != nil {
return err
}
}
gui.Log.Info(v.Name() + " focus lost")
return nil
}
func (gui *Gui) onFocus(v *gocui.View) error {
if v == nil {
return nil
}
gui.Log.Info(v.Name() + " focus gained")
return nil
}
// layout is called for every screen re-render e.g. when the screen is resized
2018-08-13 12:26:02 +02:00
func (gui *Gui) layout(g *gocui.Gui) error {
g.Highlight = true
width, height := g.Size()
2019-04-20 15:56:23 +02:00
information := gui.Config.GetVersion()
if gui.g.Mouse {
donate := color.New(color.FgMagenta, color.Underline).Sprint(gui.Tr.SLocalize("Donate"))
information = donate + " " + information
}
2019-04-20 15:56:23 +02:00
2019-04-26 08:24:14 +02:00
minimumHeight := 9
2019-04-20 15:56:23 +02:00
minimumWidth := 10
if height < minimumHeight || width < minimumWidth {
v, err := g.SetView("limit", 0, 0, width-1, height-1, 0)
2019-04-20 15:56:23 +02:00
if err != nil {
if err.Error() != "unknown view" {
return err
}
v.Title = gui.Tr.SLocalize("NotEnoughSpace")
v.Wrap = true
2019-04-20 16:51:50 +02:00
_, _ = g.SetViewOnTop("limit")
2019-04-20 15:56:23 +02:00
}
return nil
}
currView := gui.g.CurrentView()
currentCyclebleView := gui.State.PreviousView
if currView != nil {
viewName := currView.Name()
usePreviouseView := true
for _, view := range cyclableViews {
if view == viewName {
currentCyclebleView = viewName
usePreviouseView = false
break
2019-04-20 15:56:23 +02:00
}
}
if usePreviouseView {
currentCyclebleView = gui.State.PreviousView
}
}
2019-04-20 15:56:23 +02:00
usableSpace := height - 7
extraSpace := usableSpace - (usableSpace/3)*3
vHeights := map[string]int{
"status": 3,
"files": (usableSpace / 3) + extraSpace,
"branches": usableSpace / 3,
"commits": usableSpace / 3,
"stash": 3,
"options": 1,
}
if height < 28 {
defaultHeight := 3
2019-04-25 21:37:19 +02:00
if height < 21 {
defaultHeight = 1
2019-04-20 15:56:23 +02:00
}
vHeights = map[string]int{
"status": defaultHeight,
"files": defaultHeight,
"branches": defaultHeight,
"commits": defaultHeight,
"stash": defaultHeight,
"options": defaultHeight,
}
vHeights[currentCyclebleView] = height - defaultHeight*4 - 1
2019-04-20 15:56:23 +02:00
}
optionsVersionBoundary := width - max(len(utils.Decolorise(information)), 1)
2019-04-20 15:56:23 +02:00
leftSideWidth := width / 3
2018-08-05 14:00:02 +02:00
2018-08-25 07:55:49 +02:00
appStatus := gui.statusManager.getStatusString()
appStatusOptionsBoundary := 0
if appStatus != "" {
appStatusOptionsBoundary = len(appStatus) + 2
2018-08-23 10:43:16 +02:00
}
panelSpacing := 1
if OverlappingEdges {
panelSpacing = 0
}
_, _ = g.SetViewOnBottom("limit")
2018-08-06 07:41:59 +02:00
g.DeleteView("limit")
v, err := g.SetView("main", leftSideWidth+panelSpacing, 0, width-1, height-2, gocui.LEFT)
if err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
return err
}
v.Title = gui.Tr.SLocalize("DiffTitle")
2018-08-05 14:00:02 +02:00
v.Wrap = true
2018-08-06 08:11:29 +02:00
v.FgColor = gocui.ColorWhite
}
2018-05-19 03:16:34 +02:00
if v, err := g.SetView("status", 0, 0, leftSideWidth, vHeights["status"]-1, gocui.BOTTOM|gocui.RIGHT); err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
return err
}
v.Title = gui.Tr.SLocalize("StatusTitle")
2018-08-06 08:11:29 +02:00
v.FgColor = gocui.ColorWhite
}
2018-06-01 15:23:31 +02:00
filesView, err := g.SetViewBeneath("files", "status", vHeights["files"])
if err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
return err
}
2018-08-05 14:00:02 +02:00
filesView.Highlight = true
filesView.Title = gui.Tr.SLocalize("FilesTitle")
2018-08-06 08:11:29 +02:00
v.FgColor = gocui.ColorWhite
}
2018-05-26 05:23:39 +02:00
branchesView, err := g.SetViewBeneath("branches", "files", vHeights["branches"])
if err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
return err
}
branchesView.Title = gui.Tr.SLocalize("BranchesTitle")
branchesView.FgColor = gocui.ColorWhite
}
2018-05-21 12:52:48 +02:00
if v, err := g.SetViewBeneath("commitFiles", "branches", vHeights["commits"]); err != nil {
if err.Error() != "unknown view" {
return err
}
v.Title = gui.Tr.SLocalize("CommitFiles")
v.FgColor = gocui.ColorWhite
}
commitsView, err := g.SetViewBeneath("commits", "branches", vHeights["commits"])
2019-02-25 13:11:35 +02:00
if err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
return err
}
2019-02-25 13:11:35 +02:00
commitsView.Title = gui.Tr.SLocalize("CommitsTitle")
commitsView.FgColor = gocui.ColorWhite
}
2018-06-05 10:48:46 +02:00
stashView, err := g.SetViewBeneath("stash", "commits", vHeights["stash"])
2019-02-25 13:11:35 +02:00
if err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
return err
}
2019-02-25 13:11:35 +02:00
stashView.Title = gui.Tr.SLocalize("StashTitle")
stashView.FgColor = gocui.ColorWhite
}
2018-05-21 12:52:48 +02:00
if v, err := g.SetView("options", appStatusOptionsBoundary-1, height-2, optionsVersionBoundary-1, height, 0); err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
return err
}
v.Frame = false
2018-08-18 05:54:39 +02:00
if v.FgColor, err = gui.GetOptionsPanelTextColor(); err != nil {
return err
}
2018-08-08 00:32:52 +02:00
}
2018-12-08 07:54:54 +02:00
if gui.getCommitMessageView() == nil {
2018-08-11 07:09:37 +02:00
// doesn't matter where this view starts because it will be hidden
if commitMessageView, err := g.SetView("commitMessage", width, height, width*2, height*2, 0); err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
2018-08-11 07:09:37 +02:00
return err
}
g.SetViewOnBottom("commitMessage")
commitMessageView.Title = gui.Tr.SLocalize("CommitMessage")
2018-08-11 07:09:37 +02:00
commitMessageView.FgColor = gocui.ColorWhite
commitMessageView.Editable = true
2018-09-02 17:08:59 +02:00
commitMessageView.Editor = gocui.EditorFunc(gui.simpleEditor)
}
2018-08-11 07:09:37 +02:00
}
if check, _ := g.View("credentials"); check == nil {
2018-10-20 17:37:55 +02:00
// doesn't matter where this view starts because it will be hidden
if credentialsView, err := g.SetView("credentials", width, height, width*2, height*2, 0); err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
2018-10-20 17:37:55 +02:00
return err
}
_, err := g.SetViewOnBottom("credentials")
2018-10-20 18:58:37 +02:00
if err != nil {
return err
}
2018-12-10 09:04:22 +02:00
credentialsView.Title = gui.Tr.SLocalize("CredentialsUsername")
credentialsView.FgColor = gocui.ColorWhite
credentialsView.Editable = true
credentialsView.Editor = gocui.EditorFunc(gui.simpleEditor)
2018-10-20 17:37:55 +02:00
}
}
if appStatusView, err := g.SetView("appStatus", -1, height-2, width, height, 0); err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
2018-08-23 10:43:16 +02:00
return err
}
2018-08-25 07:55:49 +02:00
appStatusView.BgColor = gocui.ColorDefault
appStatusView.FgColor = gocui.ColorCyan
appStatusView.Frame = false
2018-08-25 09:38:03 +02:00
if _, err := g.SetViewOnBottom("appStatus"); err != nil {
return err
}
2018-08-23 10:43:16 +02:00
}
if v, err := g.SetView("information", optionsVersionBoundary-1, height-2, width, height, 0); err != nil {
2019-02-16 03:03:22 +02:00
if err.Error() != "unknown view" {
2018-08-08 00:32:52 +02:00
return err
}
v.BgColor = gocui.ColorDefault
v.FgColor = gocui.ColorGreen
v.Frame = false
if err := gui.renderString(g, "information", information); err != nil {
return err
}
2018-06-05 10:48:46 +02:00
2019-03-12 12:43:56 +02:00
// doing this here because it'll only happen once
if err := gui.loadNewRepo(); err != nil {
2018-09-07 01:41:15 +02:00
return err
}
2019-03-12 12:43:56 +02:00
}
2018-09-07 01:41:15 +02:00
2019-03-12 12:43:56 +02:00
if gui.g.CurrentView() == nil {
if _, err := gui.g.SetCurrentView(gui.getFilesView().Name()); err != nil {
2018-12-07 09:52:31 +02:00
return err
}
2019-03-12 12:43:56 +02:00
if err := gui.switchFocus(gui.g, nil, gui.getFilesView()); err != nil {
2018-12-07 09:52:31 +02:00
return err
}
2019-03-12 12:43:56 +02:00
}
2018-12-07 09:52:31 +02:00
2019-03-12 12:43:56 +02:00
if gui.State.SubProcessOutput != "" {
output := gui.State.SubProcessOutput
gui.State.SubProcessOutput = ""
x, y := gui.g.Size()
// if we just came back from vim, we don't want vim's output to show up in our popup
if float64(len(output))*1.5 < float64(x*y) {
return gui.createMessagePanel(gui.g, nil, "Output", output)
2018-08-26 07:46:18 +02:00
}
}
2018-05-19 03:16:34 +02:00
type listViewState struct {
selectedLine int
lineCount int
}
listViews := map[*gocui.View]listViewState{
filesView: {selectedLine: gui.State.Panels.Files.SelectedLine, lineCount: len(gui.State.Files)},
branchesView: {selectedLine: gui.State.Panels.Branches.SelectedLine, lineCount: len(gui.State.Branches)},
commitsView: {selectedLine: gui.State.Panels.Commits.SelectedLine, lineCount: len(gui.State.Commits)},
stashView: {selectedLine: gui.State.Panels.Stash.SelectedLine, lineCount: len(gui.State.StashEntries)},
2019-02-25 13:11:35 +02:00
}
// menu view might not exist so we check to be safe
if menuView, err := gui.g.View("menu"); err == nil {
listViews[menuView] = listViewState{selectedLine: gui.State.Panels.Menu.SelectedLine, lineCount: gui.State.MenuItemCount}
}
for view, state := range listViews {
// check if the selected line is now out of view and if so refocus it
if err := gui.focusPoint(0, state.selectedLine, state.lineCount, view); err != nil {
return err
}
}
2018-12-07 09:52:31 +02:00
// here is a good place log some stuff
// if you download humanlog and do tail -f development.log | humanlog
// this will let you see these branches as prettified json
// gui.Log.Info(utils.AsJson(gui.State.Branches[0:4]))
2018-09-05 11:07:46 +02:00
return gui.resizeCurrentPopupPanel(g)
2018-05-19 03:16:34 +02:00
}
2019-03-12 12:43:56 +02:00
func (gui *Gui) loadNewRepo() error {
gui.Updater.CheckForNewUpdate(gui.onBackgroundUpdateCheckFinish, false)
if err := gui.updateRecentRepoList(); err != nil {
return err
}
gui.waitForIntro.Done()
if err := gui.refreshSidePanels(gui.g); err != nil {
return err
}
if gui.Config.GetUserConfig().GetString("reporting") == "undetermined" {
if err := gui.promptAnonymousReporting(); err != nil {
return err
}
}
return nil
}
2018-08-26 07:46:18 +02:00
func (gui *Gui) promptAnonymousReporting() error {
return gui.createConfirmationPanel(gui.g, nil, gui.Tr.SLocalize("AnonymousReportingTitle"), gui.Tr.SLocalize("AnonymousReportingPrompt"), func(g *gocui.Gui, v *gocui.View) error {
2018-12-10 14:45:03 +02:00
gui.waitForIntro.Done()
return gui.Config.WriteToUserConfig("reporting", "on")
2018-08-26 07:46:18 +02:00
}, func(g *gocui.Gui, v *gocui.View) error {
2018-12-10 14:45:03 +02:00
gui.waitForIntro.Done()
return gui.Config.WriteToUserConfig("reporting", "off")
2018-08-26 07:46:18 +02:00
})
}
2018-12-18 13:29:07 +02:00
func (gui *Gui) fetch(g *gocui.Gui, v *gocui.View, canAskForCredentials bool) (unamePassOpend bool, err error) {
2018-12-07 15:56:29 +02:00
unamePassOpend = false
err = gui.GitCommand.Fetch(func(passOrUname string) string {
unamePassOpend = true
2018-12-06 10:05:51 +02:00
return gui.waitForPassUname(gui.g, v, passOrUname)
2018-12-18 13:29:07 +02:00
}, canAskForCredentials)
2018-11-25 14:15:36 +02:00
2018-12-18 13:29:07 +02:00
if canAskForCredentials && err != nil && strings.Contains(err.Error(), "exit status 128") {
2018-11-25 14:15:36 +02:00
colorFunction := color.New(color.FgRed).SprintFunc()
coloredMessage := colorFunction(strings.TrimSpace(gui.Tr.SLocalize("PassUnameWrong")))
close := func(g *gocui.Gui, v *gocui.View) error {
return nil
}
2018-12-06 10:05:51 +02:00
_ = gui.createConfirmationPanel(g, v, gui.Tr.SLocalize("Error"), coloredMessage, close, close)
2018-11-25 14:15:36 +02:00
}
2018-08-13 13:16:21 +02:00
gui.refreshStatus(g)
2018-12-07 15:56:29 +02:00
return unamePassOpend, err
2018-06-02 05:51:03 +02:00
}
2018-12-08 07:54:54 +02:00
func (gui *Gui) renderAppStatus() error {
2018-08-25 07:55:49 +02:00
appStatus := gui.statusManager.getStatusString()
if appStatus != "" {
return gui.renderString(gui.g, "appStatus", appStatus)
}
return nil
}
2018-12-07 09:52:31 +02:00
func (gui *Gui) renderGlobalOptions() error {
return gui.renderOptionsMap(map[string]string{
"PgUp/PgDn": gui.Tr.SLocalize("scroll"),
"← → ↑ ↓": gui.Tr.SLocalize("navigate"),
"esc/q": gui.Tr.SLocalize("close"),
2018-09-05 15:55:24 +02:00
"x": gui.Tr.SLocalize("menu"),
})
}
2018-12-08 07:54:54 +02:00
func (gui *Gui) goEvery(interval time.Duration, function func() error) {
go func() {
for range time.Tick(interval) {
2019-03-02 04:22:02 +02:00
_ = function()
}
}()
}
2018-08-13 12:26:02 +02:00
// Run setup the gui with keybindings and start the mainloop
2018-08-13 13:16:21 +02:00
func (gui *Gui) Run() error {
g, err := gocui.NewGui(gocui.OutputNormal, OverlappingEdges)
if err != nil {
2018-08-13 13:16:21 +02:00
return err
}
defer g.Close()
2018-05-19 09:04:33 +02:00
if gui.Config.GetUserConfig().GetBool("gui.mouseEvents") {
g.Mouse = true
}
2019-02-25 13:11:35 +02:00
2018-08-14 00:33:40 +02:00
gui.g = g // TODO: always use gui.g rather than passing g around everywhere
2018-08-18 05:53:58 +02:00
if err := gui.SetColorScheme(); err != nil {
return err
}
2018-08-11 07:09:37 +02:00
2018-12-07 20:22:22 +02:00
if gui.Config.GetUserConfig().GetString("reporting") == "undetermined" {
2018-12-10 14:45:03 +02:00
gui.waitForIntro.Add(2)
} else {
gui.waitForIntro.Add(1)
2018-12-07 20:22:22 +02:00
}
2018-11-25 14:15:36 +02:00
go func() {
2018-12-10 14:45:03 +02:00
gui.waitForIntro.Wait()
isNew := gui.Config.GetIsNewRepo()
if !isNew {
time.After(60 * time.Second)
}
2018-12-07 15:56:29 +02:00
_, err := gui.fetch(g, g.CurrentView(), false)
2018-12-10 14:45:03 +02:00
if err != nil && strings.Contains(err.Error(), "exit status 128") && isNew {
2018-12-06 09:28:15 +02:00
_ = gui.createConfirmationPanel(g, g.CurrentView(), gui.Tr.SLocalize("NoAutomaticGitFetchTitle"), gui.Tr.SLocalize("NoAutomaticGitFetchBody"), nil, nil)
2018-12-06 09:26:05 +02:00
} else {
2019-02-11 12:07:12 +02:00
gui.goEvery(time.Second*60, func() error {
_, err := gui.fetch(gui.g, gui.g.CurrentView(), false)
2018-12-07 15:56:29 +02:00
return err
2018-12-02 15:58:18 +02:00
})
2018-11-25 14:15:36 +02:00
}
}()
2019-02-11 12:07:12 +02:00
gui.goEvery(time.Second*10, gui.refreshFiles)
gui.goEvery(time.Millisecond*50, gui.renderAppStatus)
g.SetManager(gocui.ManagerFunc(gui.layout), gocui.ManagerFunc(gui.getFocusLayout()))
2018-05-19 09:04:33 +02:00
2018-08-13 12:26:02 +02:00
if err = gui.keybindings(g); err != nil {
2018-08-13 13:16:21 +02:00
return err
}
2018-05-19 09:04:33 +02:00
2018-08-07 10:05:43 +02:00
err = g.MainLoop()
2018-08-13 13:16:21 +02:00
return err
2018-08-13 12:26:02 +02:00
}
// RunWithSubprocesses loops, instantiating a new gocui.Gui with each iteration
// if the error returned from a run is a ErrSubProcess, it runs the subprocess
// otherwise it handles the error, possibly by quitting the application
func (gui *Gui) RunWithSubprocesses() error {
2018-08-13 12:26:02 +02:00
for {
if err := gui.Run(); err != nil {
if err == gocui.ErrQuit {
break
2018-09-07 01:41:15 +02:00
} else if err == gui.Errors.ErrSwitchRepo {
continue
} else if err == gui.Errors.ErrSubProcess {
2018-08-14 00:33:40 +02:00
gui.SubProcess.Stdin = os.Stdin
2019-03-12 12:43:56 +02:00
output, err := gui.runCommand(gui.SubProcess)
if err != nil {
return err
}
gui.State.SubProcessOutput = output
2018-08-14 00:33:40 +02:00
gui.SubProcess.Stdout = ioutil.Discard
gui.SubProcess.Stderr = ioutil.Discard
gui.SubProcess.Stdin = nil
2018-08-13 13:35:54 +02:00
gui.SubProcess = nil
2018-08-13 12:26:02 +02:00
} else {
return err
2018-08-13 12:26:02 +02:00
}
}
}
return nil
2018-05-19 09:04:33 +02:00
}
2019-03-12 12:43:56 +02:00
// adapted from https://blog.kowalczyk.info/article/wOYk/advanced-command-execution-in-go-with-osexec.html
func (gui *Gui) runCommand(cmd *exec.Cmd) (string, error) {
var stdoutBuf bytes.Buffer
stdoutIn, _ := cmd.StdoutPipe()
stderrIn, _ := cmd.StderrPipe()
stdout := io.MultiWriter(os.Stdout, &stdoutBuf)
stderr := io.MultiWriter(os.Stderr, &stdoutBuf)
err := cmd.Start()
if err != nil {
return "", err
}
var wg sync.WaitGroup
wg.Add(1)
go func() {
if _, err := io.Copy(stdout, stdoutIn); err != nil {
gui.Log.Error(err)
}
wg.Done()
}()
if _, err := io.Copy(stderr, stderrIn); err != nil {
return "", err
}
wg.Wait()
if err := cmd.Wait(); err != nil {
// not handling the error explicitly because usually we're going to see it
// in the output anyway
gui.Log.Error(err)
}
outStr := stdoutBuf.String()
return outStr, nil
}
2018-08-13 13:16:21 +02:00
func (gui *Gui) quit(g *gocui.Gui, v *gocui.View) error {
2018-08-23 10:43:16 +02:00
if gui.State.Updating {
return gui.createUpdateQuitConfirmation(g, v)
}
2018-09-05 19:56:11 +02:00
if gui.Config.GetUserConfig().GetBool("confirmOnQuit") {
return gui.createConfirmationPanel(g, v, "", gui.Tr.SLocalize("ConfirmQuit"), func(g *gocui.Gui, v *gocui.View) error {
return gocui.ErrQuit
}, nil)
}
return gocui.ErrQuit
2018-05-26 05:23:39 +02:00
}
2019-02-25 13:11:35 +02:00
func (gui *Gui) handleDonate(g *gocui.Gui, v *gocui.View) error {
if !gui.g.Mouse {
return nil
}
2019-02-25 13:11:35 +02:00
cx, _ := v.Cursor()
if cx > len(gui.Tr.SLocalize("Donate")) {
return nil
}
return gui.OSCommand.OpenLink("https://donorbox.org/lazygit")
}