Skip to content
/ minima Public
forked from gominima/minima

πŸ¦„ A simple and minimal framework for go made to scale

License

Notifications You must be signed in to change notification settings

cloudxo/minima

Β 
Β 

Repository files navigation

Minima

Minima

Minima πŸ¦„ is a reliable and lightweight framework for Go to carve the web πŸ’». Developed with core net/httpπŸ”Œand other native packages, and with 0 dependencies

βš™οΈ Setup

Please make sure you have Go version 1.15 or higher

mkdir <project-name> && cd  <project-name>

go mod init github.com/<user-name>/<repo-name>

go get github.com/gominima/minima

go run main.go

πŸ¦„ Quickstart

package main

import "github.com/gominima/minima"

func main() {
	app := minima.New()

	app.Get("/", func(res *minima.Response, req *minima.Request) {
		res.Status(200).Send("Hello World")
	})

	app.Listen(":3000")
}

πŸͺΆ Features

  • Reliable - great modular API for building great server side applications
  • Compatible with net/http - use your plain old middlewares written in plain old net/http
  • Lightweight - clocked in ~1000 loc
  • No Dependency - just your plain old go standard libraries
  • Great Documentation - best in class precise documentation
  • Auto Docs - docgen for generating all of your routing docs from router to json or markdown files

❓ Why Minima

Minima's name is inspired by the word minimal and is the motivation for building this framework. As a Golang developer, I was struggling to learn it in my early days due to the steeper learning curve while using net/http.

Also while checking out some other alternate frameworks, I found out that something like fiber wasn't compatible with net/http modules like gqlgen and other middlewares.

Minima solves this problem as it has a very narrow learning curve as well as a robust structure that supports all net/http modules and other middlewares without compromising performance.

🍡 Examples

Here are some basic examples related to routing and params:

πŸ“‘ Routing & Router

func UserGetRouter() *minima.Router {
	// router instance which would be used by the main router
	router := minima.NewRouter()
	return router.Get("/user/:id/?", func(response *minima.Response, request *minima.Request) {
		// getting the id parameter from route
		id := request.GetParam("id")

		// as query params are not part of the request path you will need to add a query to initialize them
		username := request.GetQuery("name")

		// get user from database
		userdata, err := db.FindUser(id, username)

		if err != nil {
			panic(err)
			// check for errors
			response.Status(404).Send("No user found with particular id")
		}
		// send user data
		response.Json(userdata).Status(200)
	})
}

func main() {
	// main minima instance
	app := minima.New()
	// UseRouter method takes minima.router as a param
	// it appends all the routes used in that specific router to the main instance
	app.UseRouter(UserGetRouter())

	// running the app at port 3000
	app.Listen(":3000")
}

πŸ“‘ Params

func main() {
	app := minima.New()

	app.Get("/getuser/:id", func(response *minima.Response, request *minima.Request) {
		userid := request.GetParam("id")
		// check if user id is available
		if userid == "" {
			response.Error(404, "No user found")
			panic("No user id found in request")
		}
		fmt.Print(userid)
		//Will print 20048 from router /getuser/200048
	})
}

πŸ“‘ Query Params

func main() {
	app := minima.New()

	app.Get("/getuser/?", func(response *minima.Response, request *minima.Request) {
		// query params work a bit differently
		// instead of adding a param in route, you just need to add a query and fetch the param
		userid := request.GetQuery("id")

		if userid == "" {
			response.Error(404, "No user found")
			panic("No user id found in request")
		}
		fmt.Print(userid)
		// the above will print 20048 from router /getuser?id=20048
	})
}

πŸ“‘ Minima Interface

Minima is based on a looping system which loops through routes and matches the regex of requested route. The router itself is fully compatible with net/http

πŸ“‘ Minima's interface

type Minima interface {
	// Minima interface is built over net/http so every middleware is compatible with it

	// initializes net/http server with address
	Listen(address string) error

	// main handler interface
	ServeHTTP(w http.ResponseWriter, q *http.Request)

	// main router methods
	Get(path string, handler ...Handler) *minima
	Patch(path string, handler ...Handler) *minima
	Post(path string, handler ...Handler) *minima
	Put(path string, handler ...Handler) *minima
	Options(path string, handler ...Handler) *minima
	Head(path string, handler ...Handler) *minima
	Delete(path string, handler ...Handler) *minima

	// takes middlewares as a param and adds them to routes
	// middlewares initializes before route handler is mounted
	Use(handler Handler) *minima

	// mounts routes to specific base path
	Mount(basePath string, router *Router) *minima

	// takes minima.Router as param and adds the routes from router to main instance
	UseRouter(router *Router) *minima

	// works as a config for minima, you can add multiple middlewares and routers at once
	UseConfig(config *Config) *minima

	// shutdowns the net/http server
	Shutdown(ctx context.Context) error

	// prop methods
	SetProp(key string, value interface{}) *minima
	GetProp(key string) interface{}
}

πŸ“‘ Response and Request Interface

Both response and request interfaces of minima are written in net/http so you can use any of your old route middlewares in minima out of the box without any hassle.

type Res interface {
	// response interface is built over http.ResponseWriter for easy and better utility

	// returns minima.OutgoingHeader interface
	Header() *OutgoingHeader

	// utility functions for easier usage
	Send(content string) *Response      //send content
	WriteBytes(bytes []byte) error      //writes bytes to the page
	Json(content interface{}) *Response //sends data in json format
	Error(status int, str string) *Response

	// this functions returns http.ResponseWriter instance which means you could use any of your alrady written middlewares in minima!
	Raw() http.ResponseWriter

	// renders an html file with data to the page
	Render(path string, data interface{}) *Response

	// redirects to given url
	Redirect(url string) *Response

	// sets header status
	Status(code int) *Response
}

type Req interface {
	// minima request interface is built on http.Request

	// returns param from route url
	GetParam(name string) string

	// returns path url from the route
	GetPathURL() string

	// returns raw request body
	Body() map[string][]string

	// finds given key value from body and returns it
	GetBodyValue(key string) []string

	// returns instance of minima.IncomingHeader for incoming header requests
	Header() *IncomingHeader

	// returns route method ex.get,post
	Method() string

	// gets query params from route and returns it
	GetQuery(key string) string
}

πŸ“‘ Middlewares

Minima's middlewares are written in its own custom res and req interfaces in accordance with the standard libraries maintained by Go. You can use res.Raw() to get the http.ResponseWriter instance and req.Raw() to getthe http.Request instance, meaning all community written middlewares are compatible with Minima.

Here is an example of standard net/http middleware being used with minima:

func MyMiddleWare(res *minima.Response, req *minima.Request) {
	w := res.Raw() // raw http.ResponseWriter instance
	r := req.Raw() // raw http.Request instance

	// your normal net/http middleware
	w.Write([]byte(r.URL.Path))
}

πŸ’« Contributing

If you wanna help grow this project or say a thank you!

  1. Give minima a GitHub star
  2. Fork minima and Contribute
  3. Write a review or blog on minima
  4. Join our Discord community

Please note that this project is released with a Contributor Code of Conduct. By participating in this project you agree to abide by its terms.

🧾 License

Copyright (c) 2021-present Apoorv and Contributors. Minima is a free and Open source software licensed under MIT License



Happy coding ahead with Minima!

About

πŸ¦„ A simple and minimal framework for go made to scale

Resources

License

Code of conduct

Stars

Watchers

Forks

Packages

No packages published

Languages

  • Go 100.0%