Hilbish/golibs/fs/fs.go

80 lines
1.5 KiB
Go
Raw Normal View History

package fs
import (
"fmt"
"os"
2021-03-31 17:46:49 +00:00
"strings"
"github.com/yuin/gopher-lua"
"layeh.com/gopher-luar"
)
func Loader(L *lua.LState) int {
2021-04-28 11:26:23 +00:00
mod := L.SetFuncs(L.NewTable(), exports)
2021-04-28 11:26:23 +00:00
L.Push(mod)
return 1
}
func luaErr(L *lua.LState, code int) {
2021-03-31 04:02:39 +00:00
// TODO: Error with a table, with path and error code
L.Error(lua.LNumber(code), 2)
2021-03-31 03:56:37 +00:00
}
var exports = map[string]lua.LGFunction{
"cd": fcd,
"mkdir": fmkdir,
"stat": fstat,
}
// cd(dir)
// Changes directory to `dir`
func fcd(L *lua.LState) int {
path := L.CheckString(1)
2021-03-31 17:46:49 +00:00
err := os.Chdir(strings.TrimSpace(path))
2021-03-31 03:56:37 +00:00
if err != nil {
switch e := err.(*os.PathError).Err.Error(); e {
2021-03-31 03:56:37 +00:00
case "no such file or directory":
luaErr(L, 1)
case "not a directory":
luaErr(L, 2)
default:
fmt.Printf("Found unhandled error case: %s\n", e)
fmt.Printf("Report this at https://github.com/Rosettea/Hilbish/issues with the title being: \"fs: unhandled error case %s\", and show what caused it.\n", e)
luaErr(L, 213)
2021-03-31 03:56:37 +00:00
}
}
return 0
}
// mkdir(name, recursive)
// Makes a directory called `name`. If `recursive` is true, it will create its parent directories.
func fmkdir(L *lua.LState) int {
dirname := L.CheckString(1)
recursive := L.ToBool(2)
path := strings.TrimSpace(dirname)
// TODO: handle error here
if recursive {
os.MkdirAll(path, 0744)
} else {
os.Mkdir(path, 0744)
}
return 0
}
// stat(path)
// Returns info about `path`
func fstat(L *lua.LState) int {
path := L.CheckString(1)
// TODO: handle error here
pathinfo, _ := os.Stat(path)
L.Push(luar.New(L, pathinfo))
return 1
}