Files
ctop/widgets/menu.go

116 lines
2.1 KiB
Go
Raw Normal View History

2017-01-04 23:13:17 +00:00
package widgets
2017-01-02 23:40:55 +00:00
import (
ui "github.com/gizak/termui"
)
2017-01-21 13:41:28 -05:00
type Padding [2]int // x,y padding
2017-01-04 21:31:27 +00:00
type MenuItem struct {
Val string
Text string
}
2017-01-02 23:40:55 +00:00
type Menu struct {
ui.Block
Items []MenuItem
TextFgColor ui.Attribute
TextBgColor ui.Attribute
Selectable bool
CursorPos int
padding Padding
2017-01-02 23:40:55 +00:00
}
func NewMenu(items []string) *Menu {
var mItems []MenuItem
for _, s := range items {
mItems = append(mItems, MenuItem{Val: s})
}
2017-01-04 21:31:27 +00:00
m := &Menu{
Block: *ui.NewBlock(),
Items: mItems,
TextFgColor: ui.ThemeAttr("par.text.fg"),
TextBgColor: ui.ThemeAttr("par.text.bg"),
Selectable: false,
CursorPos: 0,
padding: Padding{4, 2},
2017-01-02 23:40:55 +00:00
}
2017-01-21 13:41:28 -05:00
m.calcSize()
2017-01-04 21:31:27 +00:00
return m
}
func (m *Menu) SetItems(items []MenuItem) {
m.Items = items
m.calcSize()
}
func (m *Menu) SelectedItem() MenuItem {
return m.Items[m.CursorPos]
}
2017-01-02 23:40:55 +00:00
func (m *Menu) Buffer() ui.Buffer {
var cell ui.Cell
buf := m.Block.Buffer()
for n, item := range m.Items {
2017-01-21 13:41:28 -05:00
x := m.padding[0]
for _, ch := range getDisplayText(item) {
2017-01-03 17:37:09 +00:00
// invert bg/fg colors on currently selected row
2017-01-04 23:13:17 +00:00
if m.Selectable && n == m.CursorPos {
2017-01-02 23:40:55 +00:00
cell = ui.Cell{Ch: ch, Fg: m.TextBgColor, Bg: m.TextFgColor}
} else {
cell = ui.Cell{Ch: ch, Fg: m.TextFgColor, Bg: m.TextBgColor}
}
2017-01-21 13:41:28 -05:00
buf.Set(x, n+m.padding[1], cell)
2017-01-02 23:40:55 +00:00
x++
}
}
return buf
}
2017-01-04 22:25:27 +00:00
func (m *Menu) Up(ui.Event) {
2017-01-04 23:13:17 +00:00
if m.CursorPos > 0 {
m.CursorPos--
2017-01-02 23:40:55 +00:00
ui.Render(m)
}
}
2017-01-04 22:25:27 +00:00
func (m *Menu) Down(ui.Event) {
2017-01-04 23:13:17 +00:00
if m.CursorPos < (len(m.Items) - 1) {
m.CursorPos++
2017-01-02 23:40:55 +00:00
ui.Render(m)
}
}
2017-01-04 23:13:17 +00:00
// Setup some default handlers for menu navigation
func (m *Menu) NavigationHandlers() {
2017-01-04 22:25:27 +00:00
ui.Handle("/sys/kbd/<up>", m.Up)
ui.Handle("/sys/kbd/<down>", m.Down)
2017-01-04 23:13:17 +00:00
ui.Handle("/sys/kbd/q", func(ui.Event) { ui.StopLoop() })
}
2017-01-21 13:41:28 -05:00
// Set width and height based on menu items
func (m *Menu) calcSize() {
m.Width = 8 // minimum width
2017-01-04 23:13:17 +00:00
items := m.Items
for _, i := range m.Items {
s := getDisplayText(i)
2017-01-21 13:41:28 -05:00
if len(s) > m.Width {
m.Width = len(s)
2017-01-04 23:13:17 +00:00
}
}
2017-01-21 13:41:28 -05:00
m.Width += (m.padding[0] * 2)
m.Height = len(items) + (m.padding[1] * 2)
2017-01-02 23:40:55 +00:00
}
// override display text of item, if given
func getDisplayText(m MenuItem) string {
if m.Text != "" {
return m.Text
}
return m.Val
}