Compare commits

...

3 Commits

Author SHA1 Message Date
Anton Tiurin b2fb1586ce
circleci: pluginloader is tested w/o coverpkg
Signed-off-by: Anton Tiurin <noxiouz@yandex.ru>
2017-02-17 03:29:15 +03:00
Anton Tiurin 9b1e893755
Introduce dynamic plugins
go1.8 Plugin package brings a mechanism for dynamyc loading.
StorageDriver or AccessController can be compiled as plugin
and can be loaded at runtime.

Signed-off-by: Anton Tiurin <noxiouz@yandex.ru>
2017-02-17 02:34:19 +03:00
Derek McGowan beabc206e1
Update tests to use go1.8 rc2
Tests only, do not merge into master

Signed-off-by: Derek McGowan <derek@mcgstyle.net> (github: dmcgowan)
2017-01-23 17:27:54 -08:00
13 changed files with 220 additions and 11 deletions

View File

@ -1,10 +1,10 @@
FROM golang:1.7-alpine
FROM golang:1.8-alpine
ENV DISTRIBUTION_DIR /go/src/github.com/docker/distribution
ENV DOCKER_BUILDTAGS include_oss include_gcs
RUN set -ex \
&& apk add --no-cache make git
&& apk add --no-cache make git build-base
WORKDIR $DISTRIBUTION_DIR
COPY . $DISTRIBUTION_DIR

View File

@ -8,7 +8,7 @@ machine:
post:
# go
- gvm install go1.7 --prefer-binary --name=stable
- gvm install go1.8 --prefer-binary --name=stable
environment:
# Convenient shortcuts to "common" locations
@ -72,7 +72,12 @@ test:
override:
# Test stable, and report
- gvm use stable; export ROOT_PACKAGE=$(go list .); go list -tags "$DOCKER_BUILDTAGS" ./... | grep -v "/vendor/" | xargs -L 1 -I{} bash -c 'export PACKAGE={}; go test -tags "$DOCKER_BUILDTAGS" -test.short -coverprofile=$GOPATH/src/$PACKAGE/coverage.out -coverpkg=$(./coverpkg.sh $PACKAGE $ROOT_PACKAGE) $PACKAGE':
- gvm use stable; export ROOT_PACKAGE=$(go list .); go list -tags "$DOCKER_BUILDTAGS" ./... | grep -v "/vendor/" | grep -v pluginloader | xargs -L 1 -I{} bash -c 'export PACKAGE={}; go test -tags "$DOCKER_BUILDTAGS" -test.short -coverprofile=$GOPATH/src/$PACKAGE/coverage.out -coverpkg=$(./coverpkg.sh $PACKAGE $ROOT_PACKAGE) $PACKAGE':
timeout: 1000
pwd: $BASE_STABLE
# coverpkg changes the signature of compiled packages
- gvm use stable; export PACKAGE=github.com/docker/distribution/registry/pluginloader; go test -tags "$DOCKER_BUILDTAGS" -test.short -coverprofile=$GOPATH/src/$PACKAGE/coverage.out $PACKAGE:
timeout: 1000
pwd: $BASE_STABLE

View File

@ -48,6 +48,9 @@ type Configuration struct {
// deprecated. Please use Log.Level in the future.
Loglevel Loglevel `yaml:"loglevel,omitempty"`
// Plugins is a path where plugins are expected to be found
Plugins []string `yaml:"plugins,omitempty"`
// Storage is the configuration for the registry's storage driver
Storage Storage `yaml:"storage"`

View File

@ -89,6 +89,10 @@ log:
to:
- errors@example.com
loglevel: debug # deprecated: use "log"
plugins:
- /plugins/
- /plugin/driver1.so
- /plugin/auth1.so
storage:
filesystem:
rootdirectory: /var/lib/registry
@ -359,6 +363,21 @@ loglevel: debug
Permitted values are `error`, `warn`, `info` and `debug`. The default is
`info`.
## `plugins`
```none
plugins:
- /plugins/
- /plugin/driver1.so
- /plugin/auth1.so
```
> Requires golang >= 1.8
Directory with plugins or paths point to plugins. Plugin are loaded before trying to initialize
any driver or authcontroller. If a path is a directory, it is scanned for plugins loading all files
with a is common shared library extension on the platform (`.so`, `.dylib`, `dll`).
## `storage`
```none

View File

@ -198,5 +198,14 @@ func GetAccessController(name string, options map[string]interface{}) (AccessCon
return initFunc(options)
}
return nil, fmt.Errorf("no access controller registered with name: %s", name)
return nil, InvalidAccessControllerError{name}
}
// InvalidAccessControllerError records an attempt to construct an unregistered storage driver
type InvalidAccessControllerError struct {
Name string
}
func (err InvalidAccessControllerError) Error() string {
return fmt.Sprintf("no access controller registered with name: %s", err.Name)
}

View File

@ -27,6 +27,7 @@ import (
"github.com/docker/distribution/registry/auth"
registrymiddleware "github.com/docker/distribution/registry/middleware/registry"
repositorymiddleware "github.com/docker/distribution/registry/middleware/repository"
"github.com/docker/distribution/registry/pluginloader"
"github.com/docker/distribution/registry/proxy"
"github.com/docker/distribution/registry/storage"
memorycache "github.com/docker/distribution/registry/storage/cache/memory"
@ -117,9 +118,6 @@ func NewApp(ctx context.Context, config *configuration.Configuration) *App {
var err error
app.driver, err = factory.Create(config.Storage.Type(), storageParams)
if err != nil {
// TODO(stevvooe): Move the creation of a service into a protected
// method, where this is created lazily. Its status can be queried via
// a health check.
panic(err)
}
@ -157,6 +155,12 @@ func NewApp(ctx context.Context, config *configuration.Configuration) *App {
app.configureRedis(config)
app.configureLogHook(config)
if len(config.Plugins) != 0 {
if err = pluginloader.LoadPlugins(app, config.Plugins); err != nil {
ctxu.GetLogger(app).Errorf("could not load plugins from %s: %v", config.Plugins, err)
}
}
options := registrymiddleware.GetRegistryOptions()
if config.Compatibility.Schema1.TrustKey != "" {
app.trustKey, err = libtrust.LoadKeyFile(config.Compatibility.Schema1.TrustKey)
@ -301,11 +305,10 @@ func NewApp(ctx context.Context, config *configuration.Configuration) *App {
authType := config.Auth.Type()
if authType != "" {
accessController, err := auth.GetAccessController(config.Auth.Type(), config.Auth.Parameters())
app.accessController, err = auth.GetAccessController(authType, config.Auth.Parameters())
if err != nil {
panic(fmt.Sprintf("unable to configure authorization (%s): %v", authType, err))
panic(err)
}
app.accessController = accessController
ctxu.GetLogger(app).Debugf("configured %q access controller", authType)
}

View File

@ -0,0 +1,80 @@
// +build go1.8,!race
package pluginloader
import (
"io/ioutil"
"os"
"os/exec"
"path/filepath"
"testing"
check "gopkg.in/check.v1"
ctxu "github.com/docker/distribution/context"
"github.com/docker/distribution/registry/auth"
storagedriver "github.com/docker/distribution/registry/storage/driver"
"github.com/docker/distribution/registry/storage/driver/factory"
"github.com/docker/distribution/registry/storage/driver/testsuites"
)
func TestPlugins(t *testing.T) {
tempdir, err := ioutil.TempDir("", "ditributiontestplugins")
if err != nil {
t.Fatalf("can not create tempdirectory %v\n", err)
}
defer os.RemoveAll(tempdir)
pluginpath := filepath.Join(tempdir, "testplugin"+suffix)
gobinary, err := exec.LookPath("go")
if err != nil {
t.Fatalf("LookPath can not locate go binary: %v", err)
}
t.Logf("compile plugin into %s by %s\n", pluginpath, gobinary)
cmd := exec.Command(gobinary, "build", "-o", pluginpath, "-buildmode", "plugin", "github.com/docker/distribution/registry/pluginloader/testplugin")
if err = cmd.Run(); err != nil {
output, _ := cmd.CombinedOutput()
t.Fatalf("plugin compilation failed %v %s\n", err, output)
}
t.Run("TestLoadPlugin", func(t *testing.T) {
_, err := factory.Create("inmemory", nil)
if _, ok := err.(factory.InvalidStorageDriverError); !ok {
t.Fatalf("inmemory driver is not expected to be built in: %T\n", err)
}
_, err = auth.GetAccessController("silly", nil)
if _, ok := err.(auth.InvalidAccessControllerError); !ok {
t.Fatalf("silly plugin is not expected to be built in: %T\n", err)
}
err = LoadPlugins(ctxu.Background(), []string{pluginpath})
if err != nil {
t.Fatalf("loading failed %v\n", err)
}
dr, err := factory.Create("inmemory", nil)
if err != nil {
t.Fatalf("dynamic driver construction failed %v\n", err)
}
if dr == nil {
t.Fatal("driver is not expected to be nil")
}
ac, err := auth.GetAccessController("silly", map[string]interface{}{"realm": "realm", "service": "dummy"})
if err != nil {
t.Fatalf("AccessController construction failed %v\n", err)
}
if ac == nil {
t.Fatal("AccessController is not expected to be nil")
}
})
t.Run("InmemoryDriverTestSuite", func(t *testing.T) {
inmemoryDriverConstructor := func() (storagedriver.StorageDriver, error) {
return factory.Create("inmemory", nil)
}
testsuites.RegisterSuite(inmemoryDriverConstructor, testsuites.NeverSkip)
check.TestingT(t)
})
}

View File

@ -0,0 +1,54 @@
// +build go1.8
package pluginloader
import (
"os"
"path/filepath"
"plugin"
ctxu "github.com/docker/distribution/context"
)
// LoadPlugins loads plugins pointed by paths. If a path points to a directory
// this directory is scanned for files with a platform specific shared library suffix (like .so, .dylib, .dll).
// NOTE: Plugins are expected to register themselves the same way as built-ins do.
// Storage drivers should use `factory.Register`, AccessControllers `auth.Register` in init().
func LoadPlugins(ctx ctxu.Context, paths []string) error {
for _, pluginpath := range paths {
fi, err := os.Stat(pluginpath)
if err != nil {
if os.IsNotExist(err) {
ctxu.GetLogger(ctx).Errorf("plugin file %s does not exist", pluginpath)
} else {
ctxu.GetLogger(ctx).Errorf("could not Stat plugin file %s: %v", pluginpath, err)
}
continue
}
if !fi.IsDir() {
if err = loadplugin(pluginpath); err != nil {
ctxu.GetLogger(ctx).Errorf("could not load plugin %s: %v", pluginpath, err)
}
continue
}
// To preserve the order we do not append this plugins to the paths
matches, err := filepath.Glob(filepath.Join(pluginpath, "*"+suffix))
if err != nil {
return err
}
for _, pluginpath := range matches {
if err = loadplugin(pluginpath); err != nil {
ctxu.GetLogger(ctx).Errorf("could not load plugin %s: %v", pluginpath, err)
}
}
}
return nil
}
func loadplugin(path string) error {
_, err := plugin.Open(path)
return err
}

View File

@ -0,0 +1,13 @@
// +build !go1.8
package pluginloader
import (
"fmt"
"github.com/docker/distribution/context"
)
func LoadPlugins(ctx context.Context, paths []string) error {
return fmt.Errorf("only golang >= 1.8 supports dynamic plugins")
}

View File

@ -0,0 +1,5 @@
// +build !darwin,!windows
package pluginloader
const suffix = ".so"

View File

@ -0,0 +1,5 @@
// +build darwin
package pluginloader
const suffix = ".dylib"

View File

@ -0,0 +1,5 @@
// +build windows
package pluginloader
const suffix = ".dll"

View File

@ -0,0 +1,8 @@
package main
import (
_ "github.com/docker/distribution/registry/auth/silly"
_ "github.com/docker/distribution/registry/storage/driver/inmemory"
)
func main() {}