Home >Backend Development >Golang >How to Manage Concurrent Customer Configuration Data with Incremental Updates and Avoid Data Loss?
This code manages a concurrent map that stores data for a customer configuration. During server startup, it loads data from specific files into the map. It also monitors for new files and updates the map with data from those files, clearing the old state.
The issue arises when the read method encounters an error. In this case, the entire map is cleared, leaving it empty even though the previous configuration data should be preserved.
The proposed solution simplifies the data management process:
<code class="go">type CustomerConfig struct { Data map[string]bool // Add other properties if needed LoadedAt time.Time } func loadConfig() (*CustomerConfig, error) { cfg := &CustomerConfig{ Data: map[string]bool{}, LoadedAt: time.Now(), } // Implement the file loading logic here // If an error occurs, return it // If successful, return the config return cfg, nil } type ConfigCache struct { configMu sync.RWMutex config *CustomerConfig closeCh chan struct{} } func NewConfigCache() (*ConfigCache, error) { cfg, err := loadConfig() if err != nil { return nil, fmt.Errorf("loading initial config failed: %w", err) } cc := &ConfigCache{ config: cfg, closeCh: make(chan struct{}), } // Launch goroutine to refresh config go cc.refresher() return cc, nil } func (cc *ConfigCache) refresher() { ticker := time.NewTicker(1 * time.Minute) // Every minute defer ticker.Stop() for { select { case <-ticker.C: // Implement the logic to detect changes changes := false if !changes { continue } cfg, err := loadConfig() if err != nil { log.Printf("Failed to load config: %v", err) continue } cc.configMu.Lock() cc.config = cfg cc.configMu.Unlock() case <-cc.closeCh: return } } } func (cc *ConfigCache) Stop() { close(cc.closeCh) } func (cc *ConfigCache) GetConfig() *CustomerConfig { cc.configMu.RLock() defer cc.configMu.RUnlock() return cc.config }</code>
<code class="go">// Initialize the cache cc, err := NewConfigCache() if err != nil { // Handle the error } // Get the current configuration when needed cfg := cc.GetConfig() // Remember to stop the cache manager when appropriate cc.Stop()</code>
This solution prevents the issue of losing the previous configuration and simplifies the handling of configuration updates.
The above is the detailed content of How to Manage Concurrent Customer Configuration Data with Incremental Updates and Avoid Data Loss?. For more information, please follow other related articles on the PHP Chinese website!