This is a very simple implementation, just enough to get packages to
compile.
Этот коммит содержится в:
Ayke van Laethem 2020-01-22 17:25:22 +01:00 коммит произвёл Ron Evans
родитель f8876ea245
коммит 67c242173c

44
src/sync/map.go Обычный файл
Просмотреть файл

@ -0,0 +1,44 @@
package sync
// This file implements just enough of sync.Map to get packages to compile. It
// is no more efficient than a map with a lock.
type Map struct {
lock Mutex
m map[interface{}]interface{}
}
func (m *Map) Delete(key interface{}) {
m.lock.Lock()
defer m.lock.Unlock()
delete(m.m, key)
}
func (m *Map) Load(key interface{}) (value interface{}, ok bool) {
m.lock.Lock()
defer m.lock.Unlock()
value, ok = m.m[key]
return
}
func (m *Map) LoadOrStore(key, value interface{}) (actual interface{}, loaded bool) {
m.lock.Lock()
defer m.lock.Unlock()
if m.m == nil {
m.m = make(map[interface{}]interface{})
}
if existing, ok := m.m[key]; ok {
return existing, true
}
m.m[key] = value
return value, false
}
func (m *Map) Store(key, value interface{}) {
m.lock.Lock()
defer m.lock.Unlock()
if m.m == nil {
m.m = make(map[interface{}]interface{})
}
m.m[key] = value
}