forked from goffee/core
Compare commits
59 commits
Author | SHA1 | Date | |
---|---|---|---|
259f2f4b79 | |||
cc8c79fe3d | |||
db3c510f9a | |||
1a39c666a3 | |||
790c840f76 | |||
a71b3697b6 | |||
530a1171e6 | |||
3b6fa12911 | |||
9816e58e7c | |||
695f1f57ba | |||
1b23363f6f | |||
0db37d31b8 | |||
deb119db84 | |||
b274d3268f | |||
4968da25f3 | |||
0afafd8c41 | |||
90564daa5b | |||
23753fc72f | |||
a970ada00b | |||
92f76c5f33 | |||
2076b4b35b | |||
![]() |
5d737c6b10 | ||
3d0c238934 | |||
5896e6e617 | |||
8950cb539a | |||
b87e0113c9 | |||
1657c19cc4 | |||
95a37c9aca | |||
852d647f09 | |||
a390b5a02f | |||
f07131086a | |||
00adaed6a8 | |||
2a4a092cb2 | |||
cd04230f29 | |||
7c92148ae4 | |||
59ea47dcd6 | |||
789a157571 | |||
cf8b3bdde7 | |||
7218f26d68 | |||
8eb14bd2da | |||
b9cd82867b | |||
00b8012edf | |||
be138b2fb4 | |||
cc74165659 | |||
bf84e14bb1 | |||
458ad520ca | |||
f398ebb02d | |||
a904773bab | |||
05bd3a01ee | |||
45e7079005 | |||
1c1740d97b | |||
7073cd1c21 | |||
bfde0cc445 | |||
8f17bf6a8c | |||
015e85bf7b | |||
da7925ae08 | |||
2bffdcdcf7 | |||
edc0c0c036 | |||
a82b6812e3 |
55 changed files with 1209 additions and 96 deletions
3
.gitignore
vendored
3
.gitignore
vendored
|
@ -1,2 +1,3 @@
|
|||
tmp
|
||||
.DS_STore
|
||||
.DS_STore
|
||||
.idea
|
||||
|
|
|
@ -1,4 +1,3 @@
|
|||
# GoCondor Core
|
||||
  [](https://coveralls.io/github/gocondor/core?branch=main&cache=false) [](https://godoc.org/github.com/gocondor/core) [](https://goreportcard.com/report/github.com/gocondor/core)
|
||||
# Goffee Core
|
||||
|
||||
The core packages of GoCondor framework
|
||||
The core packages of Goffee framework
|
||||
|
|
8
cache.go
8
cache.go
|
@ -16,6 +16,9 @@ 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")
|
||||
|
@ -40,6 +43,7 @@ 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 {
|
||||
|
@ -48,6 +52,8 @@ 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 {
|
||||
|
@ -56,6 +62,7 @@ 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 {
|
||||
|
@ -64,6 +71,7 @@ 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 {
|
||||
|
|
|
@ -22,6 +22,10 @@ type GormConfig struct {
|
|||
EnableGorm bool
|
||||
}
|
||||
|
||||
type QueueConfig struct {
|
||||
EnableQueue bool
|
||||
}
|
||||
|
||||
type CacheConfig struct {
|
||||
EnableCache bool
|
||||
}
|
||||
|
|
|
@ -11,6 +11,9 @@ 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!"
|
||||
|
|
78
context.go
78
context.go
|
@ -19,6 +19,7 @@ import (
|
|||
"syscall"
|
||||
|
||||
"git.smarteching.com/goffee/core/logger"
|
||||
"github.com/hibiken/asynq"
|
||||
"gorm.io/gorm"
|
||||
)
|
||||
|
||||
|
@ -68,38 +69,95 @@ 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) GetUploadedFile(name string) *UploadedFileInfo {
|
||||
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) {
|
||||
file, fileHeader, err := c.Request.httpRequest.FormFile(name)
|
||||
if err != nil {
|
||||
panic(fmt.Sprintf("error with file,[%v]", err.Error()))
|
||||
return nil, fmt.Errorf("error retrieving file: %v", err)
|
||||
}
|
||||
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 {
|
||||
panic(fmt.Sprintf("error with file,[%v]", err.Error()))
|
||||
return nil, fmt.Errorf("error creating temporary file: %v", err)
|
||||
}
|
||||
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 {
|
||||
panic("error with uploaded file")
|
||||
return nil, fmt.Errorf("error reading uploaded file: %v", err)
|
||||
}
|
||||
if n == 0 {
|
||||
break
|
||||
}
|
||||
n, _ = tmpFile.Write(buff[:n])
|
||||
_, err = tmpFile.Write(buff[:n])
|
||||
if err != nil {
|
||||
return nil, fmt.Errorf("error writing to temporary file: %v", err)
|
||||
}
|
||||
}
|
||||
|
||||
// Get file info for the temporary file
|
||||
tmpFileInfo, err := os.Stat(tmpFilePath)
|
||||
if err != nil {
|
||||
panic(fmt.Sprintf("error with file,[%v]", err.Error()))
|
||||
return nil, fmt.Errorf("error getting file info: %v", err)
|
||||
}
|
||||
defer tmpFile.Close()
|
||||
|
||||
uploadedFileInfo := &UploadedFileInfo{
|
||||
FullPath: tmpFilePath,
|
||||
Name: fileHeader.Filename,
|
||||
|
@ -107,7 +165,7 @@ func (c *Context) GetUploadedFile(name string) *UploadedFileInfo {
|
|||
Extension: ext,
|
||||
Size: int(tmpFileInfo.Size()),
|
||||
}
|
||||
return uploadedFileInfo
|
||||
return uploadedFileInfo, nil
|
||||
}
|
||||
|
||||
func (c *Context) MoveFile(sourceFilePath string, destFolderPath string) error {
|
||||
|
@ -136,7 +194,7 @@ func (c *Context) MoveFile(sourceFilePath string, destFolderPath string) error {
|
|||
for {
|
||||
n, err := srcFile.Read(buff)
|
||||
if err != nil && err != io.EOF {
|
||||
panic(fmt.Sprintf("error moving file %v", sourceFilePath))
|
||||
return fmt.Errorf("error moving file: %v", sourceFilePath)
|
||||
}
|
||||
if n == 0 {
|
||||
break
|
||||
|
@ -180,7 +238,7 @@ func (c *Context) CopyFile(sourceFilePath string, destFolderPath string) error {
|
|||
for {
|
||||
n, err := srcFile.Read(buff)
|
||||
if err != nil && err != io.EOF {
|
||||
panic(fmt.Sprintf("error moving file %v", sourceFilePath))
|
||||
return fmt.Errorf("error moving file: %v", sourceFilePath)
|
||||
}
|
||||
if n == 0 {
|
||||
break
|
||||
|
|
285
cookies.go
Normal file
285
cookies.go
Normal file
|
@ -0,0 +1,285 @@
|
|||
// Copyright (c) 2024 Zeni Kim <zenik@smarteching.com>
|
||||
// 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
|
||||
}
|
98
core.go
98
core.go
|
@ -36,15 +36,20 @@ 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
|
||||
|
@ -52,8 +57,10 @@ 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{},
|
||||
|
@ -65,24 +72,29 @@ 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 == "" {
|
||||
|
@ -92,15 +104,13 @@ 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 {
|
||||
// add public path
|
||||
publicPath := os.Getenv("TEMPLATE_PUBLIC")
|
||||
router.ServeFiles("/public/*filepath", http.Dir(publicPath))
|
||||
router.ServeFiles("/public/*filepath", http.Dir("storage/public"))
|
||||
}
|
||||
|
||||
useHttpsStr := os.Getenv("App_USE_HTTPS")
|
||||
|
@ -109,11 +119,13 @@ func (app *App) Run(router *httprouter.Router) {
|
|||
}
|
||||
useHttps, _ := strconv.ParseBool(useHttpsStr)
|
||||
|
||||
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)
|
||||
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)
|
||||
}
|
||||
}
|
||||
|
||||
// check if use letsencrypt
|
||||
|
@ -155,6 +167,9 @@ 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{}
|
||||
|
@ -178,11 +193,25 @@ 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,
|
||||
|
@ -206,11 +235,13 @@ 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)
|
||||
}
|
||||
|
@ -223,12 +254,13 @@ 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.StatusPermanentRedirect)
|
||||
http.Redirect(w, r, ctx.Response.redirectTo, http.StatusTemporaryRedirect)
|
||||
} else {
|
||||
w.Write(ctx.Response.body)
|
||||
}
|
||||
|
@ -243,9 +275,13 @@ 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\"}"
|
||||
|
@ -255,6 +291,7 @@ 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\"}"
|
||||
|
@ -264,6 +301,7 @@ 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)
|
||||
|
@ -298,10 +336,12 @@ 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)
|
||||
|
@ -318,14 +358,17 @@ 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 {
|
||||
|
@ -336,6 +379,7 @@ 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 {
|
||||
|
@ -346,6 +390,7 @@ 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 {
|
||||
|
@ -361,6 +406,7 @@ 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 {
|
||||
|
@ -370,6 +416,8 @@ 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 {
|
||||
|
@ -380,6 +428,9 @@ 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") {
|
||||
|
@ -404,6 +455,7 @@ 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
|
||||
|
@ -412,6 +464,8 @@ 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 {
|
||||
|
@ -422,6 +476,8 @@ 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"),
|
||||
|
@ -435,6 +491,8 @@ 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"),
|
||||
|
@ -454,6 +512,9 @@ 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")
|
||||
|
@ -477,6 +538,7 @@ 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{}
|
||||
|
@ -484,6 +546,7 @@ 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{}
|
||||
|
@ -491,6 +554,7 @@ 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 {
|
||||
|
@ -519,6 +583,7 @@ 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()
|
||||
|
@ -526,6 +591,7 @@ 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
|
||||
|
@ -533,6 +599,7 @@ 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)
|
||||
|
@ -541,26 +608,37 @@ 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
|
||||
}
|
||||
|
|
17
go.mod
17
go.mod
|
@ -4,16 +4,17 @@ replace git.smarteching.com/goffee/core/logger => ./logger
|
|||
|
||||
replace git.smarteching.com/goffee/core/env => ./env
|
||||
|
||||
go 1.20
|
||||
go 1.23.1
|
||||
|
||||
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.3.0
|
||||
github.com/google/uuid v1.6.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.0.5
|
||||
github.com/redis/go-redis/v9 v9.7.0
|
||||
golang.org/x/crypto v0.11.0
|
||||
gorm.io/driver/mysql v1.5.1
|
||||
gorm.io/driver/postgres v1.5.2
|
||||
|
@ -26,6 +27,8 @@ require (
|
|||
github.com/asaskevich/govalidator v0.0.0-20230301143203-a9d515a09cc2 // 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
|
||||
|
@ -35,10 +38,16 @@ 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/text v0.11.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
|
||||
)
|
||||
|
||||
require (
|
||||
|
|
30
go.sum
30
go.sum
|
@ -1,3 +1,5 @@
|
|||
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=
|
||||
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=
|
||||
|
@ -5,7 +7,9 @@ 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=
|
||||
|
@ -31,11 +35,17 @@ 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=
|
||||
|
@ -73,31 +83,47 @@ 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=
|
||||
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.11.0 h1:LAntKIrcmeSKERyiOh0XMV39LXS8IE9UL2yP7+f5ij4=
|
||||
golang.org/x/text v0.11.0/go.mod h1:TvPlkZtksWOMsz7fbANvkp4WM8x/WCo/om8BMLbz+aE=
|
||||
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/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=
|
||||
|
|
140
graph.go
Normal file
140
graph.go
Normal file
|
@ -0,0 +1,140 @@
|
|||
// Copyright (c) 2024 Zeni Kim <zenik@smarteching.com>
|
||||
// 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"))
|
||||
}
|
||||
|
||||
}
|
52
queue.go
Normal file
52
queue.go
Normal file
|
@ -0,0 +1,52 @@
|
|||
// Copyright (c) 2025 Zeni Kim <zenik@smarteching.com>
|
||||
// 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)
|
||||
}
|
||||
}
|
43
response.go
43
response.go
|
@ -11,6 +11,7 @@ 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
|
||||
|
@ -22,12 +23,34 @@ type Response struct {
|
|||
HttpResponseWriter http.ResponseWriter
|
||||
}
|
||||
|
||||
// header represents a single HTTP header with a key-value pair.
|
||||
type header struct {
|
||||
key string
|
||||
val string
|
||||
}
|
||||
|
||||
// TODO add doc
|
||||
// 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.
|
||||
func (rs *Response) Any(body any) *Response {
|
||||
if rs.isTerminated == false {
|
||||
rs.contentType = CONTENT_TYPE_HTML
|
||||
|
@ -37,7 +60,7 @@ func (rs *Response) Any(body any) *Response {
|
|||
return rs
|
||||
}
|
||||
|
||||
// TODO add doc
|
||||
// sets the response's content type to JSON and assigns the provided string as the body if the response is not terminated.
|
||||
func (rs *Response) Json(body string) *Response {
|
||||
if rs.isTerminated == false {
|
||||
rs.contentType = CONTENT_TYPE_JSON
|
||||
|
@ -46,7 +69,7 @@ func (rs *Response) Json(body string) *Response {
|
|||
return rs
|
||||
}
|
||||
|
||||
// TODO add doc
|
||||
// sets the response's content type to plain text and assigns the provided string as the body if not terminated.
|
||||
func (rs *Response) Text(body string) *Response {
|
||||
if rs.isTerminated == false {
|
||||
rs.contentType = CONTENT_TYPE_TEXT
|
||||
|
@ -55,7 +78,7 @@ func (rs *Response) Text(body string) *Response {
|
|||
return rs
|
||||
}
|
||||
|
||||
// TODO add doc
|
||||
// sets the response's content type to HTML and assigns the provided string as the body if the response is not terminated.
|
||||
func (rs *Response) HTML(body string) *Response {
|
||||
if rs.isTerminated == false {
|
||||
rs.contentType = CONTENT_TYPE_HTML
|
||||
|
@ -64,7 +87,7 @@ func (rs *Response) HTML(body string) *Response {
|
|||
return rs
|
||||
}
|
||||
|
||||
// TODO add doc
|
||||
// renders the specified template with the provided data and writes the result to the HTTP response if not terminated.
|
||||
func (rs *Response) Template(name string, data interface{}) *Response {
|
||||
var buffer bytes.Buffer
|
||||
if rs.isTerminated == false {
|
||||
|
@ -78,7 +101,7 @@ func (rs *Response) Template(name string, data interface{}) *Response {
|
|||
return rs
|
||||
}
|
||||
|
||||
// TODO add doc
|
||||
// sets the response status code if the response is not yet terminated. Returns the updated Response object.
|
||||
func (rs *Response) SetStatusCode(code int) *Response {
|
||||
if rs.isTerminated == false {
|
||||
rs.statusCode = code
|
||||
|
@ -87,7 +110,7 @@ func (rs *Response) SetStatusCode(code int) *Response {
|
|||
return rs
|
||||
}
|
||||
|
||||
// TODO add doc
|
||||
// sets a custom content type for the response if it is not terminated. Returns the updated Response object.
|
||||
func (rs *Response) SetContentType(c string) *Response {
|
||||
if rs.isTerminated == false {
|
||||
rs.overrideContentType = c
|
||||
|
@ -96,7 +119,7 @@ func (rs *Response) SetContentType(c string) *Response {
|
|||
return rs
|
||||
}
|
||||
|
||||
// TODO add doc
|
||||
// adds or updates a header to the response if it is not terminated. Returns the updated Response object.
|
||||
func (rs *Response) SetHeader(key string, val string) *Response {
|
||||
if rs.isTerminated == false {
|
||||
h := header{
|
||||
|
@ -108,10 +131,12 @@ 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{}{
|
||||
|
@ -131,6 +156,7 @@ 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:
|
||||
|
@ -188,6 +214,7 @@ 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
|
||||
|
|
13
router.go
13
router.go
|
@ -5,6 +5,7 @@
|
|||
|
||||
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
|
||||
|
@ -12,12 +13,15 @@ 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{},
|
||||
|
@ -25,10 +29,12 @@ 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,
|
||||
|
@ -39,6 +45,7 @@ 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,
|
||||
|
@ -49,6 +56,7 @@ 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,
|
||||
|
@ -59,6 +67,7 @@ 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,
|
||||
|
@ -69,6 +78,7 @@ 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,
|
||||
|
@ -79,6 +89,7 @@ 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,
|
||||
|
@ -89,6 +100,7 @@ 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,
|
||||
|
@ -99,6 +111,7 @@ 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
|
||||
}
|
||||
|
|
|
@ -1,10 +0,0 @@
|
|||
package components
|
||||
|
||||
type Button struct {
|
||||
Text string
|
||||
Link string
|
||||
Icon string
|
||||
IsSubmit bool
|
||||
IsPrimary bool
|
||||
IsDisabled bool
|
||||
}
|
|
@ -1,22 +0,0 @@
|
|||
{{define "button"}}
|
||||
<button class="button-container">
|
||||
<a class="button {{if .IsPrimary}}primary{{end}}" {{if eq .IsSubmit true}}type="submit"{{else}}href="{{.Link}}"{{end}}>
|
||||
{{.Text}}
|
||||
<!-- tailwind heroicons -->
|
||||
{{if eq .Icon "gear"}}
|
||||
<svg xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24" stroke-width="1.5" stroke="currentColor" class="icon">
|
||||
<path stroke-linecap="round" stroke-linejoin="round" d="M9.594 3.94c.09-.542.56-.94 1.11-.94h2.593c.55 0 1.02.398 1.11.94l.213 1.281c.063.374.313.686.645.87.074.04.147.083.22.127.325.196.72.257 1.075.124l1.217-.456a1.125 1.125 0 0 1 1.37.49l1.296 2.247a1.125 1.125 0 0 1-.26 1.431l-1.003.827c-.293.241-.438.613-.43.992a7.723 7.723 0 0 1 0 .255c-.008.378.137.75.43.991l1.004.827c.424.35.534.955.26 1.43l-1.298 2.247a1.125 1.125 0 0 1-1.369.491l-1.217-.456c-.355-.133-.75-.072-1.076.124a6.47 6.47 0 0 1-.22.128c-.331.183-.581.495-.644.869l-.213 1.281c-.09.543-.56.94-1.11.94h-2.594c-.55 0-1.019-.398-1.11-.94l-.213-1.281c-.062-.374-.312-.686-.644-.87a6.52 6.52 0 0 1-.22-.127c-.325-.196-.72-.257-1.076-.124l-1.217.456a1.125 1.125 0 0 1-1.369-.49l-1.297-2.247a1.125 1.125 0 0 1 .26-1.431l1.004-.827c.292-.24.437-.613.43-.991a6.932 6.932 0 0 1 0-.255c.007-.38-.138-.751-.43-.992l-1.004-.827a1.125 1.125 0 0 1-.26-1.43l1.297-2.247a1.125 1.125 0 0 1 1.37-.491l1.216.456c.356.133.751.072 1.076-.124.072-.044.146-.086.22-.128.332-.183.582-.495.644-.869l.214-1.28Z" />
|
||||
<path stroke-linecap="round" stroke-linejoin="round" d="M15 12a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z" />
|
||||
</svg>
|
||||
{{else if eq .Icon "arrow-right"}}
|
||||
<svg xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24" stroke-width="1.5" stroke="currentColor" class="icon">
|
||||
<path stroke-linecap="round" stroke-linejoin="round" d="M13.5 4.5 21 12m0 0-7.5 7.5M21 12H3" />
|
||||
</svg>
|
||||
{{else if eq .Icon "plus"}}
|
||||
<svg xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24" stroke-width="1.5" stroke="currentColor" class="icon">
|
||||
<path stroke-linecap="round" stroke-linejoin="round" d="M12 4.5v15m7.5-7.5h-15" />
|
||||
</svg>
|
||||
{{end}}
|
||||
</a>
|
||||
</button>
|
||||
{{end}}
|
7
template/components/content_badge.go
Normal file
7
template/components/content_badge.go
Normal file
|
@ -0,0 +1,7 @@
|
|||
package components
|
||||
|
||||
type ContentBadge struct {
|
||||
Text string
|
||||
TypeClass string // type primary, secondary, success, danger, warning, info, light, dark, (default secondary)
|
||||
IsOutline bool
|
||||
}
|
7
template/components/content_badge.html
Normal file
7
template/components/content_badge.html
Normal file
|
@ -0,0 +1,7 @@
|
|||
{{define "content_badge"}}
|
||||
<span class="badge {{if eq .IsOutline true}}
|
||||
border border-{{.TypeClass}} bg-{{.TypeClass}}-subtle text-{{.TypeClass}}-emphasis
|
||||
{{else}}
|
||||
text-bg-{{if .TypeClass}}{{.TypeClass}}{{else}}secondary{{end}}
|
||||
{{end}} rounded-pill ">{{.Text}}</span>
|
||||
{{end}}
|
17
template/components/content_dropdown.go
Normal file
17
template/components/content_dropdown.go
Normal file
|
@ -0,0 +1,17 @@
|
|||
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
|
||||
}
|
16
template/components/content_dropdown.html
Normal file
16
template/components/content_dropdown.html
Normal file
|
@ -0,0 +1,16 @@
|
|||
{{define "content_dropdown_item"}}
|
||||
<li><a {{ if .ID }}id="{{.ID}}"{{end}} class="dropdown-item {{if eq .IsActive true}}active{{end}} {{if eq .IsDisabled true}}disabled{{end}}" href="{{.Link}}">{{.Text}}</a></li>
|
||||
{{end}}
|
||||
|
||||
{{define "content_dropdown"}}
|
||||
<div class="dropdown">
|
||||
<button class="btn btn-{{.TypeClass}} dropdown-toggle {{if eq .IsDisabled true}}disabled{{end}}" type="button" data-bs-toggle="dropdown" aria-expanded="false">
|
||||
{{.Label}}
|
||||
</button>
|
||||
<ul class="dropdown-menu">
|
||||
{{ range .Items}}
|
||||
{{template "content_dropdown_item" .}}
|
||||
{{end}}
|
||||
</ul>
|
||||
</div>
|
||||
{{end}}
|
8
template/components/content_graph.go
Normal file
8
template/components/content_graph.go
Normal file
|
@ -0,0 +1,8 @@
|
|||
package components
|
||||
|
||||
type ContentGraph struct {
|
||||
Graph string // pie, bar
|
||||
Labels string
|
||||
Values string
|
||||
Alt string
|
||||
}
|
3
template/components/content_graph.html
Normal file
3
template/components/content_graph.html
Normal file
|
@ -0,0 +1,3 @@
|
|||
{{define "content_graph"}}
|
||||
<img src="/coregraph/graph/{{.Graph}}?l={{.Labels}}&v={{.Values}}" alt="{{.Alt}}">
|
||||
{{end}}
|
11
template/components/content_href.go
Normal file
11
template/components/content_href.go
Normal file
|
@ -0,0 +1,11 @@
|
|||
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
|
||||
}
|
7
template/components/content_href.html
Normal file
7
template/components/content_href.html
Normal file
|
@ -0,0 +1,7 @@
|
|||
{{define "content_href"}}
|
||||
<a class="{{if eq .IsButton true}} btn btn-{{.TypeClass}}{{end}} {{if eq .IsDisabled true}}disabled{{end}}"
|
||||
{{if .Target}} target="{{.Target}}"{{end}}
|
||||
href="{{.Link}}" {{if eq .IsButton true}}role="button"{{end}} {{if eq .IsDisabled true}}aria-disabled="true"{{end}}>
|
||||
{{.Text}}
|
||||
</a>
|
||||
{{end}}
|
19
template/components/content_list.go
Normal file
19
template/components/content_list.go
Normal file
|
@ -0,0 +1,19 @@
|
|||
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
|
14
template/components/content_list.html
Normal file
14
template/components/content_list.html
Normal file
|
@ -0,0 +1,14 @@
|
|||
{{define "content_list"}}
|
||||
<ul class="list-group">
|
||||
{{ range .Items}}
|
||||
<li class="list-group-item text-wrap {{if eq .IsDisabled true}}disabled{{end}} {{if .TypeClass}}list-group-item-{{.TypeClass}}{{end}}"
|
||||
{{if eq .IsDisabled true}}aria-disabled="true"{{end}}
|
||||
><div class="d-flex justify-content-between lh-sm"><p class="mb-1">{{.Text}}</p><span class="text-body-secondary ms-5">{{.EndElement}}</span></div>
|
||||
<small>{{.Description}}</small>
|
||||
</li>
|
||||
{{end}}
|
||||
</ul>
|
||||
|
||||
|
||||
|
||||
{{end}}
|
21
template/components/content_table.go
Normal file
21
template/components/content_table.go
Normal file
|
@ -0,0 +1,21 @@
|
|||
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
|
||||
}
|
31
template/components/content_table.html
Normal file
31
template/components/content_table.html
Normal file
|
@ -0,0 +1,31 @@
|
|||
{{define "content_table"}}
|
||||
<table class="table table-hover {{.TableClass}}" {{ if .ID }}id="{{.ID}}"{{end}}>
|
||||
<thead class="{{.HeadClass}}">
|
||||
<tr>
|
||||
{{range $index, $col := .AllTH}}<th {{ if .ID }}id="{{.ID}}"{{end}} scope="col">{{ $col.Value }}</th>{{end}}
|
||||
</tr>
|
||||
</thead>
|
||||
<tbody>
|
||||
{{- range .AllTD}}<tr scope="row">
|
||||
{{range $index, $item := .}}<td {{ if $item.ID }}id="{{$item.ID}}"{{end}}{{ if $item.ValueClass }} class="{{$item.ValueClass}}"{{end}}>
|
||||
{{ 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"}}
|
||||
<img src="{{ $item.Value }}">
|
||||
{{ else }}
|
||||
{{ $item.Value }}
|
||||
{{end}}
|
||||
{{end}}
|
||||
</td>
|
||||
{{end}}</tr>
|
||||
{{- end}}
|
||||
</tbody>
|
||||
</table>
|
||||
{{end}}
|
16
template/components/content_tabledetail.go
Normal file
16
template/components/content_tabledetail.go
Normal file
|
@ -0,0 +1,16 @@
|
|||
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
|
||||
}
|
29
template/components/content_tabledetail.html
Normal file
29
template/components/content_tabledetail.html
Normal file
|
@ -0,0 +1,29 @@
|
|||
{{define "content_tabledetail"}}
|
||||
<table class="table table-hover" {{ if .ID }}id="{{.ID}}"{{end}}>
|
||||
{{$stylecell := "table-success"}}
|
||||
{{if .HeadClass }}{{$stylecell = .HeadClass}}{{end}}
|
||||
{{if .Title }}
|
||||
<thead class="{{.HeadClass}}">
|
||||
<tr>
|
||||
<th colspan="2" class="{{$stylecell}}">{{ .Title }}</th>
|
||||
</tr>
|
||||
</thead>
|
||||
{{end}}
|
||||
<tbody>
|
||||
{{range $item := .AllTD}}
|
||||
<tr scope="row" {{ if $item.ID }}id="{{$item.ID}}"{{end}}>
|
||||
<td class="{{$stylecell}}">{{ $item.Caption }}</td>
|
||||
<td>
|
||||
{{ 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}}
|
||||
</td>
|
||||
</tr>
|
||||
{{end}}
|
||||
</tbody>
|
||||
</table>
|
||||
{{end}}
|
11
template/components/form_button.go
Normal file
11
template/components/form_button.go
Normal file
|
@ -0,0 +1,11 @@
|
|||
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
|
||||
}
|
20
template/components/form_button.html
Normal file
20
template/components/form_button.html
Normal file
|
@ -0,0 +1,20 @@
|
|||
{{define "form_button"}}
|
||||
<button {{if .ID }}id="{{.ID}}" name="{{.ID}}"{{end}} {{if .Value }}value="{{.Value}}" name="{{.ID}}"{{end}} class="btn btn-{{.TypeClass}}" {{if eq .IsSubmit true}}type="submit"{{else}}type="button"{{end}} {{if .IsDisabled}}disabled{{end}}>
|
||||
{{.Text}}
|
||||
</button>
|
||||
<!-- tailwind heroicons -->
|
||||
{{if eq .Icon "gear"}}
|
||||
<svg xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24" stroke-width="1.5" stroke="currentColor" class="icon">
|
||||
<path stroke-linecap="round" stroke-linejoin="round" d="M9.594 3.94c.09-.542.56-.94 1.11-.94h2.593c.55 0 1.02.398 1.11.94l.213 1.281c.063.374.313.686.645.87.074.04.147.083.22.127.325.196.72.257 1.075.124l1.217-.456a1.125 1.125 0 0 1 1.37.49l1.296 2.247a1.125 1.125 0 0 1-.26 1.431l-1.003.827c-.293.241-.438.613-.43.992a7.723 7.723 0 0 1 0 .255c-.008.378.137.75.43.991l1.004.827c.424.35.534.955.26 1.43l-1.298 2.247a1.125 1.125 0 0 1-1.369.491l-1.217-.456c-.355-.133-.75-.072-1.076.124a6.47 6.47 0 0 1-.22.128c-.331.183-.581.495-.644.869l-.213 1.281c-.09.543-.56.94-1.11.94h-2.594c-.55 0-1.019-.398-1.11-.94l-.213-1.281c-.062-.374-.312-.686-.644-.87a6.52 6.52 0 0 1-.22-.127c-.325-.196-.72-.257-1.076-.124l-1.217.456a1.125 1.125 0 0 1-1.369-.49l-1.297-2.247a1.125 1.125 0 0 1 .26-1.431l1.004-.827c.292-.24.437-.613.43-.991a6.932 6.932 0 0 1 0-.255c.007-.38-.138-.751-.43-.992l-1.004-.827a1.125 1.125 0 0 1-.26-1.43l1.297-2.247a1.125 1.125 0 0 1 1.37-.491l1.216.456c.356.133.751.072 1.076-.124.072-.044.146-.086.22-.128.332-.183.582-.495.644-.869l.214-1.28Z" />
|
||||
<path stroke-linecap="round" stroke-linejoin="round" d="M15 12a3 3 0 1 1-6 0 3 3 0 0 1 6 0Z" />
|
||||
</svg>
|
||||
{{else if eq .Icon "arrow-right"}}
|
||||
<svg xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24" stroke-width="1.5" stroke="currentColor" class="icon">
|
||||
<path stroke-linecap="round" stroke-linejoin="round" d="M13.5 4.5 21 12m0 0-7.5 7.5M21 12H3" />
|
||||
</svg>
|
||||
{{else if eq .Icon "plus"}}
|
||||
<svg xmlns="http://www.w3.org/2000/svg" fill="none" viewBox="0 0 24 24" stroke-width="1.5" stroke="currentColor" class="icon">
|
||||
<path stroke-linecap="round" stroke-linejoin="round" d="M12 4.5v15m7.5-7.5h-15" />
|
||||
</svg>
|
||||
{{end}}
|
||||
{{end}}
|
14
template/components/form_checkbox.go
Normal file
14
template/components/form_checkbox.go
Normal file
|
@ -0,0 +1,14 @@
|
|||
package components
|
||||
|
||||
type FormCheckbox struct {
|
||||
Label string
|
||||
AllCheckbox []FormCheckboxItem
|
||||
}
|
||||
|
||||
type FormCheckboxItem struct {
|
||||
ID string
|
||||
Name string
|
||||
Value string
|
||||
Label string
|
||||
IsChecked bool
|
||||
}
|
11
template/components/form_checkbox.html
Normal file
11
template/components/form_checkbox.html
Normal file
|
@ -0,0 +1,11 @@
|
|||
{{define "form_checkbox"}}
|
||||
<div class="input-container">
|
||||
{{ if .Label }}<label class="form-label">{{.Label}}</label>{{end}}
|
||||
{{range $options := .AllCheckbox}}
|
||||
<div class="form-check">
|
||||
<input class="form-check-input" type="checkbox" name="{{$options.Name}}" id="{{$options.ID}}" value="{{$options.Value}}"{{if eq $options.IsChecked true}} checked{{end}}>
|
||||
<label class="form-check-label" for="{{$options.ID}}">{{$options.Label}}</label>
|
||||
</div>
|
||||
{{end}}
|
||||
</div>
|
||||
{{end}}
|
14
template/components/form_input.go
Normal file
14
template/components/form_input.go
Normal file
|
@ -0,0 +1,14 @@
|
|||
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
|
||||
}
|
21
template/components/form_input.html
Normal file
21
template/components/form_input.html
Normal file
|
@ -0,0 +1,21 @@
|
|||
{{define "form_input"}}
|
||||
<div class="input-container">
|
||||
<label class="form-label" for="{{.ID}}">{{.Label}}</label>
|
||||
<input type="{{.Type}}" id="{{.ID}}" name="{{.ID}}" placeholder="{{.Placeholder}}" class="form-control{{if ne .Error ""}} error{{end}}"
|
||||
{{if eq .IsDisabled true}}
|
||||
disabled
|
||||
{{end}}
|
||||
{{if eq .IsRequired true}}
|
||||
required
|
||||
{{end}}
|
||||
{{if eq .Autocomplete false}}
|
||||
autocomplete="off"
|
||||
{{end}}
|
||||
{{if ne .Value ""}}
|
||||
value="{{.Value}}"
|
||||
{{end}}
|
||||
aria-describedby="{{.ID}}Help">
|
||||
{{if ne .Hint ""}}<small id="{{.ID}}Help" class="form-text text-muted">{{.Hint}}</small>{{end}}
|
||||
{{if ne .Error ""}}<div class="error">{{.Error}}</div>{{end}}
|
||||
</div>
|
||||
{{end}}
|
15
template/components/form_radio.go
Normal file
15
template/components/form_radio.go
Normal file
|
@ -0,0 +1,15 @@
|
|||
package components
|
||||
|
||||
type FormRadio struct {
|
||||
Label string
|
||||
AllRadios []FormRadioItem
|
||||
}
|
||||
|
||||
type FormRadioItem struct {
|
||||
ID string
|
||||
Name string
|
||||
Value string
|
||||
Label string
|
||||
IsDisabled bool
|
||||
IsChecked bool
|
||||
}
|
11
template/components/form_radio.html
Normal file
11
template/components/form_radio.html
Normal file
|
@ -0,0 +1,11 @@
|
|||
{{define "form_radio"}}
|
||||
<div class="input-container">
|
||||
<label class="form-label">{{.Label}}</label>
|
||||
{{range $options := .AllRadios}}
|
||||
<div class="form-check{{if eq $options.IsDisabled true}} disabled{{end}}">
|
||||
<input class="form-check-input" type="radio" name="{{$options.Name}}" id="{{$options.ID}}" value="{{$options.Value}}"{{if eq $options.IsDisabled true}} disabled=""{{end}}{{if eq $options.IsChecked true}} checked=""{{end}}>
|
||||
<label class="form-check-label" for="{{$options.ID}}">{{$options.Label}}</label>
|
||||
</div>
|
||||
{{end}}
|
||||
</div>
|
||||
{{end}}
|
13
template/components/form_select.go
Normal file
13
template/components/form_select.go
Normal file
|
@ -0,0 +1,13 @@
|
|||
package components
|
||||
|
||||
type FormSelect struct {
|
||||
ID string
|
||||
SelectedOption FormSelectOption
|
||||
Label string
|
||||
AllOptions []FormSelectOption
|
||||
}
|
||||
|
||||
type FormSelectOption struct {
|
||||
Value string
|
||||
Caption string
|
||||
}
|
10
template/components/form_select.html
Normal file
10
template/components/form_select.html
Normal file
|
@ -0,0 +1,10 @@
|
|||
{{define "form_select"}}
|
||||
<div class="input-container">
|
||||
<label for="{{.ID}}" class="form-label">{{.Label}}</label>
|
||||
<select class="form-select" id="{{.ID}}" name="{{.ID}}">
|
||||
{{range $options := .AllOptions}}
|
||||
<option value="{{$options.Value}}" {{if eq $options.Value $.SelectedOption.Value }}selected="selected"{{end}}>{{$options.Caption}}</option>
|
||||
{{end}}
|
||||
</select>
|
||||
</div>
|
||||
{{end}}
|
8
template/components/form_switch.go
Normal file
8
template/components/form_switch.go
Normal file
|
@ -0,0 +1,8 @@
|
|||
package components
|
||||
|
||||
type FormSwitch struct {
|
||||
ID string
|
||||
Label string
|
||||
IsChecked bool
|
||||
IsDisabled bool
|
||||
}
|
7
template/components/form_switch.html
Normal file
7
template/components/form_switch.html
Normal file
|
@ -0,0 +1,7 @@
|
|||
{{define "form_switch"}}
|
||||
|
||||
<div class="form-check form-switch">
|
||||
<input class="form-check-input" type="checkbox" role="switch" name="{{.ID}}" id="{{.ID}}" {{if eq .IsChecked true}} checked{{end}} {{if eq .IsDisabled true}} disabled{{end}}>
|
||||
<label class="form-check-label" for="{{.ID}}">{{.Label}}</label>
|
||||
</div>
|
||||
{{end}}
|
7
template/components/form_textarea.go
Normal file
7
template/components/form_textarea.go
Normal file
|
@ -0,0 +1,7 @@
|
|||
package components
|
||||
|
||||
type FormTextarea struct {
|
||||
ID string
|
||||
Label string
|
||||
Value string
|
||||
}
|
6
template/components/form_textarea.html
Normal file
6
template/components/form_textarea.html
Normal file
|
@ -0,0 +1,6 @@
|
|||
{{define "form_textarea"}}
|
||||
<div class="input-container">
|
||||
<label for="{{.ID}}" class="form-label">{{.Label}}</label>
|
||||
<textarea class="form-control" id="{{.ID}}" name="{{.ID}}" rows="3">{{.Value}}</textarea>
|
||||
</div>
|
||||
{{end}}
|
|
@ -1,8 +0,0 @@
|
|||
{{define "head"}}
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="initial-scale=1, viewport-fit=cover, width=device-width, maximum-scale=1.0, minimum-scale=1.0">
|
||||
<title>{{.}} | Goffee</title>
|
||||
<link href="/public/style.css" rel="stylesheet">
|
||||
</head>
|
||||
{{end}}
|
8
template/components/page_card.go
Normal file
8
template/components/page_card.go
Normal file
|
@ -0,0 +1,8 @@
|
|||
package components
|
||||
|
||||
type PageCard struct {
|
||||
CardTitle string
|
||||
CardSubTitle string
|
||||
CardBody string
|
||||
CardLink string
|
||||
}
|
11
template/components/page_card.html
Normal file
11
template/components/page_card.html
Normal file
|
@ -0,0 +1,11 @@
|
|||
{{define "page_card"}}
|
||||
<div class="card">
|
||||
<div class="card-body">
|
||||
{{if .CardTitle}}<h5 class="card-title">{{.CardTitle}}</h5>{{end}}
|
||||
{{if .CardSubTitle}}<h6 class="card-subtitle mb-2 text-muted">{{.CardSubTitle}}</h6>{{end}}
|
||||
{{if .CardBody}}<p class="card-text">{{.CardBody}}</p>{{end}}
|
||||
{{block "page_card_content" .}}{{end}}
|
||||
{{if .CardLink}}<a href="{{.CardLink}}" class="card-link">Card link</a>{{end}}
|
||||
</div>
|
||||
</div>
|
||||
{{end}}
|
7
template/components/page_footer.html
Normal file
7
template/components/page_footer.html
Normal file
|
@ -0,0 +1,7 @@
|
|||
{{define "page_footer"}}
|
||||
<footer>
|
||||
<script src="/public/app.js"></script>
|
||||
</footer>
|
||||
<script src="/public/bootstrap/js/popper.min.js"></script>
|
||||
<script src="/public/bootstrap/js/bootstrap.min.js"></script>
|
||||
{{end}}
|
11
template/components/page_head.html
Normal file
11
template/components/page_head.html
Normal file
|
@ -0,0 +1,11 @@
|
|||
{{define "page_head"}}
|
||||
<head>
|
||||
<meta charset="UTF-8">
|
||||
<meta name="viewport" content="width=device-width, initial-scale=1.0">
|
||||
<meta http-equiv="X-UA-Compatible" content="ie=edge">
|
||||
<title>{{.}} | Goffee</title>
|
||||
<link rel="stylesheet" href="/public/style.css">
|
||||
<link rel="icon" href="/public/img/favicon.ico" type="image/x-icon">
|
||||
<link rel="stylesheet" href="/public/bootstrap/css/bootstrap.min.css">
|
||||
</head>
|
||||
{{end}}
|
16
template/components/page_nav.go
Normal file
16
template/components/page_nav.go
Normal file
|
@ -0,0 +1,16 @@
|
|||
package components
|
||||
|
||||
type PageNav struct {
|
||||
NavClass string // nav-pills, nav-underline
|
||||
NavItems []PageNavItem
|
||||
IsVertical bool
|
||||
IsTab bool
|
||||
}
|
||||
|
||||
type PageNavItem struct {
|
||||
Text string
|
||||
Link string
|
||||
IsDisabled bool
|
||||
IsActive bool
|
||||
ChildItems []PageNavItem
|
||||
}
|
23
template/components/page_nav.html
Normal file
23
template/components/page_nav.html
Normal file
|
@ -0,0 +1,23 @@
|
|||
{{define "page_nav"}}
|
||||
<ul class="nav justify-content-center {{.NavClass}} {{if eq .IsVertical true}}flex-column{{end}}{{if eq .IsTab true}}nav-tabs{{end}}" {{if eq .IsTab true}}role="tablist"{{end}}>
|
||||
{{range $item := .NavItems}}
|
||||
|
||||
{{if gt (len $item.ChildItems) 0}}
|
||||
<li class="nav-item dropdown">
|
||||
<a href="{{$item.Link}}" {{if eq .IsDisabled true}}disabled{{end}} data-bs-toggle="dropdown"
|
||||
class="nav-link dropdown-toggle {{if eq .IsActive true}}active{{end}} {{if eq .IsDisabled true}}disabled{{end}}">{{$item.Text}}</a>
|
||||
<ul class="dropdown-menu">
|
||||
{{ range $item.ChildItems}}
|
||||
{{template "content_dropdown_item" .}}
|
||||
{{end}}
|
||||
</ul>
|
||||
</li>
|
||||
{{else}}
|
||||
<li class="nav-item"><a href="{{$item.Link}}" {{if eq .IsDisabled true}}disabled{{end}} class="nav-link {{if eq .IsActive true}}active{{end}} {{if eq .IsDisabled true}}disabled{{end}}">
|
||||
{{$item.Text}}
|
||||
</a></li>
|
||||
{{end}}
|
||||
|
||||
{{end}}
|
||||
</ul>
|
||||
{{end}}
|
14
template/components/page_page.html
Normal file
14
template/components/page_page.html
Normal file
|
@ -0,0 +1,14 @@
|
|||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
{{template "page_head" "Goffee"}}
|
||||
<body>
|
||||
<div class="container">
|
||||
{{block "page_content" .}}
|
||||
<main>
|
||||
<h1>Use this file as base inside cup application</h1>
|
||||
</main>
|
||||
{{end}}
|
||||
{{template "page_footer"}}
|
||||
</div>
|
||||
</body>
|
||||
</html>
|
|
@ -1,5 +0,0 @@
|
|||
package components
|
||||
|
||||
type Title struct {
|
||||
Label string
|
||||
}
|
|
@ -1,5 +0,0 @@
|
|||
{{define "title"}}
|
||||
<div class="title">
|
||||
<h1>{{.Label}}</h1>
|
||||
</div>
|
||||
{{end}}
|
12
validator.go
12
validator.go
|
@ -33,18 +33,14 @@ func (v *Validator) Validate(data map[string]interface{}, rules map[string]inter
|
|||
vr = validationResult{}
|
||||
vr.hasFailed = false
|
||||
res := map[string]string{}
|
||||
for key, val := range data {
|
||||
_, ok := rules[key]
|
||||
if !ok {
|
||||
continue
|
||||
}
|
||||
rls, err := parseRules(rules[key])
|
||||
for rule_key, rule_val := range rules {
|
||||
rls, err := parseRules(rule_val)
|
||||
if err != nil {
|
||||
panic(err.Error())
|
||||
}
|
||||
err = validation.Validate(val, rls...)
|
||||
err = validation.Validate(data[rule_key], rls...)
|
||||
if err != nil {
|
||||
res[key] = fmt.Sprintf("%v: %v", key, err.Error())
|
||||
res[rule_key] = fmt.Sprintf("%v: %v", rule_key, err.Error())
|
||||
|
||||
}
|
||||
}
|
||||
|
|
Loading…
Reference in a new issue