diff --git a/.gitignore b/.gitignore index 191579c..e6c34ba 100644 --- a/.gitignore +++ b/.gitignore @@ -1,3 +1,2 @@ tmp -.DS_STore -.idea +.DS_STore \ No newline at end of file diff --git a/README.md b/README.md index 73e7ccc..42f1bf9 100644 --- a/README.md +++ b/README.md @@ -1,3 +1,4 @@ -# Goffee Core +# GoCondor Core +![Build Status](https://github.com/gocondor/core/actions/workflows/build-main.yml/badge.svg) ![Test Status](https://github.com/gocondor/core/actions/workflows/test-main.yml/badge.svg) [![Coverage Status](https://coveralls.io/repos/github/gocondor/core/badge.svg?branch=main)](https://coveralls.io/github/gocondor/core?branch=main&cache=false) [![GoDoc](https://godoc.org/github.com/gocondor/core?status.svg)](https://godoc.org/github.com/gocondor/core) [![Go Report Card](https://goreportcard.com/badge/github.com/gocondor/core)](https://goreportcard.com/report/github.com/gocondor/core) -The core packages of Goffee framework +The core packages of GoCondor framework diff --git a/cache.go b/cache.go index 4f32bcd..04e818c 100644 --- a/cache.go +++ b/cache.go @@ -16,9 +16,6 @@ type Cache struct { redis *redis.Client } -// NewCache initializes a new Cache instance with the provided configuration and connects to a Redis database. -// If caching is enabled in the provided configuration but the connection to Redis fails, it causes a panic. -// Returns a pointer to the initialized Cache structure. func NewCache(cacheConfig CacheConfig) *Cache { ctx = context.Background() dbStr := os.Getenv("REDIS_DB") @@ -43,7 +40,6 @@ func NewCache(cacheConfig CacheConfig) *Cache { } } -// Set stores a key-value pair in the Redis cache with no expiration. Returns an error if the operation fails. func (c *Cache) Set(key string, value string) error { err := c.redis.Set(ctx, key, value, 0).Err() if err != nil { @@ -52,8 +48,6 @@ func (c *Cache) Set(key string, value string) error { return nil } -// SetWithExpiration stores a key-value pair in the cache with a specified expiration duration. -// Returns an error if the operation fails. func (c *Cache) SetWithExpiration(key string, value string, expiration time.Duration) error { err := c.redis.Set(ctx, key, value, expiration).Err() if err != nil { @@ -62,7 +56,6 @@ func (c *Cache) SetWithExpiration(key string, value string, expiration time.Dura return nil } -// Get retrieves the value associated with the provided key from the cache. Returns an error if the operation fails. func (c *Cache) Get(key string) (string, error) { result, err := c.redis.Get(ctx, key).Result() if err != nil { @@ -71,7 +64,6 @@ func (c *Cache) Get(key string) (string, error) { return result, nil } -// Delete removes the specified key from the cache and returns an error if the operation fails. func (c *Cache) Delete(key string) error { err := c.redis.Del(ctx, key).Err() if err != nil { diff --git a/config.go b/config.go index c481de2..f214e84 100644 --- a/config.go +++ b/config.go @@ -22,10 +22,6 @@ type GormConfig struct { EnableGorm bool } -type QueueConfig struct { - EnableQueue bool -} - type CacheConfig struct { EnableCache bool } diff --git a/consts.go b/consts.go index d93318e..5669217 100644 --- a/consts.go +++ b/consts.go @@ -11,9 +11,6 @@ const CONTENT_TYPE string = "content-Type" const CONTENT_TYPE_HTML string = "text/html; charset=utf-8" const CONTENT_TYPE_JSON string = "application/json" const CONTENT_TYPE_TEXT string = "text/plain" -const CONTENT_TYPE_IMAGEPNG string = "image/png" -const CONTENT_TYPE_IMAGEJPG string = "image/jpeg" -const CONTENT_TYPE_IMAGESVGXML string = "image/svg+xml" const CONTENT_TYPE_MULTIPART_FORM_DATA string = "multipart/form-data;" const LOCALHOST string = "http://localhost" const TEST_STR string = "Testing!" diff --git a/context.go b/context.go index c603030..30c750b 100644 --- a/context.go +++ b/context.go @@ -19,7 +19,6 @@ import ( "syscall" "git.smarteching.com/goffee/core/logger" - "github.com/hibiken/asynq" "gorm.io/gorm" ) @@ -69,95 +68,38 @@ func (c *Context) RequestParamExists(key string) bool { return c.Request.httpRequest.Form.Has(key) } -func (c *Context) GetRequesForm(key string) interface{} { - c.Request.httpRequest.ParseForm() - return c.Request.httpRequest.Form[key] -} - -func (c *Context) GetRequesBodyMap() map[string]interface{} { - var dat map[string]any - body := c.Request.httpRequest.Body - if body != nil { - if content, err := io.ReadAll(body); err == nil { - json.Unmarshal(content, &dat) - } - } - return dat -} - -// get json body and bind to dest interface -func (c *Context) GetRequesBodyStruct(dest interface{}) error { - body := c.Request.httpRequest.Body - if body != nil { - value := reflect.ValueOf(dest) - if value.Kind() != reflect.Ptr { - fmt.Println("dest is not a pointer") - return errors.New("dest is not a pointer") - } - err := json.NewDecoder(body).Decode(dest) - return err - } - return nil -} - func (c *Context) GetHeader(key string) string { return c.Request.httpRequest.Header.Get(key) } -func (c *Context) GetCookie() (UserCookie, error) { - - user, err := GetCookie(c.Request.httpRequest) - if err != nil { - return user, err - } - return user, nil -} - -func (c *Context) GetQueueClient() *asynq.Client { - - redisAddr := fmt.Sprintf("%v:%v", os.Getenv("REDIS_HOST"), os.Getenv("REDIS_PORT")) - client := asynq.NewClient(asynq.RedisClientOpt{Addr: redisAddr}) - - return client -} - -func (c *Context) GetUploadedFile(name string) (*UploadedFileInfo, error) { +func (c *Context) GetUploadedFile(name string) *UploadedFileInfo { file, fileHeader, err := c.Request.httpRequest.FormFile(name) if err != nil { - return nil, fmt.Errorf("error retrieving file: %v", err) + panic(fmt.Sprintf("error with file,[%v]", err.Error())) } defer file.Close() - - // Extract the file extension ext := strings.TrimPrefix(path.Ext(fileHeader.Filename), ".") tmpFilePath := filepath.Join(os.TempDir(), fileHeader.Filename) tmpFile, err := os.Create(tmpFilePath) if err != nil { - return nil, fmt.Errorf("error creating temporary file: %v", err) + panic(fmt.Sprintf("error with file,[%v]", err.Error())) } - defer tmpFile.Close() - // Copy the uploaded file content to the temporary file buff := make([]byte, 100) for { n, err := file.Read(buff) if err != nil && err != io.EOF { - return nil, fmt.Errorf("error reading uploaded file: %v", err) + panic("error with uploaded file") } if n == 0 { break } - _, err = tmpFile.Write(buff[:n]) - if err != nil { - return nil, fmt.Errorf("error writing to temporary file: %v", err) - } + n, _ = tmpFile.Write(buff[:n]) } - - // Get file info for the temporary file tmpFileInfo, err := os.Stat(tmpFilePath) if err != nil { - return nil, fmt.Errorf("error getting file info: %v", err) + panic(fmt.Sprintf("error with file,[%v]", err.Error())) } - + defer tmpFile.Close() uploadedFileInfo := &UploadedFileInfo{ FullPath: tmpFilePath, Name: fileHeader.Filename, @@ -165,7 +107,7 @@ func (c *Context) GetUploadedFile(name string) (*UploadedFileInfo, error) { Extension: ext, Size: int(tmpFileInfo.Size()), } - return uploadedFileInfo, nil + return uploadedFileInfo } func (c *Context) MoveFile(sourceFilePath string, destFolderPath string) error { @@ -194,7 +136,7 @@ func (c *Context) MoveFile(sourceFilePath string, destFolderPath string) error { for { n, err := srcFile.Read(buff) if err != nil && err != io.EOF { - return fmt.Errorf("error moving file: %v", sourceFilePath) + panic(fmt.Sprintf("error moving file %v", sourceFilePath)) } if n == 0 { break @@ -238,7 +180,7 @@ func (c *Context) CopyFile(sourceFilePath string, destFolderPath string) error { for { n, err := srcFile.Read(buff) if err != nil && err != io.EOF { - return fmt.Errorf("error moving file: %v", sourceFilePath) + panic(fmt.Sprintf("error moving file %v", sourceFilePath)) } if n == 0 { break diff --git a/cookies.go b/cookies.go deleted file mode 100644 index 4e51470..0000000 --- a/cookies.go +++ /dev/null @@ -1,285 +0,0 @@ -// Copyright (c) 2024 Zeni Kim -// Use of this source code is governed by MIT-style -// license that can be found in the LICENSE file. - -package core - -import ( - "bytes" - "crypto/aes" - "crypto/cipher" - "crypto/rand" - "encoding/base64" - "encoding/gob" - "encoding/hex" - "errors" - "fmt" - "io" - "net/http" - "os" - "strconv" - "strings" -) - -// ErrValueTooLong indicates that the cookie value exceeds the allowed length limit. -// ErrInvalidValue signifies that the cookie value is in an invalid format. -var ( - ErrValueTooLong = errors.New("cookie value too long") - ErrInvalidValue = errors.New("invalid cookie value") -) - -// UserCookie represents a structure to hold user-specific data stored in a cookie, including Email and Token fields. -type UserCookie struct { - Email string - Token string -} - -// secretcookie is a global variable used to store the decoded secret key for encrypting and decrypting cookies. -var secretcookie []byte - -// GetCookie retrieves and decrypts the user cookie from the provided HTTP request and returns it as a UserCookie. -// Returns an error if the cookie retrieval, decryption, or decoding process fails. -func GetCookie(r *http.Request) (UserCookie, error) { - - var err error - // Create a new instance of a User type. - var user UserCookie - - // check if template engine is enable - TemplateEnableStr := os.Getenv("TEMPLATE_ENABLE") - if TemplateEnableStr == "" { - TemplateEnableStr = "false" - } - TemplateEnable, _ := strconv.ParseBool(TemplateEnableStr) - // if enabled, - if TemplateEnable { - cookie_secret := os.Getenv("COOKIE_SECRET") - if cookie_secret == "" { - panic("cookie secret key is not set") - } - secretcookie, err = hex.DecodeString(cookie_secret) - if err != nil { - return user, err - } - } else { - panic("Templates are disabled") - } - - gobEncodedValue, err := CookieReadEncrypted(r, "goffee", secretcookie) - if err != nil { - return user, err - } - - // Create an strings.Reader containing the gob-encoded value. - reader := strings.NewReader(gobEncodedValue) - - // Decode it into the User type. Notice that we need to pass a *pointer* to - // the Decode() target here? - if err := gob.NewDecoder(reader).Decode(&user); err != nil { - return user, err - } - - return user, nil - -} - -// SetCookie sets an encrypted cookie with a user's email and token, using gob encoding for data serialization. -func SetCookie(w http.ResponseWriter, email string, token string) error { - // Initialize a User struct containing the data that we want to store in the - // cookie. - var err error - - // check if template engine is enable - TemplateEnableStr := os.Getenv("TEMPLATE_ENABLE") - if TemplateEnableStr == "" { - TemplateEnableStr = "false" - } - TemplateEnable, _ := strconv.ParseBool(TemplateEnableStr) - // if enabled, - if TemplateEnable { - cookie_secret := os.Getenv("COOKIE_SECRET") - if cookie_secret == "" { - panic("cookie secret key is not set") - } - secretcookie, err = hex.DecodeString(cookie_secret) - if err != nil { - return err - } - } else { - panic("Templates are disabled") - } - - if err != nil { - return err - } - - user := UserCookie{Email: email, Token: token} - - // Initialize a buffer to hold the gob-encoded data. - var buf bytes.Buffer - - // Gob-encode the user data, storing the encoded output in the buffer. - err = gob.NewEncoder(&buf).Encode(&user) - if err != nil { - return err - } - - // Call buf.String() to get the gob-encoded value as a string and set it as - // the cookie value. - cookie := http.Cookie{ - Name: "goffee", - Value: buf.String(), - Path: "/", - MaxAge: 3600, - HttpOnly: true, - SameSite: http.SameSiteLaxMode, - } - - // Write an encrypted cookie containing the gob-encoded data as normal. - err = CookieWriteEncrypted(w, cookie, secretcookie) - if err != nil { - return err - } - - return nil -} - -// CookieWrite writes a secure HTTP cookie to the response writer after base64 encoding its value. -// Returns ErrValueTooLong if the cookie string exceeds the 4096-byte size limit. -func CookieWrite(w http.ResponseWriter, cookie http.Cookie) error { - // Encode the cookie value using base64. - cookie.Value = base64.URLEncoding.EncodeToString([]byte(cookie.Value)) - - // Check the total length of the cookie contents. Return the ErrValueTooLong - // error if it's more than 4096 bytes. - if len(cookie.String()) > 4096 { - return ErrValueTooLong - } - - // Write the cookie as normal. - http.SetCookie(w, &cookie) - - return nil -} - -// CookieRead retrieves a base64-encoded cookie value by name from the HTTP request and decodes it. -// Returns the decoded value as a string or an error if the cookie is not found or the value is invalid. -func CookieRead(r *http.Request, name string) (string, error) { - // Read the cookie as normal. - cookie, err := r.Cookie(name) - if err != nil { - return "", err - } - - // Decode the base64-encoded cookie value. If the cookie didn't contain a - // valid base64-encoded value, this operation will fail and we return an - // ErrInvalidValue error. - value, err := base64.URLEncoding.DecodeString(cookie.Value) - if err != nil { - return "", ErrInvalidValue - } - - // Return the decoded cookie value. - return string(value), nil -} - -// CookieWriteEncrypted encrypts the cookie's value using AES-GCM and writes it to the HTTP response writer. -// The cookie name is authenticated along with its value. -// It returns an error if encryption fails or the cookie exceeds the maximum allowed length. -func CookieWriteEncrypted(w http.ResponseWriter, cookie http.Cookie, secretKey []byte) error { - // Create a new AES cipher block from the secret key. - block, err := aes.NewCipher(secretKey) - if err != nil { - return err - } - - // Wrap the cipher block in Galois Counter Mode. - aesGCM, err := cipher.NewGCM(block) - if err != nil { - return err - } - - // Create a unique nonce containing 12 random bytes. - nonce := make([]byte, aesGCM.NonceSize()) - _, err = io.ReadFull(rand.Reader, nonce) - if err != nil { - return err - } - - // Prepare the plaintext input for encryption. Because we want to - // authenticate the cookie name as well as the value, we make this plaintext - // in the format "{cookie name}:{cookie value}". We use the : character as a - // separator because it is an invalid character for cookie names and - // therefore shouldn't appear in them. - plaintext := fmt.Sprintf("%s:%s", cookie.Name, cookie.Value) - - // Encrypt the data using aesGCM.Seal(). By passing the nonce as the first - // parameter, the encrypted data will be appended to the nonce — meaning - // that the returned encryptedValue variable will be in the format - // "{nonce}{encrypted plaintext data}". - encryptedValue := aesGCM.Seal(nonce, nonce, []byte(plaintext), nil) - - // Set the cookie value to the encryptedValue. - cookie.Value = string(encryptedValue) - - // Write the cookie as normal. - return CookieWrite(w, cookie) -} - -// CookieReadEncrypted reads an encrypted cookie, decrypts its value using AES-GCM, and validates its name before returning. -// Returns the plaintext cookie value or an error if decryption or validation fails. -func CookieReadEncrypted(r *http.Request, name string, secretKey []byte) (string, error) { - // Read the encrypted value from the cookie as normal. - encryptedValue, err := CookieRead(r, name) - if err != nil { - return "", err - } - - // Create a new AES cipher block from the secret key. - block, err := aes.NewCipher(secretKey) - if err != nil { - return "", err - } - - // Wrap the cipher block in Galois Counter Mode. - aesGCM, err := cipher.NewGCM(block) - if err != nil { - return "", err - } - - // Get the nonce size. - nonceSize := aesGCM.NonceSize() - - // To avoid a potential 'index out of range' panic in the next step, we - // check that the length of the encrypted value is at least the nonce - // size. - if len(encryptedValue) < nonceSize { - return "", ErrInvalidValue - } - - // Split apart the nonce from the actual encrypted data. - nonce := encryptedValue[:nonceSize] - ciphertext := encryptedValue[nonceSize:] - - // Use aesGCM.Open() to decrypt and authenticate the data. If this fails, - // return a ErrInvalidValue error. - plaintext, err := aesGCM.Open(nil, []byte(nonce), []byte(ciphertext), nil) - if err != nil { - return "", ErrInvalidValue - } - - // The plaintext value is in the format "{cookie name}:{cookie value}". We - // use strings.Cut() to split it on the first ":" character. - expectedName, value, ok := strings.Cut(string(plaintext), ":") - if !ok { - return "", ErrInvalidValue - } - - // Check that the cookie name is the expected one and hasn't been changed. - if expectedName != name { - return "", ErrInvalidValue - } - - // Return the plaintext cookie value. - return value, nil -} diff --git a/core.go b/core.go index ca8e747..ba208d3 100644 --- a/core.go +++ b/core.go @@ -36,20 +36,15 @@ var cacheC CacheConfig var db *gorm.DB var mailer *Mailer var basePath string -var runMode string var disableEvents bool = false -// components_resources holds embedded file system data, typically for templates or other embedded resources. -// //go:embed all:template var components_resources embed.FS -// configContainer is a configuration structure that holds request-specific configurations for the application. type configContainer struct { Request RequestConfig } -// App is a struct representing the main application container and its core components. type App struct { t int // for tracking hooks chain *chain @@ -57,10 +52,8 @@ type App struct { Config *configContainer } -// app is a global instance of the App structure used to manage application configuration and lifecycle. var app *App -// New initializes and returns a new instance of the App structure with default configurations and chain. func New() *App { app = &App{ chain: &chain{}, @@ -72,29 +65,24 @@ func New() *App { return app } -// ResolveApp returns the global instance of the App, providing access to its methods and configuration components. func ResolveApp() *App { return app } -// SetLogsDriver sets the logging driver to be used by the application. func (app *App) SetLogsDriver(d logger.LogsDriver) { logsDriver = &d } -// Bootstrap initializes the application by setting up the logger, router, and events manager. func (app *App) Bootstrap() { loggr = logger.NewLogger(*logsDriver) NewRouter() NewEventsManager() } -// RegisterTemplates initializes the application template system by embedding provided templates for rendering views. func (app *App) RegisterTemplates(templates_resources embed.FS) { NewTemplates(components_resources, templates_resources) } -// Run initializes the application's router, configures HTTPS if enabled, and starts the HTTP/HTTPS server. func (app *App) Run(router *httprouter.Router) { portNumber := os.Getenv("App_HTTP_PORT") if portNumber == "" { @@ -104,33 +92,15 @@ func (app *App) Run(router *httprouter.Router) { // check if template engine is enable TemplateEnableStr := os.Getenv("TEMPLATE_ENABLE") - if "" == TemplateEnableStr { + if TemplateEnableStr == "" { TemplateEnableStr = "false" } TemplateEnable, _ := strconv.ParseBool(TemplateEnableStr) // if enabled, if TemplateEnable { - router.ServeFiles("/public/*filepath", http.Dir("storage/public")) - } - - // check if app engine is enable - AppEnableStr := os.Getenv("APP_ENABLE") - if "" == AppEnableStr { - AppEnableStr = "false" - } - AppEnable, _ := strconv.ParseBool(AppEnableStr) - if AppEnable { - router.ServeFiles("/app/*filepath", http.Dir("storage/app")) - } - - // check if app engine is enable - CDNEnableStr := os.Getenv("CDN_ENABLE") - if "" == CDNEnableStr { - CDNEnableStr = "false" - } - CDNEnable, _ := strconv.ParseBool(CDNEnableStr) - if CDNEnable { - router.ServeFiles("/cdn/*filepath", http.Dir("storage/cdn")) + // add public path + publicPath := os.Getenv("TEMPLATE_PUBLIC") + router.ServeFiles("/public/*filepath", http.Dir(publicPath)) } useHttpsStr := os.Getenv("App_USE_HTTPS") @@ -139,13 +109,11 @@ func (app *App) Run(router *httprouter.Router) { } useHttps, _ := strconv.ParseBool(useHttpsStr) - if "dev" == runMode { - fmt.Printf("Welcome to Goffee\n") - if useHttps { - fmt.Printf("Listening on https \nWaiting for requests...\n") - } else { - fmt.Printf("Listening on port %s\nWaiting for requests...\n", portNumber) - } + fmt.Printf("Welcome to Goffee\n") + if useHttps { + fmt.Printf("Listening on https \nWaiting for requests...\n") + } else { + fmt.Printf("Listening on port %s\nWaiting for requests...\n", portNumber) } // check if use letsencrypt @@ -187,9 +155,6 @@ func (app *App) Run(router *httprouter.Router) { log.Fatal(http.ListenAndServe(fmt.Sprintf(":%s", portNumber), router)) } -// RegisterRoutes sets up and registers HTTP routes and their handlers to the provided router, enabling request processing. -// It assigns appropriate methods, controllers, and hooks, while handling core services, errors, and fallback behaviors. -// Returns the configured router instance. func (app *App) RegisterRoutes(routes []Route, router *httprouter.Router) *httprouter.Router { router.PanicHandler = panicHandler router.NotFound = notFoundHandler{} @@ -213,25 +178,11 @@ func (app *App) RegisterRoutes(routes []Route, router *httprouter.Router) *httpr router.HEAD(route.Path, app.makeHTTPRouterHandlerFunc(route.Controller, route.Hooks)) } } - - // check if enable core services - UseCoreServicesStr := os.Getenv("App_USE_CORESERVICES") - if UseCoreServicesStr == "" { - UseCoreServicesStr = "false" - } - UseCoreServices, _ := strconv.ParseBool(UseCoreServicesStr) - if UseCoreServices { - // Register router for graphs - router.GET("/coregraph/*graph", Graph) - } - return router } -// makeHTTPRouterHandlerFunc creates an httprouter.Handle that handles HTTP requests with the specified controller and hooks. func (app *App) makeHTTPRouterHandlerFunc(h Controller, ms []Hook) httprouter.Handle { return func(w http.ResponseWriter, r *http.Request, ps httprouter.Params) { - ctx := &Context{ Request: &Request{ httpRequest: r, @@ -255,13 +206,11 @@ func (app *App) makeHTTPRouterHandlerFunc(h Controller, ms []Hook) httprouter.Ha GetEventsManager: resolveEventsManager(), GetLogger: resolveLogger(), } - ctx.prepare(ctx) rhs := app.combHandlers(h, ms) app.prepareChain(rhs) app.t = 0 app.chain.execute(ctx) - for _, header := range ctx.Response.headers { w.Header().Add(header.key, header.val) } @@ -274,13 +223,12 @@ func (app *App) makeHTTPRouterHandlerFunc(h Controller, ms []Hook) httprouter.Ha } else { ct = CONTENT_TYPE_HTML } - w.Header().Add(CONTENT_TYPE, ct) if ctx.Response.statusCode != 0 { w.WriteHeader(ctx.Response.statusCode) } if ctx.Response.redirectTo != "" { - http.Redirect(w, r, ctx.Response.redirectTo, http.StatusTemporaryRedirect) + http.Redirect(w, r, ctx.Response.redirectTo, http.StatusPermanentRedirect) } else { w.Write(ctx.Response.body) } @@ -295,13 +243,9 @@ func (app *App) makeHTTPRouterHandlerFunc(h Controller, ms []Hook) httprouter.Ha } } -// notFoundHandler is a type that implements the http.Handler interface to handle HTTP 404 Not Found errors. type notFoundHandler struct{} - -// methodNotAllowed is a type that implements http.Handler to handle HTTP 405 Method Not Allowed errors. type methodNotAllowed struct{} -// ServeHTTP handles HTTP requests by responding with a 404 status code and a JSON-formatted "Not Found" message. func (n notFoundHandler) ServeHTTP(w http.ResponseWriter, r *http.Request) { w.WriteHeader(http.StatusNotFound) res := "{\"message\": \"Not Found\"}" @@ -311,7 +255,6 @@ func (n notFoundHandler) ServeHTTP(w http.ResponseWriter, r *http.Request) { w.Write([]byte(res)) } -// ServeHTTP handles HTTP requests with method not allowed status and logs the occurrence and stack trace. func (n methodNotAllowed) ServeHTTP(w http.ResponseWriter, r *http.Request) { w.WriteHeader(http.StatusMethodNotAllowed) res := "{\"message\": \"Method not allowed\"}" @@ -321,7 +264,6 @@ func (n methodNotAllowed) ServeHTTP(w http.ResponseWriter, r *http.Request) { w.Write([]byte(res)) } -// panicHandler handles panics during HTTP request processing, logs errors, and formats responses based on environment settings. var panicHandler = func(w http.ResponseWriter, r *http.Request, e interface{}) { isDebugModeStr := os.Getenv("APP_DEBUG_MODE") isDebugMode, err := strconv.ParseBool(isDebugModeStr) @@ -356,12 +298,10 @@ var panicHandler = func(w http.ResponseWriter, r *http.Request, e interface{}) { w.Write([]byte(res)) } -// UseHook registers a Hook middleware function by attaching it to the global Hooks instance. func UseHook(mw Hook) { ResolveHooks().Attach(mw) } -// Next advances to the next middleware or controller in the chain and invokes it with the given context if available. func (app *App) Next(c *Context) { app.t = app.t + 1 n := app.chain.getByIndex(app.t) @@ -378,17 +318,14 @@ func (app *App) Next(c *Context) { } } -// chain represents a sequence of nodes, where each node is an interface, used for executing a series of operations. type chain struct { nodes []interface{} } -// reset clears all nodes in the chain, resetting it to an empty state. func (cn *chain) reset() { cn.nodes = []interface{}{} } -// getByIndex retrieves an element from the chain's nodes slice by its index. Returns nil if the index is out of range. func (c *chain) getByIndex(i int) interface{} { for k := range c.nodes { if k == i { @@ -399,7 +336,6 @@ func (c *chain) getByIndex(i int) interface{} { return nil } -// prepareChain appends all hooks from the provided list and the application's Hooks to the chain's nodes. func (app *App) prepareChain(hs []interface{}) { mw := app.hooks.GetHooks() for _, v := range mw { @@ -410,7 +346,6 @@ func (app *App) prepareChain(hs []interface{}) { } } -// execute executes the first node in the chain, invoking it as either a Hook or Controller if applicable. func (cn *chain) execute(ctx *Context) { i := cn.getByIndex(0) if i != nil { @@ -426,7 +361,6 @@ func (cn *chain) execute(ctx *Context) { } } -// combHandlers combines a controller and a slice of hooks into a single slice of interfaces in reversed order. func (app *App) combHandlers(h Controller, mw []Hook) []interface{} { var rev []interface{} for _, k := range mw { @@ -436,8 +370,6 @@ func (app *App) combHandlers(h Controller, mw []Hook) []interface{} { return rev } -// getGormFunc returns a function that provides a *gorm.DB instance, ensuring gorm is enabled in the configuration. -// If gorm is not enabled, it panics with an appropriate message. func getGormFunc() func() *gorm.DB { f := func() *gorm.DB { if !gormC.EnableGorm { @@ -448,9 +380,6 @@ func getGormFunc() func() *gorm.DB { return f } -// NewGorm initializes and returns a new gorm.DB instance based on the selected database driver specified in environment variables. -// Supported drivers include MySQL, PostgreSQL, and SQLite. -// Panics if the database driver is not specified or if a connection error occurs. func NewGorm() *gorm.DB { var err error switch os.Getenv("DB_DRIVER") { @@ -475,7 +404,6 @@ func NewGorm() *gorm.DB { return db } -// ResolveGorm initializes and returns a singleton instance of *gorm.DB, creating it if it doesn't already exist. func ResolveGorm() *gorm.DB { if db != nil { return db @@ -484,8 +412,6 @@ func ResolveGorm() *gorm.DB { return db } -// resolveCache returns a function that provides a *Cache instance when invoked. -// Panics if caching is not enabled in the configuration. func resolveCache() func() *Cache { f := func() *Cache { if !cacheC.EnableCache { @@ -496,8 +422,6 @@ func resolveCache() func() *Cache { return f } -// postgresConnect establishes a connection to a PostgreSQL database using environment variables for configuration. -// It returns a pointer to a gorm.DB instance or an error if the connection fails. func postgresConnect() (*gorm.DB, error) { dsn := fmt.Sprintf("host=%v user=%v password=%v dbname=%v port=%v sslmode=%v TimeZone=%v", os.Getenv("POSTGRES_HOST"), @@ -511,8 +435,6 @@ func postgresConnect() (*gorm.DB, error) { return gorm.Open(postgres.Open(dsn), &gorm.Config{}) } -// mysqlConnect establishes a connection to a MySQL database using credentials and configurations from environment variables. -// Returns a *gorm.DB instance on success or an error if the connection fails. func mysqlConnect() (*gorm.DB, error) { dsn := fmt.Sprintf("%v:%v@tcp(%v:%v)/%v?charset=%v&parseTime=True&loc=Local", os.Getenv("MYSQL_USERNAME"), @@ -532,9 +454,6 @@ func mysqlConnect() (*gorm.DB, error) { }), &gorm.Config{}) } -// getJWT returns a function that initializes and provides a *JWT instance configured with environment variables. -// The JWT instance is created using a secret signing key and a lifespan derived from the environment. -// Panics if the signing key is not set or if the lifespan cannot be parsed. func getJWT() func() *JWT { f := func() *JWT { secret := os.Getenv("JWT_SECRET") @@ -558,7 +477,6 @@ func getJWT() func() *JWT { return f } -// getValidator returns a closure that instantiates and provides a new instance of Validator. func getValidator() func() *Validator { f := func() *Validator { return &Validator{} @@ -566,7 +484,6 @@ func getValidator() func() *Validator { return f } -// resloveHashing returns a function that initializes and provides a pointer to a new instance of the Hashing struct. func resloveHashing() func() *Hashing { f := func() *Hashing { return &Hashing{} @@ -574,7 +491,6 @@ func resloveHashing() func() *Hashing { return f } -// resolveMailer initializes and returns a function that provides a singleton Mailer instance based on the configured driver. func resolveMailer() func() *Mailer { f := func() *Mailer { if mailer != nil { @@ -603,7 +519,6 @@ func resolveMailer() func() *Mailer { return f } -// resolveEventsManager creates and returns a function that resolves the singleton instance of EventsManager. func resolveEventsManager() func() *EventsManager { f := func() *EventsManager { return ResolveEventsManager() @@ -611,7 +526,6 @@ func resolveEventsManager() func() *EventsManager { return f } -// resolveLogger returns a function that provides access to the initialized logger instance when invoked. func resolveLogger() func() *logger.Logger { f := func() *logger.Logger { return loggr @@ -619,7 +533,6 @@ func resolveLogger() func() *logger.Logger { return f } -// MakeDirs creates the specified directories under the base path with the provided permissions (0766). func (app *App) MakeDirs(dirs ...string) { o := syscall.Umask(0) defer syscall.Umask(o) @@ -628,37 +541,26 @@ func (app *App) MakeDirs(dirs ...string) { } } -// SetRequestConfig sets the configuration for the request in the application instance. func (app *App) SetRequestConfig(r RequestConfig) { requestC = r } -// SetGormConfig sets the GormConfig for the application, overriding the current configuration with the provided value. func (app *App) SetGormConfig(g GormConfig) { gormC = g } -// SetCacheConfig sets the cache configuration for the application using the provided CacheConfig parameter. func (app *App) SetCacheConfig(c CacheConfig) { cacheC = c } -// SetBasePath sets the base path for the application, which is used as a prefix for file and directory operations. func (app *App) SetBasePath(path string) { basePath = path } -// SetRunMode sets the application run mode to the specified value. -func (app *App) SetRunMode(runmode string) { - runMode = runmode -} - -// DisableEvents sets the global variable `disableEvents` to true, disabling the handling or triggering of events. func DisableEvents() { disableEvents = true } -// EnableEvents sets the global variable `disableEvents` to false, effectively enabling event handling. func EnableEvents() { disableEvents = false } diff --git a/go.mod b/go.mod index 9a967b5..a3e044e 100644 --- a/go.mod +++ b/go.mod @@ -4,17 +4,16 @@ replace git.smarteching.com/goffee/core/logger => ./logger replace git.smarteching.com/goffee/core/env => ./env -go 1.24.1 +go 1.20 require ( - git.smarteching.com/zeni/go-chart/v2 v2.1.4 github.com/brianvoe/gofakeit/v6 v6.21.0 github.com/golang-jwt/jwt/v5 v5.0.0 - github.com/google/uuid v1.6.0 + github.com/google/uuid v1.3.0 github.com/harranali/mailing v1.2.0 github.com/joho/godotenv v1.5.1 github.com/julienschmidt/httprouter v1.3.0 - github.com/redis/go-redis/v9 v9.7.0 + github.com/redis/go-redis/v9 v9.0.5 golang.org/x/crypto v0.11.0 gorm.io/driver/mysql v1.5.1 gorm.io/driver/postgres v1.5.2 @@ -23,14 +22,10 @@ require ( ) require ( - git.smarteching.com/zeni/go-charts/v2 v2.6.11 // indirect github.com/SparkPost/gosparkpost v0.2.0 // indirect github.com/asaskevich/govalidator v0.0.0-20230301143203-a9d515a09cc2 // indirect - github.com/dustin/go-humanize v1.0.1 // indirect github.com/go-chi/chi/v5 v5.0.8 // indirect github.com/go-sql-driver/mysql v1.7.0 // indirect - github.com/golang/freetype v0.0.0-20170609003504-e2365dfdc4a0 // indirect - github.com/hibiken/asynq v0.25.1 // indirect github.com/jackc/pgpassfile v1.0.0 // indirect github.com/jackc/pgservicefile v0.0.0-20221227161230-091c0ba34f0a // indirect github.com/jackc/pgx/v5 v5.3.1 // indirect @@ -40,16 +35,10 @@ require ( github.com/modern-go/concurrent v0.0.0-20180228061459-e0a39a4cb421 // indirect github.com/modern-go/reflect2 v0.0.0-20180701023420-4b7aa43c6742 // indirect github.com/pkg/errors v0.9.1 // indirect - github.com/robfig/cron/v3 v3.0.1 // indirect github.com/sendgrid/rest v2.6.9+incompatible // indirect github.com/sendgrid/sendgrid-go v3.12.0+incompatible // indirect - github.com/spf13/cast v1.7.0 // indirect - golang.org/x/image v0.21.0 // indirect golang.org/x/net v0.10.0 // indirect - golang.org/x/sys v0.27.0 // indirect - golang.org/x/text v0.19.0 // indirect - golang.org/x/time v0.8.0 // indirect - google.golang.org/protobuf v1.35.2 // indirect + golang.org/x/text v0.11.0 // indirect ) require ( diff --git a/go.sum b/go.sum index 9c1a556..4aedeaa 100644 --- a/go.sum +++ b/go.sum @@ -1,7 +1,3 @@ -git.smarteching.com/zeni/go-chart/v2 v2.1.4 h1:pF06+F6eqJLIG8uMiTVPR5TygPGMjM/FHMzTxmu5V/Q= -git.smarteching.com/zeni/go-chart/v2 v2.1.4/go.mod h1:b3ueW9h3pGGXyhkormZAvilHaG4+mQti+bMNPdQBeOQ= -git.smarteching.com/zeni/go-charts/v2 v2.6.11 h1:9udzlv3uxGXszpplfkL5IaTUrgkNj++KwhbaN1vVEqI= -git.smarteching.com/zeni/go-charts/v2 v2.6.11/go.mod h1:3OpRPSXg7Qx4zcgsmwsC9ZFB9/wAkGSbnXf1wIbHYCg= github.com/SparkPost/gosparkpost v0.2.0 h1:yzhHQT7cE+rqzd5tANNC74j+2x3lrPznqPJrxC1yR8s= github.com/SparkPost/gosparkpost v0.2.0/go.mod h1:S9WKcGeou7cbPpx0kTIgo8Q69WZvUmVeVzbD+djalJ4= github.com/asaskevich/govalidator v0.0.0-20230301143203-a9d515a09cc2 h1:DklsrG3dyBCFEj5IhUbnKptjxatkF07cF2ak3yi77so= @@ -9,9 +5,7 @@ github.com/asaskevich/govalidator v0.0.0-20230301143203-a9d515a09cc2/go.mod h1:W github.com/brianvoe/gofakeit/v6 v6.21.0 h1:tNkm9yxEbpuPK8Bx39tT4sSc5i9SUGiciLdNix+VDQY= github.com/brianvoe/gofakeit/v6 v6.21.0/go.mod h1:Ow6qC71xtwm79anlwKRlWZW6zVq9D2XHE4QSSMP/rU8= github.com/bsm/ginkgo/v2 v2.7.0 h1:ItPMPH90RbmZJt5GtkcNvIRuGEdwlBItdNVoyzaNQao= -github.com/bsm/ginkgo/v2 v2.7.0/go.mod h1:AiKlXPm7ItEHNc/2+OkrNG4E0ITzojb9/xWzvQ9XZ9w= github.com/bsm/gomega v1.26.0 h1:LhQm+AFcgV2M0WyKroMASzAzCAJVpAxQXv4SaI9a69Y= -github.com/bsm/gomega v1.26.0/go.mod h1:JyEr/xRbxbtgWNi8tIEVPUYZ5Dzef52k01W3YH0H+O0= github.com/buger/jsonparser v1.0.0/go.mod h1:tgcrVJ81GPSF0mz+0nu1Xaz0fazGPrmmJfJtxjbHhUQ= github.com/cention-sany/utf7 v0.0.0-20170124080048-26cad61bd60a/go.mod h1:2GxOXOlEPAMFPfp014mK1SWq8G8BN8o7/dfYqJrVGn8= github.com/cespare/xxhash/v2 v2.2.0 h1:DC2CZ1Ep5Y4k3ZQ899DldepgrayRUGE6BBZ/cd9Cj44= @@ -21,8 +15,6 @@ github.com/davecgh/go-spew v1.1.1 h1:vj9j/u1bqnvCEfJOwUhtlOARqs3+rkHYY13jYWTU97c github.com/davecgh/go-spew v1.1.1/go.mod h1:J7Y8YcW2NihsgmVo/mv3lAwl/skON4iLHjSsI+c5H38= github.com/dgryski/go-rendezvous v0.0.0-20200823014737-9f7001d12a5f h1:lO4WD4F/rVNCu3HqELle0jiPLLBs70cWOduZpkS1E78= github.com/dgryski/go-rendezvous v0.0.0-20200823014737-9f7001d12a5f/go.mod h1:cuUVRXasLTGF7a8hSLbxyZXjz+1KgoB3wDUb6vlszIc= -github.com/dustin/go-humanize v1.0.1 h1:GzkhY7T5VNhEkwH0PVJgjz+fX1rhBrR7pRT3mDkpeCY= -github.com/dustin/go-humanize v1.0.1/go.mod h1:Mu1zIs6XwVuF/gI1OepvI0qD18qycQx+mFykh5fBlto= github.com/facebookgo/ensure v0.0.0-20160127193407-b4ab57deab51 h1:0JZ+dUmQeA8IIVUMzysrX4/AKuQwWhV2dYQuPZdvdSQ= github.com/facebookgo/ensure v0.0.0-20160127193407-b4ab57deab51/go.mod h1:Yg+htXGokKKdzcwhuNDwVvN+uBxDGXJ7G/VN1d8fa64= github.com/facebookgo/stack v0.0.0-20160209184415-751773369052 h1:JWuenKqqX8nojtoVVWjGfOF9635RETekkoH6Cc9SX0A= @@ -39,17 +31,11 @@ github.com/go-test/deep v1.0.2/go.mod h1:wGDj63lr65AM2AQyKZd/NYHGb0R+1RLqB8NKt3a github.com/gogs/chardet v0.0.0-20150115103509-2404f7772561/go.mod h1:Pcatq5tYkCW2Q6yrR2VRHlbHpZ/R4/7qyL1TCF7vl14= github.com/golang-jwt/jwt/v5 v5.0.0 h1:1n1XNM9hk7O9mnQoNBGolZvzebBQ7p93ULHRc28XJUE= github.com/golang-jwt/jwt/v5 v5.0.0/go.mod h1:pqrtFR0X4osieyHYxtmOUWsAWrfe1Q5UVIyoH402zdk= -github.com/golang/freetype v0.0.0-20170609003504-e2365dfdc4a0 h1:DACJavvAHhabrF08vX0COfcOBJRhZ8lUbR+ZWIs0Y5g= -github.com/golang/freetype v0.0.0-20170609003504-e2365dfdc4a0/go.mod h1:E/TSTwGwJL78qG/PmXZO1EjYhfJinVAhrmmHX6Z8B9k= github.com/google/gofuzz v1.0.0/go.mod h1:dBl0BpW6vV/+mYPU4Po3pmUjxk6FQPldtuIdl/M65Eg= github.com/google/uuid v1.3.0 h1:t6JiXgmwXMjEs8VusXIJk2BXHsn+wx8BZdTaoZ5fu7I= github.com/google/uuid v1.3.0/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo= -github.com/google/uuid v1.6.0 h1:NIvaJDMOsjHA8n1jAhLSgzrAzy1Hgr+hNrb57e+94F0= -github.com/google/uuid v1.6.0/go.mod h1:TIyPZe4MgqvfeYDBFedMoGGpEw/LqOeaOT+nhxU+yHo= github.com/harranali/mailing v1.2.0 h1:ihIyJwB8hyRVcdk+v465wk1PHMrSrgJqo/kMd+gZClY= github.com/harranali/mailing v1.2.0/go.mod h1:4a5N3yG98pZKluMpmcYlTtll7bisvOfGQEMIng3VQk4= -github.com/hibiken/asynq v0.25.1 h1:phj028N0nm15n8O2ims+IvJ2gz4k2auvermngh9JhTw= -github.com/hibiken/asynq v0.25.1/go.mod h1:pazWNOLBu0FEynQRBvHA26qdIKRSmfdIfUm4HdsLmXg= github.com/jackc/pgpassfile v1.0.0 h1:/6Hmqy13Ss2zCq62VdNG8tM1wchn8zjSGOBJ6icpsIM= github.com/jackc/pgpassfile v1.0.0/go.mod h1:CEx0iS5ambNFdcRtxPj5JhEz+xB6uRky5eyVu/W2HEg= github.com/jackc/pgservicefile v0.0.0-20221227161230-091c0ba34f0a h1:bbPeKD0xmW/Y25WS6cokEszi5g+S0QxI/d45PkRi7Nk= @@ -87,48 +73,31 @@ github.com/pmezard/go-difflib v1.0.0 h1:4DBwDE0NGyQoBHbLQYPwSUPoCMWR5BEzIk/f1lZb github.com/pmezard/go-difflib v1.0.0/go.mod h1:iKH77koFhYxTK1pcRnkKkqfTogsbg7gZNVY4sRDYZ/4= github.com/redis/go-redis/v9 v9.0.5 h1:CuQcn5HIEeK7BgElubPP8CGtE0KakrnbBSTLjathl5o= github.com/redis/go-redis/v9 v9.0.5/go.mod h1:WqMKv5vnQbRuZstUwxQI195wHy+t4PuXDOjzMvcuQHk= -github.com/redis/go-redis/v9 v9.7.0 h1:HhLSs+B6O021gwzl+locl0zEDnyNkxMtf/Z3NNBMa9E= -github.com/redis/go-redis/v9 v9.7.0/go.mod h1:f6zhXITC7JUJIlPEiBOTXxJgPLdZcA93GewI7inzyWw= -github.com/robfig/cron/v3 v3.0.1 h1:WdRxkvbJztn8LMz/QEvLN5sBU+xKpSqwwUO1Pjr4qDs= -github.com/robfig/cron/v3 v3.0.1/go.mod h1:eQICP3HwyT7UooqI/z+Ov+PtYAWygg1TEWWzGIFLtro= github.com/saintfish/chardet v0.0.0-20120816061221-3af4cd4741ca/go.mod h1:uugorj2VCxiV1x+LzaIdVa9b4S4qGAcH6cbhh4qVxOU= github.com/sendgrid/rest v2.6.9+incompatible h1:1EyIcsNdn9KIisLW50MKwmSRSK+ekueiEMJ7NEoxJo0= github.com/sendgrid/rest v2.6.9+incompatible/go.mod h1:kXX7q3jZtJXK5c5qK83bSGMdV6tsOE70KbHoqJls4lE= github.com/sendgrid/sendgrid-go v3.12.0+incompatible h1:/N2vx18Fg1KmQOh6zESc5FJB8pYwt5QFBDflYPh1KVg= github.com/sendgrid/sendgrid-go v3.12.0+incompatible/go.mod h1:QRQt+LX/NmgVEvmdRw0VT/QgUn499+iza2FnDca9fg8= -github.com/spf13/cast v1.7.0 h1:ntdiHjuueXFgm5nzDRdOS4yfT43P5Fnud6DH50rz/7w= -github.com/spf13/cast v1.7.0/go.mod h1:ancEpBxwJDODSW/UG4rDrAqiKolqNNh2DX3mk86cAdo= github.com/ssor/bom v0.0.0-20170718123548-6386211fdfcf/go.mod h1:RJID2RhlZKId02nZ62WenDCkgHFerpIOmW0iT7GKmXM= github.com/stretchr/objx v0.1.0/go.mod h1:HFkY916IF+rwdDfMAkV7OtwuqBVzrE8GR6GFx+wExME= github.com/stretchr/testify v1.3.0/go.mod h1:M5WIy9Dh21IEIfnGCwXGc5bZfKNJtfHm1UVUgZn+9EI= github.com/stretchr/testify v1.7.0/go.mod h1:6Fq8oRcR53rry900zMqJjRRixrwX3KX962/h/Wwjteg= github.com/stretchr/testify v1.8.4 h1:CcVxjf3Q8PM0mHUKJCdn+eZZtm5yQwehR5yeSVQQcUk= -github.com/stretchr/testify v1.8.4/go.mod h1:sz/lmYIOXD/1dqDmKjjqLyZ2RngseejIcXlSw2iwfAo= -github.com/stretchr/testify v1.10.0 h1:Xv5erBjTwe/5IxqUQTdXv5kgmIvbHo3QQyRwhJsOfJA= golang.org/x/crypto v0.0.0-20190308221718-c2843e01d9a2/go.mod h1:djNgcEr1/C05ACkg1iLfiJU5Ep61QUkGW8qpdssI0+w= golang.org/x/crypto v0.11.0 h1:6Ewdq3tDic1mg5xRO4milcWCfMVQhI4NkqWWvqejpuA= golang.org/x/crypto v0.11.0/go.mod h1:xgJhtzW8F9jGdVFWZESrid1U1bjeNy4zgy5cRr/CIio= -golang.org/x/image v0.21.0 h1:c5qV36ajHpdj4Qi0GnE0jUc/yuo33OLFaa0d+crTD5s= -golang.org/x/image v0.21.0/go.mod h1:vUbsLavqK/W303ZroQQVKQ+Af3Yl6Uz1Ppu5J/cLz78= golang.org/x/net v0.0.0-20190724013045-ca1201d0de80/go.mod h1:z5CRVTTTmAJ677TzLLGU+0bjPO0LkuOLi4/5GtJWs/s= golang.org/x/net v0.10.0 h1:X2//UzNDwYmtCLn7To6G58Wr6f5ahEAQgKNzv9Y951M= golang.org/x/net v0.10.0/go.mod h1:0qNGK6F8kojg2nk9dLZ2mShWaEBan6FAoqfSigmmuDg= golang.org/x/sys v0.0.0-20190215142949-d0b11bdaac8a/go.mod h1:STP8DvDyc/dI5b8T5hshtkjS+E42TnysNCUPdjciGhY= -golang.org/x/sys v0.27.0 h1:wBqf8DvsY9Y/2P8gAfPDEYNuS30J4lPHJxXSb/nJZ+s= -golang.org/x/sys v0.27.0/go.mod h1:/VUhepiaJMQUp4+oa/7Zr1D23ma6VTLIYjOOTFZPUcA= golang.org/x/text v0.3.0/go.mod h1:NqM8EUOU14njkJ3fqMW+pc6Ldnwhi/IjpwHt7yyuwOQ= golang.org/x/text v0.3.2/go.mod h1:bEr9sfX3Q8Zfm5fL9x+3itogRgK3+ptLWKqgva+5dAk= -golang.org/x/text v0.19.0 h1:kTxAhCbGbxhK0IwgSKiMO5awPoDQ0RpfiVYBfK860YM= -golang.org/x/text v0.19.0/go.mod h1:BuEKDfySbSR4drPmRPG/7iBdf8hvFMuRexcpahXilzY= -golang.org/x/time v0.8.0 h1:9i3RxcPv3PZnitoVGMPDKZSq1xW1gK1Xy3ArNOGZfEg= -golang.org/x/time v0.8.0/go.mod h1:3BpzKBy/shNhVucY/MWOyx10tF3SFh9QdLuxbVysPQM= +golang.org/x/text v0.11.0 h1:LAntKIrcmeSKERyiOh0XMV39LXS8IE9UL2yP7+f5ij4= +golang.org/x/text v0.11.0/go.mod h1:TvPlkZtksWOMsz7fbANvkp4WM8x/WCo/om8BMLbz+aE= golang.org/x/tools v0.0.0-20180917221912-90fa682c2a6e/go.mod h1:n7NCudcB/nEzxVGmLbDWY5pfWTLqBcC2KZ6jyYvM4mQ= -google.golang.org/protobuf v1.35.2 h1:8Ar7bF+apOIoThw1EdZl0p1oWvMqTHmpA2fRTyZO8io= -google.golang.org/protobuf v1.35.2/go.mod h1:9fA7Ob0pmnwhb644+1+CVWFRbNajQ6iRojtC/QF5bRE= gopkg.in/check.v1 v0.0.0-20161208181325-20d25e280405/go.mod h1:Co6ibVJAznAaIkqp8huTwlJQCZ016jof/cbN4VW5Yz0= gopkg.in/yaml.v3 v3.0.0-20200313102051-9f266ea9e77c/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= gopkg.in/yaml.v3 v3.0.1 h1:fxVm/GzAzEWqLHuvctI91KS9hhNmmWOoWu0XTYJS7CA= -gopkg.in/yaml.v3 v3.0.1/go.mod h1:K4uyk7z7BCEPqu6E+C64Yfv1cQ7kz7rIZviUmN+EgEM= gorm.io/driver/mysql v1.5.1 h1:WUEH5VF9obL/lTtzjmML/5e6VfFR/788coz2uaVCAZw= gorm.io/driver/mysql v1.5.1/go.mod h1:Jo3Xu7mMhCyj8dlrb3WoCaRd1FhsVh+yMXb1jUInf5o= gorm.io/driver/postgres v1.5.2 h1:ytTDxxEv+MplXOfFe3Lzm7SjG09fcdb3Z/c056DTBx0= diff --git a/graph.go b/graph.go deleted file mode 100644 index 1ca21b8..0000000 --- a/graph.go +++ /dev/null @@ -1,140 +0,0 @@ -// Copyright (c) 2024 Zeni Kim -// Use of this source code is governed by MIT-style -// license that can be found in the LICENSE file. - -package core - -import ( - "fmt" - "net/http" - "strconv" - "strings" - - "git.smarteching.com/zeni/go-chart/v2" - "github.com/julienschmidt/httprouter" -) - -func Graph(w http.ResponseWriter, r *http.Request, ps httprouter.Params) { - - // $_GET values - - service := ps.ByName("graph") - - if service != "" { - - //serv := strings.TrimPrefix(service, "/") - serv := strings.Split(service, "/") - - switch serv[1] { - - case "graph": - - kindg := serv[2] - - if kindg != "" { - - switch kindg { - // case graph pie - case "pie": - - queryValues := r.URL.Query() - labels := strings.Split(queryValues.Get("l"), "|") - values := strings.Split(queryValues.Get("v"), "|") - - qtyl := len(labels) - qtyv := len(values) - - // cjeck qty and equal values from url - if qtyl < 2 { - fmt.Fprintf(w, "Missing captions in pie") - return - } - if qtyv != qtyl { - fmt.Fprintf(w, "Labels and values mismatch") - return - } - - var cvalues []chart.Value - var row chart.Value - // fill values - for index, line := range labels { - valuefloat, _ := strconv.ParseFloat(values[index], 64) - row.Value = valuefloat - row.Label = line - cvalues = append(cvalues, row) - } - - pie := chart.PieChart{ - Width: 512, - Height: 512, - Values: cvalues, - } - w.Header().Set("Content-Type", "image/png") - err := pie.Render(chart.PNG, w) - if err != nil { - fmt.Printf("Error rendering pie chart: %v\n", err) - } - - // case graph bar - case "bar": - - queryValues := r.URL.Query() - labels := strings.Split(queryValues.Get("l"), "|") - values := strings.Split(queryValues.Get("v"), "|") - - qtyl := len(labels) - qtyv := len(values) - - // cjeck qty and equal values from url - if qtyl < 2 { - fmt.Fprintf(w, "Missing captions in pie") - return - } - if qtyv != qtyl { - fmt.Fprintf(w, "Labels and values mismatch") - return - } - - var cvalues []chart.Value - var row chart.Value - // fill values - for index, line := range labels { - valuefloat, _ := strconv.ParseFloat(values[index], 64) - row.Value = valuefloat - row.Label = line - cvalues = append(cvalues, row) - } - - bar := chart.BarChart{ - Height: 512, - BarWidth: 50, - Bars: cvalues, - } - w.Header().Set("Content-Type", "image/png") - err := bar.Render(chart.PNG, w) - if err != nil { - fmt.Printf("Error rendering pie chart: %v\n", err) - } - - default: - fmt.Fprintf(w, "Unknown graph %s!\n", kindg) - } - - } else { - fmt.Fprintf(w, "Kind graph not exists") - } - // - - default: - - fmt.Fprintf(w, "Unknown option in core service %s!\n", ps.ByName("serv")) - - } - fmt.Fprintf(w, "Service %s!\n", serv) - - } else { - - fmt.Fprintf(w, "Unknown core service %s!\n", ps.ByName("graph")) - } - -} diff --git a/queue.go b/queue.go deleted file mode 100644 index 905a6ed..0000000 --- a/queue.go +++ /dev/null @@ -1,52 +0,0 @@ -// Copyright (c) 2025 Zeni Kim -// Use of this source code is governed by MIT-style -// license that can be found in the LICENSE file. - -package core - -import ( - "context" - "fmt" - "log" - "os" - - "github.com/hibiken/asynq" -) - -type Asynqtask func(context.Context, *asynq.Task) error - -type Queuemux struct { - themux *asynq.ServeMux -} - -func (q *Queuemux) QueueInit() { - q.themux = asynq.NewServeMux() -} - -func (q *Queuemux) AddWork(pattern string, work Asynqtask) { - q.themux.HandleFunc(pattern, work) -} - -// RunQueueserver starts the queue server with predefined configurations and handles tasks using the assigned ServeMux. -// Configures the queue server with concurrency limits and priority-based queue management. -// Logs and terminates the program if the server fails to run. -func (q *Queuemux) RunQueueserver() { - - redisAddr := fmt.Sprintf("%v:%v", os.Getenv("REDIS_HOST"), os.Getenv("REDIS_PORT")) - - srv := asynq.NewServer( - asynq.RedisClientOpt{Addr: redisAddr}, - asynq.Config{Concurrency: 10, - // Optionally specify multiple queues with different priority. - Queues: map[string]int{ - "critical": 6, - "default": 3, - "low": 1, - }, - }, - ) - - if err := srv.Run(q.themux); err != nil { - log.Fatal(err) - } -} diff --git a/response.go b/response.go index d6202c7..7c03b15 100644 --- a/response.go +++ b/response.go @@ -11,7 +11,6 @@ import ( "net/http" ) -// Response represents an HTTP response to be sent to the client, including headers, body, status code, and metadata. type Response struct { headers []header body []byte @@ -23,34 +22,12 @@ type Response struct { HttpResponseWriter http.ResponseWriter } -// header represents a single HTTP header with a key-value pair. type header struct { key string val string } -// writes the contents of a buffer to the HTTP response with specified file name and type if not terminated. -func (rs *Response) BufferFile(name string, filetype string, b bytes.Buffer) *Response { - - if rs.isTerminated == false { - rs.HttpResponseWriter.Header().Add("Content-Type", filetype) - rs.HttpResponseWriter.Header().Add("Content-Disposition", "attachment; filename="+name) - b.WriteTo(rs.HttpResponseWriter) - } - return rs -} - -// writes the contents of a buffer to the HTTP response with specified file name and type if not terminated. -func (rs *Response) BufferInline(name string, filetype string, b bytes.Buffer) *Response { - - if rs.isTerminated == false { - rs.HttpResponseWriter.Header().Add("Content-Type", filetype) - b.WriteTo(rs.HttpResponseWriter) - } - return rs -} - -// sets the response's content type to HTML and assigns the provided body as the response body if not terminated. +// TODO add doc func (rs *Response) Any(body any) *Response { if rs.isTerminated == false { rs.contentType = CONTENT_TYPE_HTML @@ -60,7 +37,7 @@ func (rs *Response) Any(body any) *Response { return rs } -// sets the response's content type to JSON and assigns the provided string as the body if the response is not terminated. +// TODO add doc func (rs *Response) Json(body string) *Response { if rs.isTerminated == false { rs.contentType = CONTENT_TYPE_JSON @@ -69,7 +46,7 @@ func (rs *Response) Json(body string) *Response { return rs } -// sets the response's content type to plain text and assigns the provided string as the body if not terminated. +// TODO add doc func (rs *Response) Text(body string) *Response { if rs.isTerminated == false { rs.contentType = CONTENT_TYPE_TEXT @@ -78,7 +55,7 @@ func (rs *Response) Text(body string) *Response { return rs } -// sets the response's content type to HTML and assigns the provided string as the body if the response is not terminated. +// TODO add doc func (rs *Response) HTML(body string) *Response { if rs.isTerminated == false { rs.contentType = CONTENT_TYPE_HTML @@ -87,7 +64,7 @@ func (rs *Response) HTML(body string) *Response { return rs } -// renders the specified template with the provided data and writes the result to the HTTP response if not terminated. +// TODO add doc func (rs *Response) Template(name string, data interface{}) *Response { var buffer bytes.Buffer if rs.isTerminated == false { @@ -101,7 +78,7 @@ func (rs *Response) Template(name string, data interface{}) *Response { return rs } -// sets the response status code if the response is not yet terminated. Returns the updated Response object. +// TODO add doc func (rs *Response) SetStatusCode(code int) *Response { if rs.isTerminated == false { rs.statusCode = code @@ -110,7 +87,7 @@ func (rs *Response) SetStatusCode(code int) *Response { return rs } -// sets a custom content type for the response if it is not terminated. Returns the updated Response object. +// TODO add doc func (rs *Response) SetContentType(c string) *Response { if rs.isTerminated == false { rs.overrideContentType = c @@ -119,7 +96,7 @@ func (rs *Response) SetContentType(c string) *Response { return rs } -// adds or updates a header to the response if it is not terminated. Returns the updated Response object. +// TODO add doc func (rs *Response) SetHeader(key string, val string) *Response { if rs.isTerminated == false { h := header{ @@ -131,12 +108,10 @@ func (rs *Response) SetHeader(key string, val string) *Response { return rs } -// terminates the response processing, preventing any further modifications or actions. func (rs *Response) ForceSendResponse() { rs.isTerminated = true } -// updates the redirect URL for the response and returns the modified Response. Validates the URL before setting it. func (rs *Response) Redirect(url string) *Response { validator := resolveValidator() v := validator.Validate(map[string]interface{}{ @@ -156,7 +131,6 @@ func (rs *Response) Redirect(url string) *Response { return rs } -// converts various primitive data types to their string representation or triggers a panic for unsupported types. func (rs *Response) castBasicVarsToString(data interface{}) string { switch dataType := data.(type) { case string: @@ -214,7 +188,6 @@ func (rs *Response) castBasicVarsToString(data interface{}) string { } } -// reinitializes the Response object to its default state, clearing its body, headers, and resetting other properties. func (rs *Response) reset() { rs.body = nil rs.statusCode = http.StatusOK diff --git a/router.go b/router.go index 163f22a..24141b4 100644 --- a/router.go +++ b/router.go @@ -5,7 +5,6 @@ package core -// Route defines an HTTP route with a method, path, controller function, and optional hooks for customization. type Route struct { Method string Path string @@ -13,15 +12,12 @@ type Route struct { Hooks []Hook } -// Router represents a structure for storing and managing routes in the application. type Router struct { Routes []Route } -// router is a global instance of the Router struct used to manage and resolve application routes. var router *Router -// NewRouter initializes and returns a new Router instance with an empty slice of routes. func NewRouter() *Router { router = &Router{ []Route{}, @@ -29,12 +25,10 @@ func NewRouter() *Router { return router } -// ResolveRouter returns the singleton instance of the Router. It initializes and manages HTTP routes configuration. func ResolveRouter() *Router { return router } -// Get registers a GET route with the specified path, controller, and optional hooks, returning the updated Router. func (r *Router) Get(path string, controller Controller, hooks ...Hook) *Router { r.Routes = append(r.Routes, Route{ Method: GET, @@ -45,7 +39,6 @@ func (r *Router) Get(path string, controller Controller, hooks ...Hook) *Router return r } -// Post registers a route with the HTTP POST method, associating it with the given path, controller, and optional hooks. func (r *Router) Post(path string, controller Controller, hooks ...Hook) *Router { r.Routes = append(r.Routes, Route{ Method: POST, @@ -56,7 +49,6 @@ func (r *Router) Post(path string, controller Controller, hooks ...Hook) *Router return r } -// Delete registers a DELETE HTTP method route with the specified path, controller, and optional hooks. func (r *Router) Delete(path string, controller Controller, hooks ...Hook) *Router { r.Routes = append(r.Routes, Route{ Method: DELETE, @@ -67,7 +59,6 @@ func (r *Router) Delete(path string, controller Controller, hooks ...Hook) *Rout return r } -// Patch registers a new route with the HTTP PATCH method, a specified path, a controller, and optional hooks. func (r *Router) Patch(path string, controller Controller, hooks ...Hook) *Router { r.Routes = append(r.Routes, Route{ Method: PATCH, @@ -78,7 +69,6 @@ func (r *Router) Patch(path string, controller Controller, hooks ...Hook) *Route return r } -// Put registers a new route with the HTTP PUT method, associating it to the given path, controller, and optional hooks. func (r *Router) Put(path string, controller Controller, hooks ...Hook) *Router { r.Routes = append(r.Routes, Route{ Method: PUT, @@ -89,7 +79,6 @@ func (r *Router) Put(path string, controller Controller, hooks ...Hook) *Router return r } -// Options registers a new route with the OPTIONS HTTP method, a specified path, controller, and optional hooks. func (r *Router) Options(path string, controller Controller, hooks ...Hook) *Router { r.Routes = append(r.Routes, Route{ Method: OPTIONS, @@ -100,7 +89,6 @@ func (r *Router) Options(path string, controller Controller, hooks ...Hook) *Rou return r } -// Head registers a route with the HTTP HEAD method, associates it with a path, controller, and optional hooks. func (r *Router) Head(path string, controller Controller, hooks ...Hook) *Router { r.Routes = append(r.Routes, Route{ Method: HEAD, @@ -111,7 +99,6 @@ func (r *Router) Head(path string, controller Controller, hooks ...Hook) *Router return r } -// GetRoutes returns a slice of Route objects currently registered within the Router. func (r *Router) GetRoutes() []Route { return r.Routes } diff --git a/template/components/button.go b/template/components/button.go new file mode 100644 index 0000000..0c52a38 --- /dev/null +++ b/template/components/button.go @@ -0,0 +1,10 @@ +package components + +type Button struct { + Text string + Link string + Icon string + IsSubmit bool + IsPrimary bool + IsDisabled bool +} diff --git a/template/components/button.html b/template/components/button.html new file mode 100644 index 0000000..6590905 --- /dev/null +++ b/template/components/button.html @@ -0,0 +1,22 @@ +{{define "button"}} + +{{end}} \ No newline at end of file diff --git a/template/components/content_badge.go b/template/components/content_badge.go deleted file mode 100644 index 7da7147..0000000 --- a/template/components/content_badge.go +++ /dev/null @@ -1,7 +0,0 @@ -package components - -type ContentBadge struct { - Text string - TypeClass string // type primary, secondary, success, danger, warning, info, light, dark, (default secondary) - IsOutline bool -} diff --git a/template/components/content_badge.html b/template/components/content_badge.html deleted file mode 100644 index 6f72cf7..0000000 --- a/template/components/content_badge.html +++ /dev/null @@ -1,7 +0,0 @@ -{{define "content_badge"}} - {{.Text}} -{{end}} \ No newline at end of file diff --git a/template/components/content_dropdown.go b/template/components/content_dropdown.go deleted file mode 100644 index 65eb21f..0000000 --- a/template/components/content_dropdown.go +++ /dev/null @@ -1,17 +0,0 @@ -package components - -type ContentDropdown struct { - ID string - Label string - TypeClass string // type primary, secondary, success, danger, warning, info, light, dark, link, outline-primary - IsDisabled bool - Items []ContentDropdownItem -} - -type ContentDropdownItem struct { - Text string - Link string - ID string - IsDisabled bool - IsActive bool -} diff --git a/template/components/content_dropdown.html b/template/components/content_dropdown.html deleted file mode 100644 index 458a423..0000000 --- a/template/components/content_dropdown.html +++ /dev/null @@ -1,16 +0,0 @@ -{{define "content_dropdown_item"}} -
  • {{.Text}}
  • -{{end}} - -{{define "content_dropdown"}} - -{{end}} \ No newline at end of file diff --git a/template/components/content_graph.go b/template/components/content_graph.go deleted file mode 100644 index 3c01f97..0000000 --- a/template/components/content_graph.go +++ /dev/null @@ -1,8 +0,0 @@ -package components - -type ContentGraph struct { - Graph string // pie, bar - Labels string - Values string - Alt string -} diff --git a/template/components/content_graph.html b/template/components/content_graph.html deleted file mode 100644 index 4664137..0000000 --- a/template/components/content_graph.html +++ /dev/null @@ -1,3 +0,0 @@ -{{define "content_graph"}} - {{.Alt}} -{{end}} \ No newline at end of file diff --git a/template/components/content_href.go b/template/components/content_href.go deleted file mode 100644 index 99cc6be..0000000 --- a/template/components/content_href.go +++ /dev/null @@ -1,11 +0,0 @@ -package components - -type ContentHref struct { - Text string - Link string - Target string // _blank _parent _self _top - Icon string - IsButton bool - TypeClass string // type primary, secondary, success, danger, warning, info, light, dark, link - IsDisabled bool -} diff --git a/template/components/content_href.html b/template/components/content_href.html deleted file mode 100644 index 8537874..0000000 --- a/template/components/content_href.html +++ /dev/null @@ -1,7 +0,0 @@ -{{define "content_href"}} - - {{.Text}} - -{{end}} \ No newline at end of file diff --git a/template/components/content_list.go b/template/components/content_list.go deleted file mode 100644 index 34bfb49..0000000 --- a/template/components/content_list.go +++ /dev/null @@ -1,19 +0,0 @@ -package components - -type ContentList struct { - Items []ContentListItem -} - -type ContentListItem struct { - Text string - Description string - EndElement string - //Link string - TypeClass string // primary, secondary, success, danger, warning, info, light, dark - IsDisabled bool - //IsActive bool -} - -//link -//border -// badge diff --git a/template/components/content_list.html b/template/components/content_list.html deleted file mode 100644 index 31af60b..0000000 --- a/template/components/content_list.html +++ /dev/null @@ -1,14 +0,0 @@ -{{define "content_list"}} -
      - {{ range .Items}} -
    • {{.Text}}

      {{.EndElement}}
      - {{.Description}} -
    • - {{end}} -
    - - - -{{end}} \ No newline at end of file diff --git a/template/components/content_pagination.go b/template/components/content_pagination.go deleted file mode 100644 index 87434a2..0000000 --- a/template/components/content_pagination.go +++ /dev/null @@ -1,9 +0,0 @@ -package components - -type ContentPagination struct { - PageStartRecord int - PageEndRecord int - TotalRecords int - PrevLink string - NextLink string -} diff --git a/template/components/content_pagination.html b/template/components/content_pagination.html deleted file mode 100644 index a51e09d..0000000 --- a/template/components/content_pagination.html +++ /dev/null @@ -1,10 +0,0 @@ -{{define "content_pagination"}} -
    -
      -
    • {{.PageStartRecord}} - {{.PageEndRecord}} of {{.TotalRecords}}
    • -
    •  
    • -
    • «
    • -
    • »
    • -
    -
    -{{end}} \ No newline at end of file diff --git a/template/components/content_table.go b/template/components/content_table.go deleted file mode 100644 index 5c6a21b..0000000 --- a/template/components/content_table.go +++ /dev/null @@ -1,21 +0,0 @@ -package components - -type ContentTable struct { - ID string - TableClass string // table-primary, table-secondary,.. table-striped table-bordered - HeadClass string // table-dark table-light - AllTH []ContentTableTH - AllTD [][]ContentTableTD -} - -type ContentTableTH struct { - ID string - ValueType string // -> default string, href, badge, list, checkbox - Value string -} - -type ContentTableTD struct { - ID string - Value interface{} // string or component struct according ValueType - ValueClass string -} diff --git a/template/components/content_table.html b/template/components/content_table.html deleted file mode 100644 index 36f9b8b..0000000 --- a/template/components/content_table.html +++ /dev/null @@ -1,31 +0,0 @@ -{{define "content_table"}} - - - - {{range $index, $col := .AllTH}}{{end}} - - - - {{- range .AllTD}} - {{range $index, $item := .}} - {{end}} - {{- end}} - -
    {{ $col.Value }}
    - {{ with $x := index $.AllTH $index }} - {{ if eq $x.ValueType "href"}} - {{template "content_href" $item.Value}} - {{ else if eq $x.ValueType "badge"}} - {{template "content_badge" $item.Value}} - {{ else if eq $x.ValueType "list"}} - {{template "content_list" $item.Value}} - {{ else if eq $x.ValueType "checkbox"}} - {{template "form_checkbox" $item.Value}} - {{ else if eq $x.ValueType "image"}} - - {{ else }} - {{ $item.Value }} - {{end}} - {{end}} -
    -{{end}} diff --git a/template/components/content_tabledetail.go b/template/components/content_tabledetail.go deleted file mode 100644 index 61848b8..0000000 --- a/template/components/content_tabledetail.go +++ /dev/null @@ -1,16 +0,0 @@ -package components - -type ContentTabledetail struct { - ID string - TableClass string // table-primary, table-secondary,.. table-striped table-bordered - HeadClass string // table-dark table-light - Title string - AllTD []ContentTabledetailTD -} - -type ContentTabledetailTD struct { - ID string - Caption string - ValueType string // -> default string, href, badge - Value interface{} // string or component struct according ValueType -} diff --git a/template/components/content_tabledetail.html b/template/components/content_tabledetail.html deleted file mode 100644 index 636191c..0000000 --- a/template/components/content_tabledetail.html +++ /dev/null @@ -1,29 +0,0 @@ -{{define "content_tabledetail"}} - - {{$stylecell := "table-success"}} - {{if .HeadClass }}{{$stylecell = .HeadClass}}{{end}} - {{if .Title }} - - - - - - {{end}} - - {{range $item := .AllTD}} - - - - - {{end}} - -
    {{ .Title }}
    {{ $item.Caption }} - {{ if eq $item.ValueType "href"}} - {{template "content_href" $item.Value}} - {{ else if eq $item.ValueType "badge"}} - {{template "content_badge" $item.Value}} - {{ else }} - {{ $item.Value }} - {{end}} -
    -{{end}} diff --git a/template/components/form_button.go b/template/components/form_button.go deleted file mode 100644 index 4b451bf..0000000 --- a/template/components/form_button.go +++ /dev/null @@ -1,11 +0,0 @@ -package components - -type FormButton struct { - ID string - Value string - Text string - Icon string - IsSubmit bool - TypeClass string // type primary, secondary, success, danger, warning, info, light, dark, link, outline-primary - IsDisabled bool -} diff --git a/template/components/form_button.html b/template/components/form_button.html deleted file mode 100644 index b58a9ed..0000000 --- a/template/components/form_button.html +++ /dev/null @@ -1,20 +0,0 @@ -{{define "form_button"}} - - - {{if eq .Icon "gear"}} - - - - - {{else if eq .Icon "arrow-right"}} - - - - {{else if eq .Icon "plus"}} - - - - {{end}} -{{end}} \ No newline at end of file diff --git a/template/components/form_checkbox.go b/template/components/form_checkbox.go deleted file mode 100644 index 819da82..0000000 --- a/template/components/form_checkbox.go +++ /dev/null @@ -1,14 +0,0 @@ -package components - -type FormCheckbox struct { - Label string - AllCheckbox []FormCheckboxItem -} - -type FormCheckboxItem struct { - ID string - Name string - Value string - Label string - IsChecked bool -} diff --git a/template/components/form_checkbox.html b/template/components/form_checkbox.html deleted file mode 100644 index 992cff0..0000000 --- a/template/components/form_checkbox.html +++ /dev/null @@ -1,11 +0,0 @@ -{{define "form_checkbox"}} -
    - {{ if .Label }}{{end}} - {{range $options := .AllCheckbox}} -
    - - -
    - {{end}} -
    -{{end}} \ No newline at end of file diff --git a/template/components/form_input.go b/template/components/form_input.go deleted file mode 100644 index 0ee8150..0000000 --- a/template/components/form_input.go +++ /dev/null @@ -1,20 +0,0 @@ -package components - -type FormInput struct { - ID string - Label string - Type string - Placeholder string - Value string - Hint string - Error string - IsDisabled bool - Autocomplete bool - IsRequired bool - CustomAtt []CustomAtt -} - -type CustomAtt struct { - AttName string - AttValue string -} diff --git a/template/components/form_input.html b/template/components/form_input.html deleted file mode 100644 index adf33e8..0000000 --- a/template/components/form_input.html +++ /dev/null @@ -1,26 +0,0 @@ -{{define "form_input"}} -
    - - - {{if ne .Hint ""}}{{.Hint}}{{end}} - {{if ne .Error ""}}
    {{.Error}}
    {{end}} -
    -{{end}} \ No newline at end of file diff --git a/template/components/form_radio.go b/template/components/form_radio.go deleted file mode 100644 index e8e923c..0000000 --- a/template/components/form_radio.go +++ /dev/null @@ -1,15 +0,0 @@ -package components - -type FormRadio struct { - Label string - AllRadios []FormRadioItem -} - -type FormRadioItem struct { - ID string - Name string - Value string - Label string - IsDisabled bool - IsChecked bool -} diff --git a/template/components/form_radio.html b/template/components/form_radio.html deleted file mode 100644 index a0c26cd..0000000 --- a/template/components/form_radio.html +++ /dev/null @@ -1,11 +0,0 @@ -{{define "form_radio"}} -
    - - {{range $options := .AllRadios}} -
    - - -
    - {{end}} -
    -{{end}} \ No newline at end of file diff --git a/template/components/form_select.go b/template/components/form_select.go deleted file mode 100644 index ea10ea5..0000000 --- a/template/components/form_select.go +++ /dev/null @@ -1,14 +0,0 @@ -package components - -type FormSelect struct { - ID string - SelectedOption FormSelectOption - Label string - AllOptions []FormSelectOption - IsMultiple bool -} - -type FormSelectOption struct { - Value string - Caption string -} diff --git a/template/components/form_select.html b/template/components/form_select.html deleted file mode 100644 index eb222e5..0000000 --- a/template/components/form_select.html +++ /dev/null @@ -1,10 +0,0 @@ -{{define "form_select"}} -
    - - -
    -{{end}} \ No newline at end of file diff --git a/template/components/form_switch.go b/template/components/form_switch.go deleted file mode 100644 index 9d43744..0000000 --- a/template/components/form_switch.go +++ /dev/null @@ -1,8 +0,0 @@ -package components - -type FormSwitch struct { - ID string - Label string - IsChecked bool - IsDisabled bool -} diff --git a/template/components/form_switch.html b/template/components/form_switch.html deleted file mode 100644 index 4841ffe..0000000 --- a/template/components/form_switch.html +++ /dev/null @@ -1,7 +0,0 @@ -{{define "form_switch"}} - -
    - - -
    -{{end}} diff --git a/template/components/form_textarea.go b/template/components/form_textarea.go deleted file mode 100644 index 818ae02..0000000 --- a/template/components/form_textarea.go +++ /dev/null @@ -1,7 +0,0 @@ -package components - -type FormTextarea struct { - ID string - Label string - Value string -} diff --git a/template/components/form_textarea.html b/template/components/form_textarea.html deleted file mode 100644 index 23559ab..0000000 --- a/template/components/form_textarea.html +++ /dev/null @@ -1,6 +0,0 @@ -{{define "form_textarea"}} -
    - - -
    -{{end}} \ No newline at end of file diff --git a/template/components/head.html b/template/components/head.html new file mode 100644 index 0000000..cecc5ed --- /dev/null +++ b/template/components/head.html @@ -0,0 +1,8 @@ +{{define "head"}} + + + + {{.}} | Goffee + + +{{end}} \ No newline at end of file diff --git a/template/components/page_card.go b/template/components/page_card.go deleted file mode 100644 index 7f9b504..0000000 --- a/template/components/page_card.go +++ /dev/null @@ -1,8 +0,0 @@ -package components - -type PageCard struct { - CardTitle string - CardSubTitle string - CardBody string - CardLink string -} diff --git a/template/components/page_card.html b/template/components/page_card.html deleted file mode 100644 index 9ef8821..0000000 --- a/template/components/page_card.html +++ /dev/null @@ -1,11 +0,0 @@ -{{define "page_card"}} -
    -
    - {{if .CardTitle}}
    {{.CardTitle}}
    {{end}} - {{if .CardSubTitle}}
    {{.CardSubTitle}}
    {{end}} - {{if .CardBody}}

    {{.CardBody}}

    {{end}} - {{block "page_card_content" .}}{{end}} - {{if .CardLink}}Card link{{end}} -
    -
    -{{end}} \ No newline at end of file diff --git a/template/components/page_footer.html b/template/components/page_footer.html deleted file mode 100644 index 6421f3e..0000000 --- a/template/components/page_footer.html +++ /dev/null @@ -1,7 +0,0 @@ -{{define "page_footer"}} -
    - -
    - - -{{end}} \ No newline at end of file diff --git a/template/components/page_head.html b/template/components/page_head.html deleted file mode 100644 index e589e84..0000000 --- a/template/components/page_head.html +++ /dev/null @@ -1,11 +0,0 @@ -{{define "page_head"}} - - - - - {{.}} | Goffee - - - - -{{end}} \ No newline at end of file diff --git a/template/components/page_nav.go b/template/components/page_nav.go deleted file mode 100644 index 671e79a..0000000 --- a/template/components/page_nav.go +++ /dev/null @@ -1,17 +0,0 @@ -package components - -type PageNav struct { - NavClass string // nav-pills, nav-underline - NavItems []PageNavItem - IsVertical bool - IsTab bool -} - -type PageNavItem struct { - Text string - Link string - ID string - IsDisabled bool - IsActive bool - ChildItems []PageNavItem -} diff --git a/template/components/page_nav.html b/template/components/page_nav.html deleted file mode 100644 index 354dd55..0000000 --- a/template/components/page_nav.html +++ /dev/null @@ -1,28 +0,0 @@ -{{define "page_nav"}} - -{{end}} diff --git a/template/components/page_page.html b/template/components/page_page.html deleted file mode 100644 index 2c83582..0000000 --- a/template/components/page_page.html +++ /dev/null @@ -1,14 +0,0 @@ - - - {{template "page_head" "Goffee"}} - -
    - {{block "page_content" .}} -
    -

    Use this file as base inside cup application

    -
    - {{end}} - {{template "page_footer"}} -
    - - \ No newline at end of file diff --git a/template/components/title.go b/template/components/title.go new file mode 100644 index 0000000..0e68b6a --- /dev/null +++ b/template/components/title.go @@ -0,0 +1,5 @@ +package components + +type Title struct { + Label string +} diff --git a/template/components/title.html b/template/components/title.html new file mode 100644 index 0000000..eef5bf3 --- /dev/null +++ b/template/components/title.html @@ -0,0 +1,5 @@ +{{define "title"}} +
    +

    {{.Label}}

    +
    +{{end}} \ No newline at end of file diff --git a/validator.go b/validator.go index ba4d8a2..7d8eac8 100644 --- a/validator.go +++ b/validator.go @@ -33,14 +33,18 @@ func (v *Validator) Validate(data map[string]interface{}, rules map[string]inter vr = validationResult{} vr.hasFailed = false res := map[string]string{} - for rule_key, rule_val := range rules { - rls, err := parseRules(rule_val) + for key, val := range data { + _, ok := rules[key] + if !ok { + continue + } + rls, err := parseRules(rules[key]) if err != nil { panic(err.Error()) } - err = validation.Validate(data[rule_key], rls...) + err = validation.Validate(val, rls...) if err != nil { - res[rule_key] = fmt.Sprintf("%v: %v", rule_key, err.Error()) + res[key] = fmt.Sprintf("%v: %v", key, err.Error()) } }