mirror of
https://github.com/foxcpp/maddy.git
synced 2025-04-06 22:47:37 +03:00
The intention is to keep to repo root clean while the list of packages is slowly growing. Additionally, a bunch of small (~30 LoC) files in the repo root is merged into a single maddy.go file, for the same reason. Most of the internal code is moved into the internal/ directory. Go toolchain will make it impossible to import these packages from external applications. Some packages are renamed and moved into the pkg/ directory in the root. According to https://github.com/golang-standards/project-layout this is the de-facto standard to place "library code that's ok to use by external applications" in. To clearly define the purpose of top-level directories, README.md files are added to each.
65 lines
1.6 KiB
Go
65 lines
1.6 KiB
Go
package module
|
|
|
|
import (
|
|
"sync"
|
|
)
|
|
|
|
var (
|
|
modules = make(map[string]FuncNewModule)
|
|
endpoints = make(map[string]FuncNewEndpoint)
|
|
modulesLock sync.RWMutex
|
|
)
|
|
|
|
// Register adds module factory function to global registry.
|
|
//
|
|
// name must be unique. Register will panic if module with specified name
|
|
// already exists in registry.
|
|
//
|
|
// You probably want to call this function from func init() of module package.
|
|
func Register(name string, factory FuncNewModule) {
|
|
modulesLock.Lock()
|
|
defer modulesLock.Unlock()
|
|
|
|
if _, ok := modules[name]; ok {
|
|
panic("Register: module with specified name is already registered: " + name)
|
|
}
|
|
|
|
modules[name] = factory
|
|
}
|
|
|
|
// Get returns module from global registry.
|
|
//
|
|
// This function does not return endpoint-type modules, use GetEndpoint for
|
|
// that.
|
|
// Nil is returned if no module with specified name is registered.
|
|
func Get(name string) FuncNewModule {
|
|
modulesLock.RLock()
|
|
defer modulesLock.RUnlock()
|
|
|
|
return modules[name]
|
|
}
|
|
|
|
// GetEndpoints returns an endpoint module from global registry.
|
|
//
|
|
// Nil is returned if no module with specified name is registered.
|
|
func GetEndpoint(name string) FuncNewEndpoint {
|
|
modulesLock.RLock()
|
|
defer modulesLock.RUnlock()
|
|
|
|
return endpoints[name]
|
|
}
|
|
|
|
// RegisterEndpoint registers an endpoint module.
|
|
//
|
|
// See FuncNewEndpoint for information about
|
|
// differences of endpoint modules from regular modules.
|
|
func RegisterEndpoint(name string, factory FuncNewEndpoint) {
|
|
modulesLock.Lock()
|
|
defer modulesLock.Unlock()
|
|
|
|
if _, ok := endpoints[name]; ok {
|
|
panic("Register: module with specified name is already registered: " + name)
|
|
}
|
|
|
|
endpoints[name] = factory
|
|
}
|