[client:config] config management to get 'io.Reader' and 'io.Writer' + config directory+files management for {client.keyset} to be stored/fetched

This commit is contained in:
xdrm-brackets 2018-04-21 19:47:44 +02:00
parent 9a787951b1
commit 775eb33435
1 changed files with 118 additions and 0 deletions

View File

@ -0,0 +1,118 @@
package client;
import (
"io"
"fmt"
"path/filepath"
"errors"
"os"
)
type config struct {
path string // absolute configuration file path
fd *os.File // file descriptor
}
/* (1) Constructor
*
* @dir<string> Dir path
* @name<string> file name
*
---------------------------------------------------------*/
func Config(dir string, name string) (*config, error) {
inst := new(config);
/* (1) Check directory */
absoluteDir, err := filepath.Abs(dir);
if err != nil { return nil, err; }
if info, err := os.Stat(absoluteDir); err != nil {
// fail if directory does not exist
if os.IsNotExist(err) {
// try to create file
err2 := os.MkdirAll(absoluteDir, 0755);
if err2 != nil {
return nil, errors.New("Cannot create missing configuration dir");
}
// fail if not a directory
} else if !info.Mode().IsDir() {
return nil, errors.New("Configuration dir is not a directory");
}
}
/* (2) Build full path */
basename := filepath.Base(name);
fullpath := fmt.Sprintf("%s/%s", absoluteDir, basename);
/* (3) Check file */
info, err := os.Stat(fullpath);
if err != nil {
// If not exists
if os.IsNotExist(err) {
// try to create file
_, err2 := os.Create(fullpath);
if err2 != nil {
return nil, errors.New("Cannot create missing configuration file");
}
}
// fail if exists but not regular file
if !info.Mode().IsRegular() {
return nil, errors.New("Configuration file is not a regular file");
}
}
fmt.Printf("hehe: %t\n", info.Mode().IsRegular());
inst.path = fullpath
return inst, nil
}
/* (2) Get Reader on the file
*
* @return reader<io.Reader> File reader
* NIL on error
*
---------------------------------------------------------*/
func (c config) Reader() io.ReadCloser {
file, err := os.Open(c.path);
if err != nil { return nil }
return file;
}
/* (3) Get Writer on the file
*
* @return reader<io.Writer> File reader
* NIL on error
*
---------------------------------------------------------*/
func (c config) Writer() io.WriteCloser {
file, err := os.OpenFile(c.path, os.O_RDWR|os.O_CREATE, 0755);
if err != nil { return nil }
return file;
}