mirror of https://github.com/Hilbis/Hilbish
87 lines
1.3 KiB
Go
87 lines
1.3 KiB
Go
package main
|
|
|
|
import (
|
|
"errors"
|
|
"io/fs"
|
|
"os"
|
|
"strings"
|
|
)
|
|
|
|
type fileHistory struct {
|
|
items []string
|
|
f *os.File
|
|
}
|
|
|
|
func newFileHistory() *fileHistory {
|
|
err := os.MkdirAll(defaultHistDir, 0755)
|
|
if err != nil {
|
|
panic(err)
|
|
}
|
|
|
|
data, err := os.ReadFile(defaultHistPath)
|
|
if err != nil {
|
|
if !errors.Is(err, fs.ErrNotExist) {
|
|
panic(err)
|
|
}
|
|
}
|
|
|
|
itms := []string{""}
|
|
lines := strings.Split(string(data), "\n")
|
|
for i, l := range lines {
|
|
if i == len(lines) - 1 {
|
|
continue
|
|
}
|
|
itms = append(itms, l)
|
|
}
|
|
f, err := os.OpenFile(defaultHistPath, os.O_APPEND | os.O_WRONLY | os.O_CREATE, 0755)
|
|
if err != nil {
|
|
panic(err)
|
|
}
|
|
|
|
fh := &fileHistory{
|
|
items: itms,
|
|
f: f,
|
|
}
|
|
|
|
return fh
|
|
}
|
|
|
|
func (h *fileHistory) Write(line string) (int, error) {
|
|
if line == "" {
|
|
return len(h.items), nil
|
|
}
|
|
|
|
_, err := h.f.WriteString(line + "\n")
|
|
if err != nil {
|
|
return 0, err
|
|
}
|
|
h.f.Sync()
|
|
|
|
h.items = append(h.items, line)
|
|
return len(h.items), nil
|
|
}
|
|
|
|
func (h *fileHistory) GetLine(idx int) (string, error) {
|
|
if len(h.items) == 0 {
|
|
return "", nil
|
|
}
|
|
if idx == -1 { // this should be fixed readline side
|
|
return "", nil
|
|
}
|
|
return h.items[idx], nil
|
|
}
|
|
|
|
func (h *fileHistory) Len() int {
|
|
return len(h.items)
|
|
}
|
|
|
|
func (h *fileHistory) Dump() interface{} {
|
|
return h.items
|
|
}
|
|
|
|
func (h *fileHistory) clear() {
|
|
h.items = []string{}
|
|
h.f.Truncate(0)
|
|
h.f.Sync()
|
|
}
|