Last active
December 2, 2024 18:39
-
-
Save plutov/69d22552c696d48496563529c624e0b7 to your computer and use it in GitHub Desktop.
ttlmap.go
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
package ttlmap | |
import ( | |
"sync" | |
"time" | |
) | |
// item is a struct that holds the value and the last access time | |
type item struct { | |
value interface{} | |
lastAccess int64 | |
} | |
// You can have a single map for an application or few maps for different purposes | |
type TTLMap struct { | |
m map[string]*item | |
// For safe access to the map | |
mu sync.Mutex | |
} | |
func New(size int, maxTTL int) (m *TTLMap) { | |
// map is created with the given length | |
m = &TTLMap{m: make(map[string]*item, size)} | |
// this goroutine will clean up the map from old items | |
go func() { | |
// You can adjust this ticker to be more or less frequent | |
for now := range time.Tick(time.Second) { | |
m.mu.Lock() | |
for k, v := range m.m { | |
if now.Unix() - v.lastAccess > int64(maxTTL) { | |
delete(m.m, k) | |
} | |
} | |
m.mu.Unlock() | |
} | |
}() | |
return | |
} | |
// Put adds a new item to the map or updates the existing one | |
func (m *TTLMap) Put(k string, v interface{}) { | |
m.mu.Lock() | |
defer m.mu.Unlock() | |
it, ok := m.m[k] | |
if !ok { | |
it = &item{ | |
value: v, | |
} | |
} | |
it.value = v | |
it.lastAccess = time.Now().Unix() | |
m.m[k] = it | |
} | |
// Get returns the value of the given key if it exists | |
func (m *TTLMap) Get(k string) (interface{}, bool) { | |
m.mu.Lock() | |
defer m.mu.Unlock() | |
if it, ok := m.m[k]; ok { | |
it.lastAccess = time.Now().Unix() | |
return it.value, true | |
} | |
return nil, false | |
} | |
// Delete removes the item from the map | |
func (m *TTLMap) Delete(k string) { | |
m.mu.Lock() | |
defer m.mu.Unlock() | |
if it, ok := m.m[k]; ok { | |
delete(m.m, k) | |
} | |
} |
@mtchuyen good question, probably intervals could be longer for big maps.
I found comment: golang/go#58740 (comment)
1Mil = 60ms (sample)...
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
https://gist.github.com/plutov/69d22552c696d48496563529c624e0b7#file-ttlmap-go-L26
goroutine has Tick(time.Second), if size is MaxInt32, then how long to skip mutex?