| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255 | package modulesimport (	"encoding/json"	"errors"	"io/ioutil"	"log"	"net/http"	"os"	"path/filepath"	"strconv"	"time"	"github.com/go-git/go-git/v5"	uuid "github.com/satori/go.uuid"	agi "imuslab.com/arozos/mod/agi"	fs "imuslab.com/arozos/mod/filesystem"	user "imuslab.com/arozos/mod/user")/*	Module Installer	author: tobychui	This script handle the installation of modules in the arozos system*///Install a module via selecting a zip filefunc (m *ModuleHandler) InstallViaZip(realpath string, gateway *agi.Gateway) error {	//Check if file exists	if !fileExists(realpath) {		return errors.New("*Module Installer* Installer file not found. Given: " + realpath)	}	//Install it	unzipTmpFolder := "./tmp/installer/" + strconv.Itoa(int(time.Now().Unix()))	err := fs.Unzip(realpath, unzipTmpFolder)	if err != nil {		return err	}	//Move the module(s) to the web root	files, _ := filepath.Glob(unzipTmpFolder + "/*")	folders := []string{}	for _, file := range files {		if IsDir(file) && fileExists(filepath.Join(file, "init.agi")) {			//This looks like a module folder			folders = append(folders, file)		}	}	for _, folder := range folders {		//Copy the module		err = fs.CopyDir(folder, "./web/"+filepath.Base(folder))		if err != nil {			log.Println(err)			continue		}		//Activate the module		m.ActivateModuleByRoot("./web/"+filepath.Base(folder), gateway)		m.ModuleSortList()	}	//Remove the tmp folder	os.RemoveAll(unzipTmpFolder)	//OK	return nil}//Install a module via git clonefunc (m *ModuleHandler) InstallModuleViaGit(gitURL string, gateway *agi.Gateway) error {	//Download the module from the gitURL	log.Println("Starting module installation by Git cloning ", gitURL)	newDownloadUUID := uuid.NewV4().String()	downloadFolder := filepath.Join(m.tmpDirectory, "download", newDownloadUUID)	os.MkdirAll(downloadFolder, 0777)	_, err := git.PlainClone(downloadFolder, false, &git.CloneOptions{		URL:      gitURL,		Progress: os.Stdout,	})	if err != nil {		return err	}	//Copy all folder within the download folder to the web root	downloadedFiles, _ := filepath.Glob(downloadFolder + "/*")	copyPendingList := []string{}	for _, file := range downloadedFiles {		if IsDir(file) {			//Exclude two special folder: github and images			if filepath.Base(file) == ".github" || filepath.Base(file) == "images" || filepath.Base(file)[:1] == "." {				//Reserved folder for putting Github readme screenshots or other things				continue			}			//This file object is a folder. Copy to webroot			copyPendingList = append(copyPendingList, file)		}	}	//Do the copying	for _, src := range copyPendingList {		log.Println(src)		fs.FileCopy(src, "./web/", "skip", func(progress int, filename string) {			log.Println("Copying ", filename)		})	}	//Clean up the download folder	os.RemoveAll(downloadFolder)	//Add the newly installed module to module list	for _, moduleFolder := range copyPendingList {		//This module folder has been moved to web successfully.		m.ActivateModuleByRoot(moduleFolder, gateway)	}	//Sort the module lsit	m.ModuleSortList()	return nil}func (m *ModuleHandler) ActivateModuleByRoot(moduleFolder string, gateway *agi.Gateway) error {	//Check if there is init.agi. If yes, load it as an module	thisModuleEstimataedRoot := filepath.Join("./web/", filepath.Base(moduleFolder))	if fileExists(thisModuleEstimataedRoot) {		if fileExists(filepath.Join(thisModuleEstimataedRoot, "init.agi")) {			//Load this as an module			startDef, err := ioutil.ReadFile(filepath.Join(thisModuleEstimataedRoot, "init.agi"))			if err != nil {				log.Println("*Module Activator* Failed to read init.agi from " + filepath.Base(moduleFolder))				return errors.New("Failed to read init.agi from " + filepath.Base(moduleFolder))			}			//Execute the init script using AGI			log.Println("Starting module: ", filepath.Base(moduleFolder))			err = gateway.RunScript(string(startDef))			if err != nil {				log.Println("*Module Activator* " + filepath.Base(moduleFolder) + " Starting failed" + err.Error())				return errors.New(filepath.Base(moduleFolder) + " Starting failed: " + err.Error())			}		}	}	return nil}//Handle and return the information of the current installed modulesfunc (m *ModuleHandler) HandleModuleInstallationListing(w http.ResponseWriter, r *http.Request) {	type ModuleInstallInfo struct {		Name          string //Name of the module		Desc          string //Description of module		Group         string //Group of the module		Version       string //Version of the module		IconPath      string //The icon access path of the module		InstallDate   string //The last editing date of the module file		DiskSpace     int64  //Disk space used		Uninstallable bool   //Indicate if this can be uninstall or disabled	}	results := []ModuleInstallInfo{}	for _, mod := range m.LoadedModule {		//Get total size		if mod.StartDir != "" {			//Only allow uninstalling of modules with start dir (aka installable)			//Check if WebApp or subservice			if fileExists(filepath.Join("./web", mod.StartDir)) {				//This is a WebApp module				totalsize, _ := fs.GetDirctorySize(filepath.Join("./web", filepath.Dir(mod.StartDir)), false)				//Get mod time				mtime, err := fs.GetModTime(filepath.Join("./web", filepath.Dir(mod.StartDir)))				if err != nil {					log.Println(err)				}				t := time.Unix(mtime, 0)				//Check allow uninstall state				canUninstall := true				if mod.Name == "System Setting" || mod.Group == "System Tools" {					canUninstall = false				}				results = append(results, ModuleInstallInfo{					mod.Name,					mod.Desc,					mod.Group,					mod.Version,					mod.IconPath,					t.Format("2006-01-02"),					totalsize,					canUninstall,				})			} else {				//Subservice			}		}	}	js, _ := json.Marshal(results)	sendJSONResponse(w, string(js))}//Install a module from zip file located in the given vpathfunc (m *ModuleHandler) InstallModuleFromZip(vpath string, u *user.User) error {	return nil}//Uninstall the given modulefunc (m *ModuleHandler) UninstallModule(moduleName string) error {	//Check if this module is allowed to be removed	var targetModuleInfo ModuleInfo	for _, mod := range m.LoadedModule {		if mod.Name == moduleName {			targetModuleInfo = mod			break		}	}	if targetModuleInfo.Group == "System Tools" || targetModuleInfo.Name == "System Setting" {		//Reject Remove Operation		return errors.New("Protected modules cannot be removed")	}	//Check if the module exists	if fileExists(filepath.Join("./web", moduleName)) {		//Remove the module		log.Println("Removing Module: ", moduleName)		os.RemoveAll(filepath.Join("./web", moduleName))		//Unregister the module from loaded list		newLoadedModuleList := []ModuleInfo{}		for _, thisModule := range m.LoadedModule {			if thisModule.Name != moduleName {				newLoadedModuleList = append(newLoadedModuleList, thisModule)			}		}		m.LoadedModule = newLoadedModuleList	} else {		return errors.New("Module not exists")	}	return nil}
 |