-
Go 每日一库之 bubbletea
简介
bubbletea
是一个简单、小巧、可以非常方便地用来编写 TUI(terminal User Interface,控制台界面程序)程序的框架。内置简单的事件处理机制,可以对外部事件做出响应,如键盘按键。一起来看下吧。先看看bubbletea
能做出什么效果:
感谢kiyonlin推荐。
快速使用
本文代码使用 Go Modules。
创建目录并初始化:
$ mkdir bubbletea && cd bubbletea
$ go mod init github.com/darjun/go-daily-lib/bubbletea
安装bubbletea
库:
$ go get -u github.com/charmbracelet/bubbletea
bubbletea
程序都需要有一个实现bubbletea.Model
接口的类型:
type Model interface {
Init() Cmd
Update(Msg) (Model, Cmd)
View() string
}
-
Init()
方法在程序启动时会立刻调用,它会做一些初始化工作,并返回一个Cmd
告诉bubbletea
要执行什么命令; -
Update()
方法用来响应外部事件,返回一个修改后的模型,和想要bubbletea
执行的命令; -
View()
方法用于返回在控制台上显示的文本字符串。
下面我们来实现一个 Todo List。首先定义模型:
type model struct {
todos []string
cursor int
selected map[int]struct{}
}
-
todos
:所有待完成事项; -
cursor
:界面上光标位置; -
selected
:已完成标识。
不需要任何初始化工作,实现一个空的Init()
方法,并返回nil
:
import (
tea "github.com/charmbracelet/bubbletea"
)
func (m model) Init() tea.Cmd {
return nil
}
我们需要响应按键事件,实现Update()
方法。按键事件发生时会以相应的tea.Msg
为参数调用Update()
方法。通过对参数tea.Msg
进行类型断言,我们可以对不同的事件进行对应的处理:
func (m model) Update(msg tea.Msg) (tea.Model, tea.Cmd) {
switch msg := msg.(type) {
case tea.KeyMsg:
switch msg.String() {
case "ctrl+c", "q":
return m, tea.Quit
case "up", "k":
if m.cursor > 0 {
m.cursor--
}
case "down", "j":
if m.cursor < len(m.todos)-1 {
m.cursor++
}
case "enter", " ":
_, ok := m.selected[m.cursor]
if ok {
delete(m.selected, m.cursor)
} else {
m.selected[m.cursor] = struct{}{}
}
}
}
return m, nil
}
约定:
-
ctrl+c
或q
:退出程序; -
up
或k
:向上移动光标; -
down
或j
:向下移动光标; -
enter
或
处理ctrl+c
或q
按键时,返回一个特殊的tea.Quit
,通知bubbletea
需要退出程序。
最后实现View()
方法,这个方法返回的字符串就是最终显示在控制台上的文本。我们可以按照自己想要的形式,根据模型数据拼装:
func (m model) View() string {
s := "todo list:\n\n"
for i, choice := range m.todos {
cursor := " "
if m.cursor == i {
cursor = ">"
}
checked := " "
if _, ok := m.selected[i]; ok {
checked = "x"
}
s += fmt.Sprintf("%s [%s] %s\n", cursor, checked, choice)
}
s += "\nPress q to quit.\n"
return s
}
光标所在位置用>
标识,已完成的事项增加x
标识。
模型类型定义好了之后,需要创建一个该模型的对象;
var initModel = model{
todos: []string{"cleanning", "wash clothes", "write a blog"},
selected: make(map[int]struct{}),
}
为了让程序工作,我们还要创建一个bubbletea
的应用对象,通过bubbletea.NewProgram()
完成,然后调用这个对象的Start()
方法开始执行:
func main() {
cmd := tea.NewProgram(initModel)
if err := cmd.Start(); err != nil {
fmt.Println("start failed:", err)
os.Exit(1)
}
}
运行:
GitHub Trending
一个简单的 Todo 应用看起来好像没什么意思。接下来,我们一起编写一个拉取 GitHub Trending 仓库并显示在控制台的程序。
Github Trending 的界面如下:
可以选择语言(Spoken Language,本地语言)、语言(Language,编程语言)和时间范围(Today,This week,This month)。由于 GitHub 没有提供 trending 的官方 API,我们只能爬取网页自己来分析。好在 Go 有一个强大的分析工具goquery,提供了堪比 jQuery 的强大功能。我之前也写过一篇文章介绍它——Go 每日一库之 goquery。
打开 Chrome 控制台,点击 Elements 页签,查看每个条目的结构:
基础版本
定义模型:
type model struct {
repos []*Repo
err error
}
其中repos
字段表示拉取到的 Trending 仓库列表,结构体Repo
如下,字段含义都有注释,很清晰了:
type Repo struct {
Name string // 仓库名
Author string // 作者名
Link string // 链接
Desc string // 描述
Lang string // 语言
Stars int // 星数
Forks int // fork 数
Add int // 周期内新增
BuiltBy []string // 贡献值 avatar img 链接
}
err
字段表示拉取失败设置的错误值。为了让程序启动时,就去执行网络请求拉取 Trending 的列表,我们让模型的Init()
方法返回一个tea.Cmd
类型的值:
func (m model) Init() tea.Cmd {
return fetchTrending
}
func fetchTrending() tea.Msg {
repos, err := getTrending("", "daily")
if err != nil {
return errMsg{err}
}
return repos
}
tea.Cmd
类型为:
// src/github.com/charmbracelet/bubbletea/tea.go
type Cmd func() Msg
tea.Cmd
底层是一个函数类型,函数无参数,并且返回一个tea.Msg
对象。
fetchTrending()
函数拉取 GitHub 的今日 Trending 列表,如果遇到错误,则返回error
值。这里我们暂时忽略getTrending()
函数的实现,这个与我们要说的重点关系不大,感兴趣的童鞋可以去我的 GitHub 仓库查看详细代码。
程序启动时如果需要做一些操作,通常就会在Init()
方法中返回一个tea.Cmd
。tea
后台会执行这个函数,最终将返回的tea.Msg
传给模型的Update()
方法。
func (m model) Update(msg tea.Msg) (tea.Model, tea.Cmd) {
switch msg := msg.(type) {
case tea.KeyMsg:
switch msg.String() {
case "q", "ctrl+c", "esc":
return m, tea.Quit
default:
return m, nil
}
case errMsg:
m.err = msg
return m, nil
case []*Repo:
m.repos = msg
return m, nil
default:
return m, nil
}
}
Update()
方法也比较简单,首先还是需要监听按键事件,我们约定按下 q 或 ctrl+c 或 esc 退出程序。具体按键对应的字符串表示可以查看文档或源码bubbletea/key.go
文件。接收到errMsg
类型的消息,表示网络请求失败了,记录错误值。接收到[]*Repo
类型的消息,表示正确返回的 Trending 仓库列表,记录下来。在View()
函数中,我们显示正在拉取,拉取失败和正确拉取等信息:
func (m model) View() string {
var s string
if m.err != nil {
s = fmt.Sprintf("Fetch trending failed: %v", m.err)
} else if len(m.repos) > 0 {
for _, repo := range m.repos {
s += repoText(repo)
}
s += "--------------------------------------"
} else {
s = " Fetching GitHub trending ..."
}
s += "\n\n"
s += "Press q or ctrl + c or esc to exit..."
return s + "\n"
}
逻辑很清晰,如果err
字段不为nil
表示失败,否则有仓库数据,显示仓库信息。否则正在拉取中。最后显示一条提示信息,告诉客户怎么退出程序。
每个仓库项的显示逻辑如下,分为 3 列,基础信息、描述和链接:
func repoText(repo *Repo) string {
s := "--------------------------------------\n"
s += fmt.Sprintf(`Repo: %s | Language: %s | Stars: %d | Forks: %d | Stars today: %d
`, repo.Name, repo.Lang, repo.Stars, repo.Forks, repo.Add)
s += fmt.Sprintf("Desc: %s\n", repo.Desc)
s += fmt.Sprintf("Link: %s\n", repo.Link)
return s
}
运行(多文件运行不能用go run main.go
):
获取失败(国内 GitHub 不稳定,多试几次总会遇到