Because we kinda need this shit daily and we know it!
go get github.com/theHamdiz/it
import "github.com/theHamdiz/it"
// The "I believe in miracles" approach
config := it.Must(LoadConfig())
// The "let's log and pray" method
user := it.Should(GetUser())
// Maybe we'll connect to the database... eventually
maybeConnect := it.Could(func() (*sql.DB, error) {
return sql.Open("postgres", "postgres://procrastinator:later@localhost")
})
// Sometime later, when we feel ready...
db := maybeConnect() // First call actually does the work
alsoDb := maybeConnect() // Returns same result, wasn't worth trying again anyway
// The "cover your tracks" strategy
err := it.WrapError(dbErr, "database had an existential crisis",
map[string]any{"attempt": 42, "mood": "gothic"})
import "github.com/theHamdiz/it"
it.Trace("Like println() but fancier")
it.Debug("For when you're feeling verbose")
it.Info("FYI: Something happened")
it.Warn("Houston, we have a potential problem")
it.Error("Everything is fine π₯")
it.Audit("For when legal is watching")
// Structured logging (because JSON makes everything enterpriseTM)
it.StructuredInfo("API Call", map[string]any{
"status": 200,
"response_time": "too long",
"excuse": "network congestion"
})
import "github.com/theHamdiz/it/pool"
pool_ := pool.NewPool(func() *ExpensiveObject {
// Save the environment, reuse your objects
return &ExpensiveObject{}
})
obj := pool_.Get()
// Return your shopping cart
defer pool_.Put(obj)
import "github.com/theHamdiz/it/debouncer"
calm := debouncer.NewDebouncer(100 * time.Millisecond)
relaxedFunc := calm.Debounce(func() {
// Now with less spam
NotifyEveryone("Updates!")
})
import "github.com/theHamdiz/it/lb"
// Democratic work distribution
lb_ := lb.NewLoadBalancer(10)
err := lb_.Execute(ctx, func() error {
// Share the pain
return HeavyLifting()
})
Because measuring performance makes you feel better about your terrible code.
import "github.com/theHamdiz/it/bm"
// Run your function until the numbers look good
result := bm.Benchmark("definitely-fast", 1000, func() {
SuperOptimizedCode() // yeah right
})
// Or collect your own timings when you don't trust us
timings := []time.Duration{...}
result := bm.AnalyzeBenchmark("probably-fast", timings)
// Slack-friendly output for bragging rights
fmt.Println(result) // Screenshots or it didn't happen
Gives you min, max, average, median, and that standard deviation thing nobody really understands. Perfect for making your code look faster than it is in production.
JSON support included because apparently everything needs to be in a dashboard these days.
Now go forth and benchmark the hell out of that O(n2) algorithm you're trying to justify.
Because at some point, everything fails. Might as well be ready for it.
import "github.com/theHamdiz/it/retry"
// For when you're feeling optimistic
cfg := retry.DefaultRetryConfig()
// For when you know it's going to be rough
cfg := retry.Config{
Attempts: 5,
InitialDelay: time.Second,
MaxDelay: 30 * time.Second,
Multiplier: 2.0,
RandomFactor: 0.1,
}
// Actually doing the thing
result, err := retry.WithBackoff(ctx, cfg, func(ctx context.Context) (string, error) {
return CallThatFlakyService()
})
Implements exponential backoff with jitter because hammering a failing service is both rude and stupid. Comes with sane defaults for when you're too lazy to think.
Default config gives you 3 attempts with increasing delays, starting at 100ms and capping at 10s. Add some randomness to avoid the thundering herd, because your systems have enough problems already.
Now go forth and embrace failure like a professional.
Because even software needs a dignified exit strategy.
import "github.com/theHamdiz/it/sm"
// Set up the end times
sm := sm.NewShutdownManager()
// Add some last wishes
sm.AddAction(
"save-data",
func(ctx context.Context) error {
return db.Close()
},
5 * time.Second,
true, // This one matters
)
// Start watching for the end
sm.Start()
// Wait for the inevitable
if err := sm.Wait(); err != nil {
log.Fatal("Failed to die gracefully:", err)
}
Handles shutdown signals (SIGINT, SIGTERM by default), manages cleanup tasks with timeouts, and ensures your program dies with dignity instead of just crashing.
Critical actions fail the whole shutdown if they fail, non-critical ones just log and continue, because some things aren't worth dying twice over.
Perfect for when you need your program to clean up after itself instead of leaving a mess for the OS to deal with.
Because if you're not measuring it, you're just guessing.
import "github.com/theHamdiz/it/tk"
// Basic timing
tk := tk.NewTimeKeeper("database-query").Start()
defer tk.Stop()
// With a callback for the micromanagers
tk := tk.NewTimeKeeper("expensive-operation",
tk.WithCallback(func(d time.Duration) {
metrics.Record("too-slow", d)
}),
).Start()
// Quick one-liner for the lazy
result := tk.TimeFn("important-stuff", func() string {
return DoTheWork()
})
// Async timing for the parallel obsessed
atk := tk.NewAsyncTimeKeeper("batch-process")
for task := range tasks {
atk.Track(func() { process(task) })
}
durations := atk.Wait()
Times your operations, logs the results, and lets you obsess over performance with minimal effort. Supports both synchronous and async operations, because sometimes you need to time multiple failures simultaneously.
Perfect for when you need to prove that it's not your code that's slow, it's everyone else's.
Because sometimes your dependencies need a time-out, just like your ex.
import "github.com/theHamdiz/it/cb"
// Create a breaker that gives up after 3 failures
// and needs 30 seconds of alone time
breaker := cb.NewCircuitBreaker(3, 30*time.Second)
// Wrap your flaky calls with trust issues
err := breaker.Execute(func() error {
return ThatThingThatAlwaysBreaks()
})
// Check if we're still in therapy
if breaker.IsOpen() {
// Time to implement plan B
}
Includes state tracking, configurable thresholds, and automatic recovery. Perfect for when your microservices are having a midlife crisis.
Now go forth and fail gracefully, because that's what mature code does.
import "github.com/theHamdiz/it/result"
res := result.Ok("success")
if res.IsOk() {
value := res.UnwrapOr("plan B")
}
import "github.com/theHamdiz/it/math"
// O(1) summation that would make Gauss proud
sum := math.Sum(1000000)
// Want to sum a specific range? We've got you covered
rangeSum := math.SumRange(42, 100)
// Need overflow protection? We're responsible adults here
safeSum, err := math.SumWithOverflowCheck(1000000)
// Living dangerously? MustSum will panic if things go wrong
yoloSum := math.MustSum(1000000)
// Sum of squares in O(1) because why not?
squares := math.SumOfSquares(100)
// Sum of cubes, because squares are so last century
cubes := math.SumOfCubes(50)
// Fourth powers, for when you really want to show off
fourthPowers := math.SumOfFourthPowers(25)
// Arithmetic series for the classically inclined
arithmetic := math.ArithmeticSeries(1, 2, 100) // 1, 3, 5, ...
// Geometric series for the exponentially minded
geometric := math.GeometricSeries(1, 2, 10) // 1, 2, 4, 8, ...
// Fast exponentiation because we're not savages
power := math.Pow(2, 10)
// Factorial without the stack overflow drama
factorial, err := math.Factorial(10)
// Need an approximation? Stirling's got your back
approxFact := math.FactorialStirlingApprox(100)
// Binomial coefficients without the tears
choose, err := math.Binomial(20, 10)
// Fibonacci that won't make your CPU cry
fib := math.Fibonacci(42)
For when you need to make your application configurable, but still predictably unreliable.
import (
"github.com/theHamdiz/it/logger"
"github.com/theHamdiz/it/cfg"
)
// You could use global shortcuts
// Redirect logs to your favorite black hole
file, _ := os.OpenFile("void.log", os.O_APPEND|os.O_CREATE|os.O_WRONLY, 0644)
it.SetLogOutput(file)
// Set log level from "meh" to "everything's on fire"
it.SetLogLevel(logger.LevelDebug)
// Let environment variables do the heavy lifting
// Optimist mode
os.Setenv("LOG_LEVEL", "PANIC")
// The ultimate backup strategy
os.Setenv("LOG_FILE", "/dev/null")
it.InitFromEnv()
// Or you could create a config with sensible* defaults
// *sensible is a relative term
cfg_ := cfg.Configure(
cfg.WithLogLevel(logger.LevelDebug), // Maximum verbosity
cfg.WithLogFile("regrets.log"), // For posterity
cfg.WithShutdownTimeout(5*time.Second), // Ain't nobody got time for that
cfg.WithColors(true), // Pretty errors are still errors
)
// Check what you did to yourself
if cfg_.ColorsEnabled() {
// Congratulations, your logs are now fabulous
}
Includes functional options, reasonable defaults, and just enough flexibility to be dangerous. Perfect for when you need to explain why production is different from your laptop.
Now go forth and configure responsibly, or don't. We're not your parents.
Because every program needs to know who it is and who to blame.
// Get all the details
info := version.Get()
fmt.Println(info)
// Output: v1.2.3 built at 2023-12-25T12:00:00Z from main@abc1234 (go1.21) running on linux/amd64 in production
// For your JSON APIs
jsonData, _ := json.Marshal(info.ToMap())
// Build with:
go build -ldflags="
-X 'package/version.version=1.2.3'
-X 'package/version.buildTime=$(date -u +"%Y-%m-%dT%H:%M:%SZ")'
-X 'package/version.gitCommit=$(git rev-parse HEAD)'
-X 'package/version.gitBranch=$(git rev-parse --abbrev-ref HEAD)'
-X 'package/version.environment=production'"
Tracks version, build time, git info, and runtime details. Perfect for logging, debugging, and finding out which commit broke production.
Values are injected at build time via ldflags, because hardcoding versions is for amateurs.
- Everything is O(1)*
- Memory usage is optimal**
- CPU friendly***
* Except when it isn't.
**Compared to loading the entire Wikipedia into RAM.
*** Your definition of friendly may vary LOL!
- Sometimes panics exactly when you expect
- Occasionally logs the right thing
- Works perfectly in production*
* Results may vary
Q: Is this production ready? A: Define "production" and "ready"
Q: Why should I use this? A: Because writing your own boilerplate is so 2020
Q: Is it fast? A: Faster than your last deployment rollback
- Fork (the repo, not your codebase)
- Create (bugs)
- Submit PR (with tests maybe?)
- Wait (like your HTTP requests)
The Whatever, Just Take It License - Because even chaos needs a license.
This package provides robust utilities for:
- Error handling and recovery.
- Structured and leveled logging.
- Some benchmarking functionalities.
- Rate limiting, load balancing & a debouncer.
- Some time keeping & measuring functionality.
- Object pooling and resource management.
- Mathematical optimizations - Some O(1) goodies.
- Graceful shutdowns & restarts.
- Some version management/reporting stuff.
- Oh yeah & a circuit breaker, whatever that might be.
Documentation: GoDoc
Now go write some code that might actually work, or not!
No functions were harmed in the making of this package