forked from TrueCloudLab/distribution
registry: getting Endpoint ironned out
Signed-off-by: Vincent Batts <vbatts@redhat.com>
This commit is contained in:
parent
48b43c2645
commit
d629bebce2
6 changed files with 177 additions and 103 deletions
129
docs/endpoint.go
Normal file
129
docs/endpoint.go
Normal file
|
@ -0,0 +1,129 @@
|
||||||
|
package registry
|
||||||
|
|
||||||
|
import (
|
||||||
|
"encoding/json"
|
||||||
|
"errors"
|
||||||
|
"fmt"
|
||||||
|
"io/ioutil"
|
||||||
|
"net/http"
|
||||||
|
"net/url"
|
||||||
|
"strings"
|
||||||
|
|
||||||
|
"github.com/docker/docker/pkg/log"
|
||||||
|
)
|
||||||
|
|
||||||
|
// scans string for api version in the URL path. returns the trimmed hostname, if version found, string and API version.
|
||||||
|
func scanForApiVersion(hostname string) (string, APIVersion) {
|
||||||
|
var (
|
||||||
|
chunks []string
|
||||||
|
apiVersionStr string
|
||||||
|
)
|
||||||
|
if strings.HasSuffix(hostname, "/") {
|
||||||
|
chunks = strings.Split(hostname[:len(hostname)-1], "/")
|
||||||
|
apiVersionStr = chunks[len(chunks)-1]
|
||||||
|
} else {
|
||||||
|
chunks = strings.Split(hostname, "/")
|
||||||
|
apiVersionStr = chunks[len(chunks)-1]
|
||||||
|
}
|
||||||
|
for k, v := range apiVersions {
|
||||||
|
if apiVersionStr == v {
|
||||||
|
hostname = strings.Join(chunks[:len(chunks)-1], "/")
|
||||||
|
return hostname, k
|
||||||
|
}
|
||||||
|
}
|
||||||
|
return hostname, DefaultAPIVersion
|
||||||
|
}
|
||||||
|
|
||||||
|
func NewEndpoint(hostname string) (*Endpoint, error) {
|
||||||
|
var (
|
||||||
|
endpoint Endpoint
|
||||||
|
trimmedHostname string
|
||||||
|
err error
|
||||||
|
)
|
||||||
|
if !strings.HasPrefix(hostname, "http") {
|
||||||
|
hostname = "https://" + hostname
|
||||||
|
}
|
||||||
|
trimmedHostname, endpoint.Version = scanForApiVersion(hostname)
|
||||||
|
endpoint.URL, err = url.Parse(trimmedHostname)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
|
||||||
|
endpoint.URL.Scheme = "https"
|
||||||
|
if _, err := endpoint.Ping(); err != nil {
|
||||||
|
log.Debugf("Registry %s does not work (%s), falling back to http", endpoint, err)
|
||||||
|
// TODO: Check if http fallback is enabled
|
||||||
|
endpoint.URL.Scheme = "http"
|
||||||
|
if _, err = endpoint.Ping(); err != nil {
|
||||||
|
return nil, errors.New("Invalid Registry endpoint: " + err.Error())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return &endpoint, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
type Endpoint struct {
|
||||||
|
URL *url.URL
|
||||||
|
Version APIVersion
|
||||||
|
}
|
||||||
|
|
||||||
|
// Get the formated URL for the root of this registry Endpoint
|
||||||
|
func (e Endpoint) String() string {
|
||||||
|
return fmt.Sprintf("%s/v%d/", e.URL.String(), e.Version)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (e Endpoint) VersionString(version APIVersion) string {
|
||||||
|
return fmt.Sprintf("%s/v%d/", e.URL.String(), version)
|
||||||
|
}
|
||||||
|
|
||||||
|
func (e Endpoint) Ping() (RegistryInfo, error) {
|
||||||
|
if e.String() == IndexServerAddress() {
|
||||||
|
// Skip the check, we now this one is valid
|
||||||
|
// (and we never want to fallback to http in case of error)
|
||||||
|
return RegistryInfo{Standalone: false}, nil
|
||||||
|
}
|
||||||
|
|
||||||
|
req, err := http.NewRequest("GET", e.String()+"_ping", nil)
|
||||||
|
if err != nil {
|
||||||
|
return RegistryInfo{Standalone: false}, err
|
||||||
|
}
|
||||||
|
|
||||||
|
resp, _, err := doRequest(req, nil, ConnectTimeout)
|
||||||
|
if err != nil {
|
||||||
|
return RegistryInfo{Standalone: false}, err
|
||||||
|
}
|
||||||
|
|
||||||
|
defer resp.Body.Close()
|
||||||
|
|
||||||
|
jsonString, err := ioutil.ReadAll(resp.Body)
|
||||||
|
if err != nil {
|
||||||
|
return RegistryInfo{Standalone: false}, fmt.Errorf("Error while reading the http response: %s", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
// If the header is absent, we assume true for compatibility with earlier
|
||||||
|
// versions of the registry. default to true
|
||||||
|
info := RegistryInfo{
|
||||||
|
Standalone: true,
|
||||||
|
}
|
||||||
|
if err := json.Unmarshal(jsonString, &info); err != nil {
|
||||||
|
log.Debugf("Error unmarshalling the _ping RegistryInfo: %s", err)
|
||||||
|
// don't stop here. Just assume sane defaults
|
||||||
|
}
|
||||||
|
if hdr := resp.Header.Get("X-Docker-Registry-Version"); hdr != "" {
|
||||||
|
log.Debugf("Registry version header: '%s'", hdr)
|
||||||
|
info.Version = hdr
|
||||||
|
}
|
||||||
|
log.Debugf("RegistryInfo.Version: %q", info.Version)
|
||||||
|
|
||||||
|
standalone := resp.Header.Get("X-Docker-Registry-Standalone")
|
||||||
|
log.Debugf("Registry standalone header: '%s'", standalone)
|
||||||
|
// Accepted values are "true" (case-insensitive) and "1".
|
||||||
|
if strings.EqualFold(standalone, "true") || standalone == "1" {
|
||||||
|
info.Standalone = true
|
||||||
|
} else if len(standalone) > 0 {
|
||||||
|
// there is a header set, and it is not "true" or "1", so assume fails
|
||||||
|
info.Standalone = false
|
||||||
|
}
|
||||||
|
log.Debugf("RegistryInfo.Standalone: %q", info.Standalone)
|
||||||
|
return info, nil
|
||||||
|
}
|
|
@ -3,7 +3,6 @@ package registry
|
||||||
import (
|
import (
|
||||||
"crypto/tls"
|
"crypto/tls"
|
||||||
"crypto/x509"
|
"crypto/x509"
|
||||||
"encoding/json"
|
|
||||||
"errors"
|
"errors"
|
||||||
"fmt"
|
"fmt"
|
||||||
"io/ioutil"
|
"io/ioutil"
|
||||||
|
@ -15,7 +14,6 @@ import (
|
||||||
"strings"
|
"strings"
|
||||||
"time"
|
"time"
|
||||||
|
|
||||||
"github.com/docker/docker/pkg/log"
|
|
||||||
"github.com/docker/docker/utils"
|
"github.com/docker/docker/utils"
|
||||||
)
|
)
|
||||||
|
|
||||||
|
@ -152,55 +150,6 @@ func doRequest(req *http.Request, jar http.CookieJar, timeout TimeoutType) (*htt
|
||||||
return nil, nil, nil
|
return nil, nil, nil
|
||||||
}
|
}
|
||||||
|
|
||||||
func pingRegistryEndpoint(endpoint string) (RegistryInfo, error) {
|
|
||||||
if endpoint == IndexServerAddress() {
|
|
||||||
// Skip the check, we now this one is valid
|
|
||||||
// (and we never want to fallback to http in case of error)
|
|
||||||
return RegistryInfo{Standalone: false}, nil
|
|
||||||
}
|
|
||||||
|
|
||||||
req, err := http.NewRequest("GET", endpoint+"_ping", nil)
|
|
||||||
if err != nil {
|
|
||||||
return RegistryInfo{Standalone: false}, err
|
|
||||||
}
|
|
||||||
|
|
||||||
resp, _, err := doRequest(req, nil, ConnectTimeout)
|
|
||||||
if err != nil {
|
|
||||||
return RegistryInfo{Standalone: false}, err
|
|
||||||
}
|
|
||||||
|
|
||||||
defer resp.Body.Close()
|
|
||||||
|
|
||||||
jsonString, err := ioutil.ReadAll(resp.Body)
|
|
||||||
if err != nil {
|
|
||||||
return RegistryInfo{Standalone: false}, fmt.Errorf("Error while reading the http response: %s", err)
|
|
||||||
}
|
|
||||||
|
|
||||||
// If the header is absent, we assume true for compatibility with earlier
|
|
||||||
// versions of the registry. default to true
|
|
||||||
info := RegistryInfo{
|
|
||||||
Standalone: true,
|
|
||||||
}
|
|
||||||
if err := json.Unmarshal(jsonString, &info); err != nil {
|
|
||||||
log.Debugf("Error unmarshalling the _ping RegistryInfo: %s", err)
|
|
||||||
// don't stop here. Just assume sane defaults
|
|
||||||
}
|
|
||||||
if hdr := resp.Header.Get("X-Docker-Registry-Version"); hdr != "" {
|
|
||||||
log.Debugf("Registry version header: '%s'", hdr)
|
|
||||||
info.Version = hdr
|
|
||||||
}
|
|
||||||
log.Debugf("RegistryInfo.Version: %q", info.Version)
|
|
||||||
|
|
||||||
standalone := resp.Header.Get("X-Docker-Registry-Standalone")
|
|
||||||
log.Debugf("Registry standalone header: '%s'", standalone)
|
|
||||||
if !strings.EqualFold(standalone, "true") && standalone != "1" && len(standalone) > 0 {
|
|
||||||
// there is a header set, and it is not "true" or "1", so assume fails
|
|
||||||
info.Standalone = false
|
|
||||||
}
|
|
||||||
log.Debugf("RegistryInfo.Standalone: %q", info.Standalone)
|
|
||||||
return info, nil
|
|
||||||
}
|
|
||||||
|
|
||||||
func validateRepositoryName(repositoryName string) error {
|
func validateRepositoryName(repositoryName string) error {
|
||||||
var (
|
var (
|
||||||
namespace string
|
namespace string
|
||||||
|
@ -252,33 +201,6 @@ func ResolveRepositoryName(reposName string) (string, string, error) {
|
||||||
return hostname, reposName, nil
|
return hostname, reposName, nil
|
||||||
}
|
}
|
||||||
|
|
||||||
// this method expands the registry name as used in the prefix of a repo
|
|
||||||
// to a full url. if it already is a url, there will be no change.
|
|
||||||
// The registry is pinged to test if it http or https
|
|
||||||
func ExpandAndVerifyRegistryUrl(hostname string) (string, error) {
|
|
||||||
if strings.HasPrefix(hostname, "http:") || strings.HasPrefix(hostname, "https:") {
|
|
||||||
// if there is no slash after https:// (8 characters) then we have no path in the url
|
|
||||||
if strings.LastIndex(hostname, "/") < 9 {
|
|
||||||
// there is no path given. Expand with default path
|
|
||||||
hostname = hostname + "/v1/"
|
|
||||||
}
|
|
||||||
if _, err := pingRegistryEndpoint(hostname); err != nil {
|
|
||||||
return "", errors.New("Invalid Registry endpoint: " + err.Error())
|
|
||||||
}
|
|
||||||
return hostname, nil
|
|
||||||
}
|
|
||||||
endpoint := fmt.Sprintf("https://%s/v1/", hostname)
|
|
||||||
if _, err := pingRegistryEndpoint(endpoint); err != nil {
|
|
||||||
log.Debugf("Registry %s does not work (%s), falling back to http", endpoint, err)
|
|
||||||
endpoint = fmt.Sprintf("http://%s/v1/", hostname)
|
|
||||||
if _, err = pingRegistryEndpoint(endpoint); err != nil {
|
|
||||||
//TODO: triggering highland build can be done there without "failing"
|
|
||||||
return "", errors.New("Invalid Registry endpoint: " + err.Error())
|
|
||||||
}
|
|
||||||
}
|
|
||||||
return endpoint, nil
|
|
||||||
}
|
|
||||||
|
|
||||||
func trustedLocation(req *http.Request) bool {
|
func trustedLocation(req *http.Request) bool {
|
||||||
var (
|
var (
|
||||||
trusteds = []string{"docker.com", "docker.io"}
|
trusteds = []string{"docker.com", "docker.io"}
|
||||||
|
|
|
@ -18,7 +18,11 @@ var (
|
||||||
|
|
||||||
func spawnTestRegistrySession(t *testing.T) *Session {
|
func spawnTestRegistrySession(t *testing.T) *Session {
|
||||||
authConfig := &AuthConfig{}
|
authConfig := &AuthConfig{}
|
||||||
r, err := NewSession(authConfig, utils.NewHTTPRequestFactory(), makeURL("/v1/"), true)
|
endpoint, err := NewEndpoint(makeURL("/v1/"))
|
||||||
|
if err != nil {
|
||||||
|
t.Fatal(err)
|
||||||
|
}
|
||||||
|
r, err := NewSession(authConfig, utils.NewHTTPRequestFactory(), endpoint, true)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
t.Fatal(err)
|
t.Fatal(err)
|
||||||
}
|
}
|
||||||
|
@ -26,7 +30,11 @@ func spawnTestRegistrySession(t *testing.T) *Session {
|
||||||
}
|
}
|
||||||
|
|
||||||
func TestPingRegistryEndpoint(t *testing.T) {
|
func TestPingRegistryEndpoint(t *testing.T) {
|
||||||
regInfo, err := pingRegistryEndpoint(makeURL("/v1/"))
|
ep, err := NewEndpoint(makeURL("/v1/"))
|
||||||
|
if err != nil {
|
||||||
|
t.Fatal(err)
|
||||||
|
}
|
||||||
|
regInfo, err := ep.Ping()
|
||||||
if err != nil {
|
if err != nil {
|
||||||
t.Fatal(err)
|
t.Fatal(err)
|
||||||
}
|
}
|
||||||
|
@ -197,7 +205,7 @@ func TestPushImageJSONIndex(t *testing.T) {
|
||||||
if repoData == nil {
|
if repoData == nil {
|
||||||
t.Fatal("Expected RepositoryData object")
|
t.Fatal("Expected RepositoryData object")
|
||||||
}
|
}
|
||||||
repoData, err = r.PushImageJSONIndex("foo42/bar", imgData, true, []string{r.indexEndpoint})
|
repoData, err = r.PushImageJSONIndex("foo42/bar", imgData, true, []string{r.indexEndpoint.String()})
|
||||||
if err != nil {
|
if err != nil {
|
||||||
t.Fatal(err)
|
t.Fatal(err)
|
||||||
}
|
}
|
||||||
|
|
|
@ -40,11 +40,14 @@ func (s *Service) Auth(job *engine.Job) engine.Status {
|
||||||
job.GetenvJson("authConfig", authConfig)
|
job.GetenvJson("authConfig", authConfig)
|
||||||
// TODO: this is only done here because auth and registry need to be merged into one pkg
|
// TODO: this is only done here because auth and registry need to be merged into one pkg
|
||||||
if addr := authConfig.ServerAddress; addr != "" && addr != IndexServerAddress() {
|
if addr := authConfig.ServerAddress; addr != "" && addr != IndexServerAddress() {
|
||||||
addr, err = ExpandAndVerifyRegistryUrl(addr)
|
endpoint, err := NewEndpoint(addr)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return job.Error(err)
|
return job.Error(err)
|
||||||
}
|
}
|
||||||
authConfig.ServerAddress = addr
|
if _, err := endpoint.Ping(); err != nil {
|
||||||
|
return job.Error(err)
|
||||||
|
}
|
||||||
|
authConfig.ServerAddress = endpoint.String()
|
||||||
}
|
}
|
||||||
status, err := Login(authConfig, HTTPRequestFactory(nil))
|
status, err := Login(authConfig, HTTPRequestFactory(nil))
|
||||||
if err != nil {
|
if err != nil {
|
||||||
|
@ -86,11 +89,11 @@ func (s *Service) Search(job *engine.Job) engine.Status {
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return job.Error(err)
|
return job.Error(err)
|
||||||
}
|
}
|
||||||
hostname, err = ExpandAndVerifyRegistryUrl(hostname)
|
endpoint, err := NewEndpoint(hostname)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return job.Error(err)
|
return job.Error(err)
|
||||||
}
|
}
|
||||||
r, err := NewSession(authConfig, HTTPRequestFactory(metaHeaders), hostname, true)
|
r, err := NewSession(authConfig, HTTPRequestFactory(metaHeaders), endpoint, true)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return job.Error(err)
|
return job.Error(err)
|
||||||
}
|
}
|
||||||
|
|
|
@ -25,15 +25,15 @@ import (
|
||||||
type Session struct {
|
type Session struct {
|
||||||
authConfig *AuthConfig
|
authConfig *AuthConfig
|
||||||
reqFactory *utils.HTTPRequestFactory
|
reqFactory *utils.HTTPRequestFactory
|
||||||
indexEndpoint string
|
indexEndpoint *Endpoint
|
||||||
jar *cookiejar.Jar
|
jar *cookiejar.Jar
|
||||||
timeout TimeoutType
|
timeout TimeoutType
|
||||||
}
|
}
|
||||||
|
|
||||||
func NewSession(authConfig *AuthConfig, factory *utils.HTTPRequestFactory, indexEndpoint string, timeout bool) (r *Session, err error) {
|
func NewSession(authConfig *AuthConfig, factory *utils.HTTPRequestFactory, endpoint *Endpoint, timeout bool) (r *Session, err error) {
|
||||||
r = &Session{
|
r = &Session{
|
||||||
authConfig: authConfig,
|
authConfig: authConfig,
|
||||||
indexEndpoint: indexEndpoint,
|
indexEndpoint: endpoint,
|
||||||
}
|
}
|
||||||
|
|
||||||
if timeout {
|
if timeout {
|
||||||
|
@ -47,13 +47,13 @@ func NewSession(authConfig *AuthConfig, factory *utils.HTTPRequestFactory, index
|
||||||
|
|
||||||
// If we're working with a standalone private registry over HTTPS, send Basic Auth headers
|
// If we're working with a standalone private registry over HTTPS, send Basic Auth headers
|
||||||
// alongside our requests.
|
// alongside our requests.
|
||||||
if indexEndpoint != IndexServerAddress() && strings.HasPrefix(indexEndpoint, "https://") {
|
if r.indexEndpoint.String() != IndexServerAddress() && r.indexEndpoint.URL.Scheme == "https" {
|
||||||
info, err := pingRegistryEndpoint(indexEndpoint)
|
info, err := r.indexEndpoint.Ping()
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return nil, err
|
return nil, err
|
||||||
}
|
}
|
||||||
if info.Standalone {
|
if info.Standalone {
|
||||||
log.Debugf("Endpoint %s is eligible for private registry registry. Enabling decorator.", indexEndpoint)
|
log.Debugf("Endpoint %s is eligible for private registry registry. Enabling decorator.", r.indexEndpoint.String())
|
||||||
dec := utils.NewHTTPAuthDecorator(authConfig.Username, authConfig.Password)
|
dec := utils.NewHTTPAuthDecorator(authConfig.Username, authConfig.Password)
|
||||||
factory.AddDecorator(dec)
|
factory.AddDecorator(dec)
|
||||||
}
|
}
|
||||||
|
@ -261,8 +261,7 @@ func buildEndpointsList(headers []string, indexEp string) ([]string, error) {
|
||||||
}
|
}
|
||||||
|
|
||||||
func (r *Session) GetRepositoryData(remote string) (*RepositoryData, error) {
|
func (r *Session) GetRepositoryData(remote string) (*RepositoryData, error) {
|
||||||
indexEp := r.indexEndpoint
|
repositoryTarget := fmt.Sprintf("%srepositories/%s/images", r.indexEndpoint.String(), remote)
|
||||||
repositoryTarget := fmt.Sprintf("%srepositories/%s/images", indexEp, remote)
|
|
||||||
|
|
||||||
log.Debugf("[registry] Calling GET %s", repositoryTarget)
|
log.Debugf("[registry] Calling GET %s", repositoryTarget)
|
||||||
|
|
||||||
|
@ -296,17 +295,13 @@ func (r *Session) GetRepositoryData(remote string) (*RepositoryData, error) {
|
||||||
|
|
||||||
var endpoints []string
|
var endpoints []string
|
||||||
if res.Header.Get("X-Docker-Endpoints") != "" {
|
if res.Header.Get("X-Docker-Endpoints") != "" {
|
||||||
endpoints, err = buildEndpointsList(res.Header["X-Docker-Endpoints"], indexEp)
|
endpoints, err = buildEndpointsList(res.Header["X-Docker-Endpoints"], r.indexEndpoint.String())
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return nil, err
|
return nil, err
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
// Assume the endpoint is on the same host
|
// Assume the endpoint is on the same host
|
||||||
u, err := url.Parse(indexEp)
|
endpoints = append(endpoints, fmt.Sprintf("%s://%s/v1/", r.indexEndpoint.URL.Scheme, req.URL.Host))
|
||||||
if err != nil {
|
|
||||||
return nil, err
|
|
||||||
}
|
|
||||||
endpoints = append(endpoints, fmt.Sprintf("%s://%s/v1/", u.Scheme, req.URL.Host))
|
|
||||||
}
|
}
|
||||||
|
|
||||||
checksumsJSON, err := ioutil.ReadAll(res.Body)
|
checksumsJSON, err := ioutil.ReadAll(res.Body)
|
||||||
|
@ -474,7 +469,6 @@ func (r *Session) PushRegistryTag(remote, revision, tag, registry string, token
|
||||||
|
|
||||||
func (r *Session) PushImageJSONIndex(remote string, imgList []*ImgData, validate bool, regs []string) (*RepositoryData, error) {
|
func (r *Session) PushImageJSONIndex(remote string, imgList []*ImgData, validate bool, regs []string) (*RepositoryData, error) {
|
||||||
cleanImgList := []*ImgData{}
|
cleanImgList := []*ImgData{}
|
||||||
indexEp := r.indexEndpoint
|
|
||||||
|
|
||||||
if validate {
|
if validate {
|
||||||
for _, elem := range imgList {
|
for _, elem := range imgList {
|
||||||
|
@ -494,7 +488,7 @@ func (r *Session) PushImageJSONIndex(remote string, imgList []*ImgData, validate
|
||||||
if validate {
|
if validate {
|
||||||
suffix = "images"
|
suffix = "images"
|
||||||
}
|
}
|
||||||
u := fmt.Sprintf("%srepositories/%s/%s", indexEp, remote, suffix)
|
u := fmt.Sprintf("%srepositories/%s/%s", r.indexEndpoint.String(), remote, suffix)
|
||||||
log.Debugf("[registry] PUT %s", u)
|
log.Debugf("[registry] PUT %s", u)
|
||||||
log.Debugf("Image list pushed to index:\n%s", imgListJSON)
|
log.Debugf("Image list pushed to index:\n%s", imgListJSON)
|
||||||
req, err := r.reqFactory.NewRequest("PUT", u, bytes.NewReader(imgListJSON))
|
req, err := r.reqFactory.NewRequest("PUT", u, bytes.NewReader(imgListJSON))
|
||||||
|
@ -552,7 +546,7 @@ func (r *Session) PushImageJSONIndex(remote string, imgList []*ImgData, validate
|
||||||
}
|
}
|
||||||
|
|
||||||
if res.Header.Get("X-Docker-Endpoints") != "" {
|
if res.Header.Get("X-Docker-Endpoints") != "" {
|
||||||
endpoints, err = buildEndpointsList(res.Header["X-Docker-Endpoints"], indexEp)
|
endpoints, err = buildEndpointsList(res.Header["X-Docker-Endpoints"], r.indexEndpoint.String())
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return nil, err
|
return nil, err
|
||||||
}
|
}
|
||||||
|
@ -578,7 +572,7 @@ func (r *Session) PushImageJSONIndex(remote string, imgList []*ImgData, validate
|
||||||
|
|
||||||
func (r *Session) SearchRepositories(term string) (*SearchResults, error) {
|
func (r *Session) SearchRepositories(term string) (*SearchResults, error) {
|
||||||
log.Debugf("Index server: %s", r.indexEndpoint)
|
log.Debugf("Index server: %s", r.indexEndpoint)
|
||||||
u := r.indexEndpoint + "search?q=" + url.QueryEscape(term)
|
u := r.indexEndpoint.String() + "search?q=" + url.QueryEscape(term)
|
||||||
req, err := r.reqFactory.NewRequest("GET", u, nil)
|
req, err := r.reqFactory.NewRequest("GET", u, nil)
|
||||||
if err != nil {
|
if err != nil {
|
||||||
return nil, err
|
return nil, err
|
||||||
|
|
|
@ -31,3 +31,21 @@ type RegistryInfo struct {
|
||||||
Version string `json:"version"`
|
Version string `json:"version"`
|
||||||
Standalone bool `json:"standalone"`
|
Standalone bool `json:"standalone"`
|
||||||
}
|
}
|
||||||
|
|
||||||
|
type APIVersion int
|
||||||
|
|
||||||
|
func (av APIVersion) String() string {
|
||||||
|
return apiVersions[av]
|
||||||
|
}
|
||||||
|
|
||||||
|
var DefaultAPIVersion APIVersion = APIVersion1
|
||||||
|
var apiVersions = map[APIVersion]string{
|
||||||
|
1: "v1",
|
||||||
|
2: "v2",
|
||||||
|
}
|
||||||
|
|
||||||
|
const (
|
||||||
|
_ = iota
|
||||||
|
APIVersion1 = iota
|
||||||
|
APIVersion2
|
||||||
|
)
|
||||||
|
|
Loading…
Reference in a new issue