Dynamic Reloading¶
Confii watches configuration files on disk and automatically reloads when changes are detected, using fsnotify under the hood.
Enabling File Watching¶
Once enabled, Confii starts a background goroutine that watches the directories containing your config files for changes.
How Change Detection Works¶
The file watcher uses fsnotify to monitor directories (not individual files, which avoids issues with editors that perform atomic saves via rename).
- fsnotify reports a
WriteorCreateevent on a watched directory - Confii checks if the event file matches one of its tracked source files (by absolute path)
- If it matches,
Reloadis triggered automatically - The reload uses incremental detection (mtime + SHA256 hash) to skip files that have not actually changed
File edit detected
|
v
fsnotify event (Write/Create)
|
v
Is file in watched set? --No--> Ignore
|
Yes
|
v
cfg.Reload(ctx)
|
v
Incremental check (mtime + SHA256)
|
v
Re-merge and notify callbacks
Events that trigger reload
Only Write and Create events trigger a reload. Rename, chmod, and remove events are ignored.
OnChange Callback Integration¶
Combine file watching with change callbacks to react to configuration changes in real-time:
cfg, _ := confii.New[any](ctx,
confii.WithLoaders(loader.NewYAML("config.yaml")),
confii.WithDynamicReloading(true),
)
cfg.OnChange(func(key string, oldVal, newVal any) {
log.Printf("config changed: %s = %v -> %v", key, oldVal, newVal)
switch key {
case "log.level":
updateLogLevel(newVal.(string))
case "feature_flags.new_ui":
toggleFeature("new_ui", newVal.(bool))
}
})
Callback safety
Panics in change callbacks are caught and logged. A panic in one callback does not prevent other callbacks from running.
StopWatching¶
Always stop the watcher when your application is shutting down to release file descriptors and stop the background goroutine:
Or in a graceful shutdown handler:
sigCh := make(chan os.Signal, 1)
signal.Notify(sigCh, syscall.SIGINT, syscall.SIGTERM)
go func() {
<-sigCh
cfg.StopWatching()
os.Exit(0)
}()
Always stop watching
Forgetting to call StopWatching can lead to goroutine leaks and open file descriptors. Use defer or a shutdown hook.
Incremental Reload¶
When reload is triggered (either by the file watcher or manually), Confii uses a two-step change detection to avoid unnecessary work:
- mtime check -- compare the file's modification time against the last known value
- SHA256 hash -- if mtime changed, compute and compare the file's content hash
This means:
- If you
toucha file without changing its content, the mtime changes but the hash stays the same -- the file is still considered "changed" (mtime is checked first for speed) - If the OS updates mtime due to a copy or move, the hash comparison catches false positives
The file watcher triggers a full Reload(ctx) which defaults to incremental behavior (the reloadOpts default incremental is true).
Best Practices for Production¶
Use with validation
Enable WithValidateOnLoad(true) so that invalid config changes are automatically rejected and rolled back:
cfg, _ := confii.New[AppConfig](ctx,
confii.WithLoaders(loader.NewYAML("config.yaml")),
confii.WithDynamicReloading(true),
confii.WithValidateOnLoad(true),
)
If the new config fails validation, the reload is rolled back to the previous state.
Combine with observability
Enable metrics and events to monitor reloads in production:
Do not watch files on networked or ephemeral filesystems
fsnotify relies on OS-level filesystem events (inotify on Linux, kqueue on macOS). Network filesystems (NFS, CIFS) and container volumes may not reliably produce these events. For such environments, use a manual polling approach with cfg.Reload(ctx) on a timer instead.
Rate limiting
Editors may produce multiple write events in quick succession (e.g., write temp file, rename). fsnotify may fire multiple events for a single save. Confii's incremental check (mtime + hash) mitigates redundant reloads at the source level.
Full Example¶
package main
import (
"context"
"fmt"
"log"
"os"
"os/signal"
"syscall"
confii "github.com/confiify/confii-go"
"github.com/confiify/confii-go/loader"
)
func main() {
ctx := context.Background()
cfg, err := confii.New[any](ctx,
confii.WithLoaders(loader.NewYAML("config.yaml")),
confii.WithDynamicReloading(true),
confii.WithValidateOnLoad(true),
)
if err != nil {
log.Fatal(err)
}
defer cfg.StopWatching()
cfg.OnChange(func(key string, oldVal, newVal any) {
fmt.Printf("[config] %s changed: %v -> %v\n", key, oldVal, newVal)
})
fmt.Println("Watching for config changes. Press Ctrl+C to exit.")
// Block until signal
sigCh := make(chan os.Signal, 1)
signal.Notify(sigCh, syscall.SIGINT, syscall.SIGTERM)
<-sigCh
fmt.Println("Shutting down.")
}