Skip to content
Snippets Groups Projects
Unverified Commit 11700746 authored by Alex Clemmer's avatar Alex Clemmer Committed by GitHub
Browse files

Merge pull request #91 from hausdorff/describe

Implement `registry describe` and `dep describe`
parents 4d77fd5e 2788e257
No related branches found
No related tags found
No related merge requests found
...@@ -21,6 +21,7 @@ import ( ...@@ -21,6 +21,7 @@ import (
"strings" "strings"
"github.com/ksonnet/ksonnet/metadata" "github.com/ksonnet/ksonnet/metadata"
"github.com/ksonnet/ksonnet/metadata/parts"
"github.com/ksonnet/ksonnet/utils" "github.com/ksonnet/ksonnet/utils"
"github.com/spf13/cobra" "github.com/spf13/cobra"
) )
...@@ -29,27 +30,30 @@ const ( ...@@ -29,27 +30,30 @@ const (
flagName = "name" flagName = "name"
) )
var errInvalidSpec = fmt.Errorf("Command 'pkg install' requires a single argument of the form <registry>/<library>@<version>")
func init() { func init() {
RootCmd.AddCommand(depCmd) RootCmd.AddCommand(pkgCmd)
depCmd.AddCommand(depAddCmd) pkgCmd.AddCommand(pkgInstallCmd)
depCmd.AddCommand(depListCmd) pkgCmd.AddCommand(pkgListCmd)
depAddCmd.PersistentFlags().String(flagName, "", "Name to give the dependency") pkgCmd.AddCommand(pkgDescribeCmd)
pkgInstallCmd.PersistentFlags().String(flagName, "", "Name to give the dependency")
} }
var depCmd = &cobra.Command{ var pkgCmd = &cobra.Command{
Use: "dep", Use: "pkg",
Short: `Manage dependencies for the current ksonnet project`, Short: `Manage packages and dependencies for the current ksonnet project`,
RunE: func(cmd *cobra.Command, args []string) error { RunE: func(cmd *cobra.Command, args []string) error {
return fmt.Errorf("Command 'dep' requires a subcommand\n\n%s", cmd.UsageString()) return fmt.Errorf("Command 'pkg' requires a subcommand\n\n%s", cmd.UsageString())
}, },
} }
var depAddCmd = &cobra.Command{ var pkgInstallCmd = &cobra.Command{
Use: "add <registry>/<library>@<version>", Use: "install <registry>/<library>@<version>",
Short: `Add a dependency to current ksonnet application`, Short: `Install a package as a dependency in the current ksonnet application`,
RunE: func(cmd *cobra.Command, args []string) error { RunE: func(cmd *cobra.Command, args []string) error {
if len(args) != 1 { if len(args) != 1 {
return fmt.Errorf("Command 'dep add' requires a single argument of the form <registry>/<library>@<version>") return fmt.Errorf("Command 'pkg install' requires a single argument of the form <registry>/<library>@<version>")
} }
registry, libID, name, version, err := parseDepSpec(cmd, args[0]) registry, libID, name, version, err := parseDepSpec(cmd, args[0])
...@@ -82,7 +86,7 @@ app repository. ...@@ -82,7 +86,7 @@ app repository.
For example, inside a ksonnet application directory, run: For example, inside a ksonnet application directory, run:
ks dep get incubator/nginx@v0.1 ks pkg install incubator/nginx@v0.1
This can then be referenced in a source file in the ksonnet project: This can then be referenced in a source file in the ksonnet project:
...@@ -95,14 +99,73 @@ be added with the 'ks registry' command. ...@@ -95,14 +99,73 @@ be added with the 'ks registry' command.
Note that multiple versions of the same ksonnet library can be cached and used Note that multiple versions of the same ksonnet library can be cached and used
in the same project, by explicitly passing in the '--name' flag. For example: in the same project, by explicitly passing in the '--name' flag. For example:
ks dep get incubator/nginx@v0.1 --name nginxv1 ks pkg install incubator/nginx@v0.1 --name nginxv1
ks dep get incubator/nginx@v0.2 --name nginxv2 ks pkg install incubator/nginx@v0.2 --name nginxv2
With these commands, a user can 'import "kspkg://nginx1"', and With these commands, a user can 'import "kspkg://nginx1"', and
'import "kspkg://nginx2"' with no conflict.`, 'import "kspkg://nginx2"' with no conflict.`,
} }
var depListCmd = &cobra.Command{ var pkgDescribeCmd = &cobra.Command{
Use: "describe [<registry-name>/]<package-name>",
Short: `Describe a ksonnet package`,
RunE: func(cmd *cobra.Command, args []string) error {
if len(args) != 1 {
return fmt.Errorf("Command 'pkg describe' requires a package name\n\n%s", cmd.UsageString())
}
registryName, libID, err := parsePkgSpec(args[0])
if err == errInvalidSpec {
registryName = ""
libID = args[0]
} else if err != nil {
return err
}
cwd, err := os.Getwd()
if err != nil {
return err
}
wd := metadata.AbsPath(cwd)
manager, err := metadata.Find(wd)
if err != nil {
return err
}
var lib *parts.Spec
if registryName == "" {
lib, err = manager.GetDependency(libID)
if err != nil {
return err
}
} else {
lib, err = manager.GetPackage(registryName, libID)
if err != nil {
return err
}
}
fmt.Println(`LIBRARY NAME:`)
fmt.Println(lib.Name)
fmt.Println()
fmt.Println(`DESCRIPTION:`)
fmt.Println(lib.Description)
fmt.Println()
fmt.Println(`PROTOTYPES:`)
for _, proto := range lib.Prototypes {
fmt.Printf(" %s\n", proto)
}
fmt.Println()
return nil
},
Long: `Output documentation for some ksonnet registry prototype uniquely identified in
the current ksonnet project by some 'registry-name'.`,
}
var pkgListCmd = &cobra.Command{
Use: "list", Use: "list",
Short: `Lists information about all dependencies known to the current ksonnet app`, Short: `Lists information about all dependencies known to the current ksonnet app`,
RunE: func(cmd *cobra.Command, args []string) error { RunE: func(cmd *cobra.Command, args []string) error {
...@@ -114,7 +177,7 @@ var depListCmd = &cobra.Command{ ...@@ -114,7 +177,7 @@ var depListCmd = &cobra.Command{
) )
if len(args) != 0 { if len(args) != 0 {
return fmt.Errorf("Command 'dep list' does not take arguments") return fmt.Errorf("Command 'pkg list' does not take arguments")
} }
cwd, err := os.Getwd() cwd, err := os.Getwd()
...@@ -165,16 +228,24 @@ var depListCmd = &cobra.Command{ ...@@ -165,16 +228,24 @@ var depListCmd = &cobra.Command{
}, },
} }
func parseDepSpec(cmd *cobra.Command, spec string) (registry, libID, name, version string, err error) { func parsePkgSpec(spec string) (registry, libID string, err error) {
split := strings.SplitN(spec, "/", 2) split := strings.SplitN(spec, "/", 2)
if len(split) < 2 { if len(split) < 2 {
return "", "", "", "", fmt.Errorf("Command 'dep add' requires a single argument of the form <registry>/<library>@<version>") return "", "", errInvalidSpec
} }
registry = split[0] registry = split[0]
// Strip off the trailing `@version`. // Strip off the trailing `@version`.
libID = strings.SplitN(split[1], "@", 2)[0] libID = strings.SplitN(split[1], "@", 2)[0]
return
}
func parseDepSpec(cmd *cobra.Command, spec string) (registry, libID, name, version string, err error) {
registry, libID, err = parsePkgSpec(spec)
if err != nil {
return "", "", "", "", err
}
split = strings.Split(spec, "@") split := strings.Split(spec, "@")
if len(split) > 2 { if len(split) > 2 {
return "", "", "", "", fmt.Errorf("Symbol '@' is only allowed once, at the end of the argument of the form <registry>/<library>@<version>") return "", "", "", "", fmt.Errorf("Symbol '@' is only allowed once, at the end of the argument of the form <registry>/<library>@<version>")
} }
......
package cmd
import (
"fmt"
"os"
"strings"
"github.com/ksonnet/ksonnet/metadata"
"github.com/ksonnet/ksonnet/utils"
"github.com/spf13/cobra"
)
func init() {
RootCmd.AddCommand(registryCmd)
registryCmd.AddCommand(registryListCmd)
registryCmd.AddCommand(registryDescribeCmd)
}
var registryCmd = &cobra.Command{
Use: "registry",
Short: `Manage registries for current project`,
RunE: func(cmd *cobra.Command, args []string) error {
return fmt.Errorf("Command 'registry' requires a subcommand\n\n%s", cmd.UsageString())
},
Long: `Manage and inspect ksonnet registries.
Registries contain a set of versioned libraries that the user can install and
manage in a ksonnet project using the CLI. A typical library contains:
1. A set of "parts", pre-fabricated API objects which can be combined together
to configure a Kubernetes application for some task. For example, the Redis
library may contain a Deployment, a Service, a Secret, and a
PersistentVolumeClaim, but if the user is operating it as a cache, they may
only need the first three of these.
2. A set of "prototypes", which are pre-fabricated combinations of these
parts, made to make it easier to get started using a library. See the
documentation for 'ks prototype' for more information.`,
}
var registryListCmd = &cobra.Command{
Use: "list",
Short: `List all registries known to current ksonnet app`,
RunE: func(cmd *cobra.Command, args []string) error {
const (
nameHeader = "NAME"
protocolHeader = "PROTOCOL"
uriHeader = "URI"
)
if len(args) != 0 {
return fmt.Errorf("Command 'registry list' does not take arguments")
}
cwd, err := os.Getwd()
if err != nil {
return err
}
wd := metadata.AbsPath(cwd)
manager, err := metadata.Find(wd)
if err != nil {
return err
}
app, err := manager.AppSpec()
if err != nil {
return err
}
rows := [][]string{
[]string{nameHeader, protocolHeader, uriHeader},
[]string{
strings.Repeat("=", len(nameHeader)),
strings.Repeat("=", len(protocolHeader)),
strings.Repeat("=", len(uriHeader)),
},
}
for name, regRef := range app.Registries {
rows = append(rows, []string{name, regRef.Protocol, regRef.URI})
}
formatted, err := utils.PadRows(rows)
if err != nil {
return err
}
fmt.Print(formatted)
return nil
},
}
var registryDescribeCmd = &cobra.Command{
Use: "describe <registry-name>",
Short: `Describe a ksonnet registry`,
RunE: func(cmd *cobra.Command, args []string) error {
if len(args) != 1 {
return fmt.Errorf("Command 'registry describe' takes one argument, which is the name of the registry to describe")
}
name := args[0]
cwd, err := os.Getwd()
if err != nil {
return err
}
wd := metadata.AbsPath(cwd)
manager, err := metadata.Find(wd)
if err != nil {
return err
}
app, err := manager.AppSpec()
if err != nil {
return err
}
regRef, exists := app.GetRegistryRef(name)
if !exists {
return fmt.Errorf("Registry '%s' doesn't exist", name)
}
reg, _, err := manager.GetRegistry(name)
if err != nil {
return err
}
fmt.Println(`REGISTRY NAME:`)
fmt.Println(regRef.Name)
fmt.Println()
fmt.Println(`URI:`)
fmt.Println(regRef.URI)
fmt.Println()
fmt.Println(`PROTOCOL:`)
fmt.Println(regRef.Protocol)
fmt.Println()
fmt.Println(`LIBRARIES:`)
for _, lib := range reg.Libraries {
fmt.Printf(" %s\n", lib.Path)
}
return nil
},
Long: `Output documentation for some ksonnet registry prototype uniquely identified in
the current ksonnet project by some 'registry-name'.`,
}
...@@ -75,7 +75,9 @@ type Manager interface { ...@@ -75,7 +75,9 @@ type Manager interface {
// Dependency/registry API. // Dependency/registry API.
AddRegistry(name, protocol, uri, version string) (*registry.Spec, error) AddRegistry(name, protocol, uri, version string) (*registry.Spec, error)
GetRegistry(name string) (*registry.Spec, string, error) GetRegistry(name string) (*registry.Spec, string, error)
GetPackage(registryName, libID string) (*parts.Spec, error)
CacheDependency(registryName, libID, libName, libVersion string) (*parts.Spec, error) CacheDependency(registryName, libID, libName, libVersion string) (*parts.Spec, error)
GetDependency(libName string) (*parts.Spec, error)
GetAllPrototypes() (prototype.SpecificationSchemas, error) GetAllPrototypes() (prototype.SpecificationSchemas, error)
} }
......
...@@ -70,4 +70,4 @@ type QuickStartSpec struct { ...@@ -70,4 +70,4 @@ type QuickStartSpec struct {
type Specs []*Spec type Specs []*Spec
type PrototypeRefSpecs map[string]string type PrototypeRefSpecs []string
...@@ -73,6 +73,76 @@ func (m *manager) GetRegistry(name string) (*registry.Spec, string, error) { ...@@ -73,6 +73,76 @@ func (m *manager) GetRegistry(name string) (*registry.Spec, string, error) {
return regSpec, protocol, nil return regSpec, protocol, nil
} }
func (m *manager) GetPackage(registryName, libID string) (*parts.Spec, error) {
// Retrieve application specification.
appSpec, err := m.AppSpec()
if err != nil {
return nil, err
}
regRefSpec, ok := appSpec.GetRegistryRef(registryName)
if !ok {
return nil, fmt.Errorf("COuld not find registry '%s'", registryName)
}
registryManager, _, err := m.getRegistryManagerFor(regRefSpec)
if err != nil {
return nil, err
}
partsSpec, err := registryManager.ResolveLibrarySpec(libID, regRefSpec.GitVersion.CommitSHA)
if err != nil {
return nil, err
}
protoSpecs, err := m.GetPrototypesForDependency(registryName, libID)
if err != nil {
return nil, err
}
for _, protoSpec := range protoSpecs {
partsSpec.Prototypes = append(partsSpec.Prototypes, protoSpec.Name)
}
return partsSpec, nil
}
func (m *manager) GetDependency(libName string) (*parts.Spec, error) {
// Retrieve application specification.
appSpec, err := m.AppSpec()
if err != nil {
return nil, err
}
libRef, ok := appSpec.Libraries[libName]
if !ok {
return nil, fmt.Errorf("Library '%s' is not a dependency in current ksonnet app", libName)
}
partsYAMLPath := appendToAbsPath(m.vendorPath, libRef.Registry, libName, partsYAMLFile)
partsBytes, err := afero.ReadFile(m.appFS, string(partsYAMLPath))
if err != nil {
return nil, err
}
var partsSpec parts.Spec
err = yaml.Unmarshal(partsBytes, &partsSpec)
if err != nil {
return nil, err
}
protoSpecs, err := m.GetPrototypesForDependency(libRef.Registry, libName)
if err != nil {
return nil, err
}
for _, protoSpec := range protoSpecs {
partsSpec.Prototypes = append(partsSpec.Prototypes, protoSpec.Name)
}
return &partsSpec, nil
}
func (m *manager) CacheDependency(registryName, libID, libName, libVersion string) (*parts.Spec, error) { func (m *manager) CacheDependency(registryName, libID, libName, libVersion string) (*parts.Spec, error) {
// Retrieve application specification. // Retrieve application specification.
appSpec, err := m.AppSpec() appSpec, err := m.AppSpec()
...@@ -146,6 +216,44 @@ func (m *manager) CacheDependency(registryName, libID, libName, libVersion strin ...@@ -146,6 +216,44 @@ func (m *manager) CacheDependency(registryName, libID, libName, libVersion strin
return parts, nil return parts, nil
} }
func (m *manager) GetPrototypesForDependency(registryName, libID string) (prototype.SpecificationSchemas, error) {
// TODO: Remove `registryName` when we flatten vendor/.
specs := prototype.SpecificationSchemas{}
protos := string(appendToAbsPath(m.vendorPath, registryName, libID, "prototypes"))
exists, err := afero.DirExists(m.appFS, protos)
if err != nil {
return nil, err
} else if !exists {
return prototype.SpecificationSchemas{}, nil // No prototypes to report.
}
err = afero.Walk(
m.appFS,
protos,
func(path string, info os.FileInfo, err error) error {
if info.IsDir() || filepath.Ext(path) != ".jsonnet" {
return nil
}
protoJsonnet, err := afero.ReadFile(m.appFS, path)
if err != nil {
return err
}
protoSpec, err := prototype.FromJsonnet(string(protoJsonnet))
if err != nil {
return err
}
specs = append(specs, protoSpec)
return nil
})
if err != nil {
return nil, err
}
return specs, nil
}
func (m *manager) GetAllPrototypes() (prototype.SpecificationSchemas, error) { func (m *manager) GetAllPrototypes() (prototype.SpecificationSchemas, error) {
appSpec, err := m.AppSpec() appSpec, err := m.AppSpec()
if err != nil { if err != nil {
...@@ -154,37 +262,11 @@ func (m *manager) GetAllPrototypes() (prototype.SpecificationSchemas, error) { ...@@ -154,37 +262,11 @@ func (m *manager) GetAllPrototypes() (prototype.SpecificationSchemas, error) {
specs := prototype.SpecificationSchemas{} specs := prototype.SpecificationSchemas{}
for _, lib := range appSpec.Libraries { for _, lib := range appSpec.Libraries {
protos := string(appendToAbsPath(m.vendorPath, lib.Registry, lib.Name, "prototypes")) depProtos, err := m.GetPrototypesForDependency(lib.Registry, lib.Name)
exists, err := afero.DirExists(m.appFS, protos)
if err != nil {
return nil, err
} else if !exists {
return prototype.SpecificationSchemas{}, nil // No prototypes to report.
}
err = afero.Walk(
m.appFS,
protos,
func(path string, info os.FileInfo, err error) error {
if info.IsDir() || filepath.Ext(path) != ".jsonnet" {
return nil
}
protoJsonnet, err := afero.ReadFile(m.appFS, path)
if err != nil {
return err
}
protoSpec, err := prototype.FromJsonnet(string(protoJsonnet))
if err != nil {
return err
}
specs = append(specs, protoSpec)
return nil
})
if err != nil { if err != nil {
return nil, err return nil, err
} }
specs = append(specs, depProtos...)
} }
return specs, nil return specs, nil
......
...@@ -13,5 +13,6 @@ type Manager interface { ...@@ -13,5 +13,6 @@ type Manager interface {
RegistrySpecFilePath() string RegistrySpecFilePath() string
FetchRegistrySpec() (*Spec, error) FetchRegistrySpec() (*Spec, error)
MakeRegistryRefSpec() *app.RegistryRefSpec MakeRegistryRefSpec() *app.RegistryRefSpec
ResolveLibrarySpec(libID, libRefSpec string) (*parts.Spec, error)
ResolveLibrary(libID, libAlias, version string, onFile ResolveFile, onDir ResolveDirectory) (*parts.Spec, *app.LibraryRefSpec, error) ResolveLibrary(libID, libAlias, version string, onFile ResolveFile, onDir ResolveDirectory) (*parts.Spec, *app.LibraryRefSpec, error)
} }
...@@ -116,6 +116,41 @@ func (gh *gitHubRegistryManager) MakeRegistryRefSpec() *app.RegistryRefSpec { ...@@ -116,6 +116,41 @@ func (gh *gitHubRegistryManager) MakeRegistryRefSpec() *app.RegistryRefSpec {
return gh.RegistryRefSpec return gh.RegistryRefSpec
} }
func (gh *gitHubRegistryManager) ResolveLibrarySpec(libID, libRefSpec string) (*parts.Spec, error) {
client := github.NewClient(nil)
// Resolve `version` (a git refspec) to a specific SHA.
ctx := context.Background()
resolvedSHA, _, err := client.Repositories.GetCommitSHA1(ctx, gh.org, gh.repo, libRefSpec, "")
if err != nil {
return nil, err
}
// Resolve app spec.
appSpecPath := strings.Join([]string{gh.registryRepoPath, libID, partsYAMLFile}, "/")
ctx = context.Background()
getOpts := &github.RepositoryContentGetOptions{Ref: resolvedSHA}
file, directory, _, err := client.Repositories.GetContents(ctx, gh.org, gh.repo, appSpecPath, getOpts)
if err != nil {
return nil, err
} else if directory != nil {
return nil, fmt.Errorf("Can't download library specification; resource '%s' points at a file", gh.registrySpecRawURL())
}
partsSpecText, err := file.GetContent()
if err != nil {
return nil, err
}
parts := parts.Spec{}
err = yaml.Unmarshal([]byte(partsSpecText), &parts)
if err != nil {
return nil, err
}
return &parts, nil
}
func (gh *gitHubRegistryManager) ResolveLibrary(libID, libAlias, libRefSpec string, onFile registry.ResolveFile, onDir registry.ResolveDirectory) (*parts.Spec, *app.LibraryRefSpec, error) { func (gh *gitHubRegistryManager) ResolveLibrary(libID, libAlias, libRefSpec string, onFile registry.ResolveFile, onDir registry.ResolveDirectory) (*parts.Spec, *app.LibraryRefSpec, error) {
client := github.NewClient(nil) client := github.NewClient(nil)
...@@ -150,7 +185,10 @@ func (gh *gitHubRegistryManager) ResolveLibrary(libID, libAlias, libRefSpec stri ...@@ -150,7 +185,10 @@ func (gh *gitHubRegistryManager) ResolveLibrary(libID, libAlias, libRefSpec stri
} }
parts := parts.Spec{} parts := parts.Spec{}
yaml.Unmarshal([]byte(partsSpecText), &parts) err = yaml.Unmarshal([]byte(partsSpecText), &parts)
if err != nil {
return nil, nil, err
}
refSpec := app.LibraryRefSpec{ refSpec := app.LibraryRefSpec{
Name: libAlias, Name: libAlias,
......
...@@ -22,6 +22,10 @@ func newMockRegistryManager(name string) *mockRegistryManager { ...@@ -22,6 +22,10 @@ func newMockRegistryManager(name string) *mockRegistryManager {
} }
} }
func (m *mockRegistryManager) ResolveLibrarySpec(libID, libRefSpec string) (*parts.Spec, error) {
return nil, nil
}
func (m *mockRegistryManager) RegistrySpecDir() string { func (m *mockRegistryManager) RegistrySpecDir() string {
return m.registryDir return m.registryDir
} }
......
0% or .
You are about to add 0 people to the discussion. Proceed with caution.
Finish editing this message first!
Please register or to comment