package logviewer import ( "encoding/json" "errors" "fmt" "io/fs" "net/http" "os" "path/filepath" "strings" "imuslab.com/arozos/mod/filesystem/arozfs" "imuslab.com/arozos/mod/utils" ) type ViewerOption struct { RootFolder string //The root folder to scan for log Extension string //The extension the root files use, include the . in your ext (e.g. .log) } type Viewer struct { option *ViewerOption } type LogFile struct { Title string Filename string Fullpath string } func NewLogViewer(option *ViewerOption) *Viewer { return &Viewer{option: option} } /* Log Request Handlers */ //List all the log files in the log folder. Return in map[string]LogFile format func (v *Viewer) HandleListLog(w http.ResponseWriter, r *http.Request) { logFiles := v.ListLogFiles(false) fmt.Println(logFiles) js, _ := json.Marshal(logFiles) utils.SendJSONResponse(w, string(js)) } // Read log of a given catergory and filename func (v *Viewer) HandleReadLog(w http.ResponseWriter, r *http.Request) { filename, err := utils.Mv(r, "file", false) if err != nil { utils.SendErrorResponse(w, "invalid filename given") return } catergory, err := utils.Mv(r, "catergory", false) if err != nil { utils.SendErrorResponse(w, "invalid catergory given") return } content, err := v.LoadLogFile(strings.TrimSpace(filepath.Base(catergory)), strings.TrimSpace(filepath.Base(filename))) if err != nil { utils.SendErrorResponse(w, err.Error()) return } utils.SendTextResponse(w, content) } /* Log Access Functions */ func (v *Viewer) ListLogFiles(showFullpath bool) map[string][]*LogFile { result := map[string][]*LogFile{} filepath.WalkDir(v.option.RootFolder, func(path string, di fs.DirEntry, err error) error { if filepath.Ext(path) == v.option.Extension { catergory := filepath.Base(filepath.Dir(path)) logList, ok := result[catergory] if !ok { //this catergory hasn't been scanned before. logList = []*LogFile{} } fullpath := arozfs.ToSlash(path) if !showFullpath { fullpath = "" } logList = append(logList, &LogFile{ Title: strings.TrimSuffix(filepath.Base(path), filepath.Ext(path)), Filename: filepath.Base(path), Fullpath: fullpath, }) result[catergory] = logList } return nil }) return result } func (v *Viewer) LoadLogFile(catergory string, filename string) (string, error) { logFilepath := filepath.Join(v.option.RootFolder, catergory, filename) if utils.FileExists(logFilepath) { //Load it content, err := os.ReadFile(logFilepath) if err != nil { return "", err } return string(content), nil } else { return "", errors.New("log file not found") } }