gosl
gosl copied to clipboard
π The Go Snippet Library provides snippets collection for working with routine operations in your Go programs with a super user-friendly API and the most efficient performance.
gosl β The Go Snippet Library
The Go Snippet Library (or gosl for a short) provides a snippet collection for working with routine operations in your Go programs with a super user-friendly API and the most efficient performance (see the benchmarks section).
β‘οΈ Quick start
Simply add gosl
to your project:
go get github.com/koddr/gosl
Add the needed snippet to your Go program, like this:
import "github.com/koddr/gosl"
type user struct {
ID int `json:"id"`
Name string `json:"name"`
}
func main() {
b := []byte("Hello, World!")
s, err := gosl.ToString(b) // convert byte slice to string
// ...
json := []byte(`{"id":1,"name":"Viktor"}`)
model := &user{}
u, err := gosl.Unmarshal(json, model) // unmarshal JSON data to struct
// ...
}
...or like this to have access to snippets as embedded struct:
import "github.com/koddr/gosl"
type App struct {
// ...
utils *gosl.Utility // add regular snippets
genUtils *gosl.GenericUtility[any, comparable] // add generic snippets
}
func (a *App) handleSomething() error {
// ...
s, err := a.utils.ToString(b) // convert byte slice to string
// ...
u, err := a.genUtils.Unmarshal(json, model) // unmarshal JSON data to struct
// ...
}
β¨ Usage
Basic usage and full code examples of all functions of the gosl
package, you
can find on the pkg.go.dev page.
The package provides two categories of functions: regular and universal using generics (Go 1.18+). Also, note that some features will only work correctly on Go 1.20 and above.
π¨ Regular functions
The regular functions of the gosl
package are aimed at solving one single
task with the smallest possible allocation of your machine's resources.
Concat
Concatenates strings s
to the one string:
s1 := "this "
s2 := "is "
s3 := "my string"
s := gosl.Concat(s1, s2, s3) // "this is my string"
ContainsCaseInsensitive
Reports if string substr
is within string s
(case-insensitive by default):
s := "Hello, WORLD!"
substr := "r"
b := gosl.ContainsCaseInsensitive(s, substr) // true
IsFileExist
Reports whether a file exists on the specified path
:
p := filepath.Clean("~/Downloads/file.csv")
b := gosl.IsFileExist(p) // true|false
IsDirExist
Reports whether a dir exists on the specified path
:
p := filepath.Clean("~/Downloads/my-folder")
b := gosl.IsDirExist(p) // true|false
RandomString
Generates a (really) random string with a given size:
size := 8
s, err := gosl.RandomString(size) // string, like "34f4ey7e"
if err != nil {
log.Fatal(err)
}
RenderStyled
Renders a styled string with a given lipgloss.Style
template:
tmpl := lipgloss.NewStyle().Foreground(lipgloss.Color("42")).Margin(1)
s := gosl.RenderStyled("This is a styled text", tmpl) // styled string
This function is a more comfortable wrapper for the charmbracelet/lipgloss library.
ToString
Converts byte slice b
to string or error:
b := []byte("Hello, World!")
s, err := gosl.ToString(b) // "Hello, World!"
if err != nil {
log.Fatal(err)
}
ToBytes
Converts string s
to byte slice or error:
s := "Hello, World!"
b, err := gosl.ToBytes(s) // [48 65 6c ...]
if err != nil {
log.Fatal(err)
}
ModifyByValue
Modify an unknown key in the given map[string]any
by it value:
m := map[string]any{"order": map[string]any{"total_cost": 100}}
foundValue := 100
newValue := 250
isFound, result := gosl.ModifyByValue(m, foundValue, newValue)
Supports nested maps, but only if their type is map[string]any
.
π οΈ Universal functions
The universal (or generic) functions of the gosl
package are aimed at
solving one
particular task with the smallest possible allocation of your machine's
resources, but can be applied to a huge number of user types.
π‘ Hint: enjoy the benefits of using Go 1.18+ generics today! Instead of writing a regular function for each of your types, just use one generic function from the list below.
Equals
Compares two values of type T
, return true
if they are equal:
s1 := "hello"
s2 := "hello"
b := gosl.Equals(s1, s2) // true
NotEquals
Compares two values of type T
, return true
if they are not equal:
s1 := 42
s2 := 64
b := gosl.NotEquals(s1, s2) // true
ContainsInSlice
Reports if value v
is within slice s
:
s := []string{"one", "two", "three"}
v := "two"
b := gosl.ContainsInSlice(s, v) // true
ContainsInMap
Reports if key k
is within map m
:
m := map[string]int{"one": 1, "two": 2, "three": 3}
k := "two"
b := gosl.ContainsInMap(m, k) // true
ParseFileToStruct
Parses the given file from path
to struct *T
.
Create structured file in any of the supported file formats (JSON, YAML, TOML,
or HCL) with the main data to parse (for
example, ./config.yml
):
host: https://my-server.com/api/v1
port: '3000'
Create a new struct for a parsing data (for example, server
):
type server struct {
Host string `koanf:"host"`
Port string `koanf:"port"`
}
Add to your Go program:
pathToFile := "./file.yml" // or any URL to file in the supported format
structToParse := &server{}
srv, err := gosl.ParseFileToStruct(pathToFile, structToParse)
if err != nil {
log.Fatal(err)
}
// Results:
// srv.Host = "https://my-server.com/api/v1"
// srv.Port = "3000"
π‘ Note: The structured file can be placed both locally (by system path) and accessible via HTTP (by URL).
This generic function is based on the knadh/koanf library.
ParseFileWithEnvToStruct
Parses the given file from path
to struct *T
with an (optional)
environment variables for a secret data.
Set your secret data to environment variables with a personal prefix (for
example, MY_CONFIG
):
export MY_CONFIG_TOKEN=my-secret-1234567
Create structured file in any of the supported file formats (JSON, YAML, TOML, or HCL) with the main data to parse (for
example, ./config.yml
):
url: https://my-server.com/api/v1
auth_type: Bearer
token: '{{ MY_CONFIG_TOKEN }}'
Create a new struct for a parsing data (for example, config
):
type config struct {
URL string `koanf:"url"`
AuthType string `koanf:"auth_type"`
Token string `koanf:"token"`
}
Add to your Go program:
pathToFile := "./file.yml" // or any URL to file in the supported format
envPrefix := "MY_CONFIG" // or "", if you don't want to use env
structToParse := &config{}
cfg, err := gosl.ParseFileWithEnvToStruct(pathToFile, envPrefix, structToParse)
if err != nil {
log.Fatal(err)
}
// Results:
// cfg.URL = "https://my-server.com/api/v1"
// cfg.AuthType = "Bearer"
// cfg.Token = "my-secret-1234567"
π‘ Note: The structured file can be placed both locally (by system path) and accessible via HTTP (by URL).
This generic function is based on the knadh/koanf library.
Marshal
Marshal struct user
to JSON data j
(byte slice) or error:
type user struct {
ID int `json:"id"`
Name string `json:"name"`
}
u := &user{}
j, err := gosl.Marshal(u) // {"id": 0, "name": ""}
if err != nil {
log.Fatal(err)
}
This generic function is a 100% compatible drop-in replacement for the standard encoding/json library.
Unmarshal
Unmarshal JSON data j
(byte slice) to struct user
or error:
type user struct {
ID int `json:"id"`
Name string `json:"name"`
}
j := []byte(`{"id":1,"name":"Viktor"}`)
m := &user{}
u, err := gosl.Unmarshal(j, m) // [id:1 name:Viktor]
if err != nil {
log.Fatal(err)
}
This generic function is a 100% compatible drop-in replacement for the standard encoding/json library.
β±οΈ Benchmarks
Run benchmarks on your machine by following command:
go test -v ./... -bench . -run ^$ -benchmem
And this is my results for all functions on test stand (Apple Macbook Air M1, 16 Gb RAM, macOS 13.3.1):
BenchmarkEquals-8 319768486 3.591 ns/op 0 B/op 0 allocs/op
BenchmarkNotEquals-8 1000000000 0.5136 ns/op 0 B/op 0 allocs/op
BenchmarkConcat_String2-8 59083364 19.91 ns/op 32 B/op 1 allocs/op
BenchmarkConcat_String8-8 27004447 44.21 ns/op 128 B/op 1 allocs/op
BenchmarkConcat_String32-8 9373778 127.4 ns/op 448 B/op 1 allocs/op
BenchmarkToString_HelloWorld-8 100000000 10.56 ns/op 16 B/op 1 allocs/op
BenchmarkToBytes_HelloWorld-8 1000000000 0.6288 ns/op 0 B/op 0 allocs/op
BenchmarkRandomString_Size1-8 3649489 328.4 ns/op 6 B/op 3 allocs/op
BenchmarkRandomString_Size8-8 3397297 351.8 ns/op 24 B/op 3 allocs/op
BenchmarkRandomString_Size64-8 2313856 517.9 ns/op 160 B/op 3 allocs/op
BenchmarkRandomString_Size512-8 1425562 837.8 ns/op 1280 B/op 3 allocs/op
BenchmarkRandomString_Size4096-8 186254 6331 ns/op 10240 B/op 3 allocs/op
BenchmarkMarshal_StructField_4-8 8584442 139.9 ns/op 48 B/op 3 allocs/op
BenchmarkMarshal_StructField_16-8 2879486 416.6 ns/op 192 B/op 3 allocs/op
BenchmarkUnmarshal_StructField_4-8 6960462 169.3 ns/op 32 B/op 3 allocs/op
BenchmarkUnmarshal_StructField_16-8 774032 1534 ns/op 864 B/op 45 allocs/op
BenchmarkModifyByValue-8 2824796 423.2 ns/op 704 B/op 6 allocs/op
BenchmarkParseFileToStruct-8 39021 30177 ns/op 6184 B/op 109 allocs/op
BenchmarkParseFileWithEnvToStruct-8 28864 41873 ns/op 12232 B/op 219 allocs/op
BenchmarkRenderStyled-8 1459971 821.5 ns/op 440 B/op 12 allocs/op
BenchmarkContainsCaseInsensitive_HelloWorld-8 24856041 48.46 ns/op 16 B/op 1 allocs/op
BenchmarkContainsCaseInsensitive_LoremIpsum-8 1827114 656.4 ns/op 448 B/op 1 allocs/op
BenchmarkContainsInSlice-8 122999034 9.758 ns/op 0 B/op 0 allocs/op
BenchmarkContainsInMap-8 19123504 62.61 ns/op 0 B/op 0 allocs/op
BenchmarkIsFileExist-8 395916 2941 ns/op 240 B/op 2 allocs/op
BenchmarkIsDirExist-8 437505 2696 ns/op 224 B/op 2 allocs/op
π‘ Motivation
As you already know from my previous projects, I take an approach to software development that makes the developer's life totally easy.
Why repeat the same snippet, for example, to translate a byte slice to a string if you can add the most efficient solution to the library once and import it where you need it? Exactly right! It's an unnecessary cognitive load for those who will read your code in the future (and for you as well).
It is for these reasons that The Go Snippet Library (or gosl
for a short)
provides a snippet collection for working with routine operations in your Go
programs with a super user-friendly API and the most efficient performance.
π A win-win cooperation
And now, I invite you to participate in this project! Let's work together to create the largest and most useful library of snippets for Go programs on the web today.
- Issues: ask questions and submit your features.
- Pull requests: send your snippets or improvements to the current.
Your PRs & issues are welcome! Thank you π
β οΈ License
gosl
is free and open-source software licensed under the
Apache 2.0 License, created and supported with π©΅ for people
and robots by Vic ShΓ³stak.