mirror of
https://github.com/grafana/grafana.git
synced 2024-11-29 20:24:18 -06:00
07e5f8117f
* Update thema to latest * Deal with s/Library/*Runtime/ * Commit new, working results of codegen * We like pointers now * Always take runtime arg for NewBase() * Sketchy handwavy pass at entity meta framework * Little nibbles * Update pkg/framework/coremodel/entityframework.cue Co-authored-by: Artur Wierzbicki <wierzbicki.artur.94@gmail.com> * Move file into new framework location * Introduce loaders, Go code * Complete rename to kind * Flesh out framework, add svg/dashboard examples * Cruft removal * Remove generated kind go files from gitignore * Refine maturity concept, add SlotKind * Update embed and go deps * Export PrefixWithGrafanaCUE * Make the loader actually work, holy crap * Many small tweaks to type.cue * Add Apache 2 licensing exceptions for kinds * Add new kinds dir, start of generator * Roll back to earlier oapi-codegen * Introduce new grafana-specific CUE loaders * Introduce new tidy code generators framework * Catch up kind framework with tinkering * Add slices for the generators * Add write/verify step to main generator * Many renames * Split up kind framework cue files * Use kind.Decl within generated kinds * Create kind.SomeDecl wrapper type to cache lineages * Better names again * Get one generated implemented, hopefully * Copy dashboard schema into new kind.cue * Small fixes to make the initial gen work * Put svg kind in its new home * Add generated Go dashboard type * More renames and cleanups * Add base kind registry and generator * Stop blacklisting *_gen.go files This is not the Go best practice, anyway. All we actually want to ignore for enterprise is generated wire files. * Change codegen output directories pkg/kind -> pkg/kinds pkg/registry/kindreg -> pkg/registry/corekind * Rename pkg/framework/kind to pkg/kindsys * Add core structured kind generator * Add plural and machine names to kind spec * Copy playlist over to kind system * Consolidate kindsys files * Add raw kind generator * Update CODEOWNERS for kind framework * Touch up comments a bit * More docs tweaks * Remove generated types to reduce noise for review * Split each generator into its own file * Rename Slot kind to Composable kind * Add handwavy types for customkind loading * Guard against init calls to framework loader * First pass at doc on extending the kind system * Improve attribute example in docs * Fix wire imports * Add basic TS types generator * Fix composable kind category def * No need for a separate file with generate directive * Catch dashboard schema up * Rename generator types to something saner and generic * Make version configurable in ts/go generators * Add CommonMeta to ease property access * Add kindsys prop indicating whether lineage is group * Put all kind categories back in a single file * Finish with kindsys group props * Refactor maturity progression per discussion - Replace "committed" with "merged" - All kindcats can use all maturity levels, at least for now * Convert ts veneer index generator to modular system * Move over to new jennywrites framework * Strip down old coremodel generator * Use public version of jennywrites * Pull latest thema * Commit generated Go types * Add header injection postprocessor * Move sdboyer/jennywrites to grafana/codejen * Tweak header output * Remove dashboard and playlist coremodels * Fix up backend dashboards devenv test * Fix TS import patterns to new gen filename * Update internal imports, remove coremodel registry * Fix compilation errors, wire generation * Export and replace the prefix dropper * More Go struct and field name changes * Last name fixes, hopefully * Fix lint errors * Last lint error Co-authored-by: Artur Wierzbicki <wierzbicki.artur.94@gmail.com>
281 lines
8.3 KiB
Go
281 lines
8.3 KiB
Go
package codegen
|
|
|
|
import (
|
|
"bytes"
|
|
"errors"
|
|
"fmt"
|
|
"io"
|
|
"os"
|
|
"path/filepath"
|
|
"strings"
|
|
"testing/fstest"
|
|
|
|
cerrors "cuelang.org/go/cue/errors"
|
|
"cuelang.org/go/pkg/encoding/yaml"
|
|
"github.com/deepmap/oapi-codegen/pkg/codegen"
|
|
"github.com/getkin/kin-openapi/openapi3"
|
|
"github.com/grafana/cuetsy"
|
|
tsast "github.com/grafana/cuetsy/ts/ast"
|
|
"github.com/grafana/grafana/pkg/cuectx"
|
|
"github.com/grafana/thema"
|
|
"github.com/grafana/thema/encoding/openapi"
|
|
)
|
|
|
|
// CoremodelDeclaration contains the results of statically analyzing a Grafana
|
|
// directory for a Thema lineage.
|
|
type CoremodelDeclaration struct {
|
|
Lineage thema.Lineage
|
|
// Absolute path to the coremodel's coremodel.cue file.
|
|
LineagePath string
|
|
// Path to the coremodel's coremodel.cue file relative to repo root.
|
|
RelativePath string
|
|
// Indicates whether the coremodel is considered canonical or not. Generated
|
|
// code from not-yet-canonical coremodels should include appropriate caveats in
|
|
// documentation and possibly be hidden from external public API surface areas.
|
|
IsCanonical bool
|
|
|
|
// Indicates whether the coremodel represents an API type, and should therefore
|
|
// be included in API client code generation.
|
|
IsAPIType bool
|
|
}
|
|
|
|
// ExtractLineage loads a Grafana Thema lineage from the filesystem.
|
|
//
|
|
// The provided path must be the absolute path to the file containing the
|
|
// lineage to be loaded.
|
|
//
|
|
// This loading approach is intended primarily for use with code generators, or
|
|
// other use cases external to grafana-server backend. For code within
|
|
// grafana-server, prefer lineage loaders provided in e.g. pkg/coremodel/*.
|
|
func ExtractLineage(path string, rt *thema.Runtime) (*CoremodelDeclaration, error) {
|
|
if !filepath.IsAbs(path) {
|
|
return nil, fmt.Errorf("must provide an absolute path, got %q", path)
|
|
}
|
|
|
|
ec := &CoremodelDeclaration{
|
|
LineagePath: path,
|
|
}
|
|
|
|
var find func(path string) (string, error)
|
|
find = func(path string) (string, error) {
|
|
parent := filepath.Dir(path)
|
|
if parent == path {
|
|
return "", errors.New("grafana root directory could not be found")
|
|
}
|
|
fp := filepath.Join(path, "go.mod")
|
|
if _, err := os.Stat(fp); err == nil {
|
|
return path, nil
|
|
}
|
|
return find(parent)
|
|
}
|
|
groot, err := find(path)
|
|
if err != nil {
|
|
return ec, err
|
|
}
|
|
|
|
f, err := os.Open(ec.LineagePath)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("could not open lineage file at %s: %w", path, err)
|
|
}
|
|
|
|
byt, err := io.ReadAll(f)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
fs := fstest.MapFS{
|
|
"coremodel.cue": &fstest.MapFile{
|
|
Data: byt,
|
|
},
|
|
}
|
|
|
|
// ec.RelativePath, err = filepath.Rel(groot, filepath.Dir(path))
|
|
ec.RelativePath, err = filepath.Rel(groot, path)
|
|
if err != nil {
|
|
// should be unreachable, since we rootclimbed to find groot above
|
|
panic(err)
|
|
}
|
|
ec.RelativePath = filepath.ToSlash(ec.RelativePath)
|
|
ec.Lineage, err = cuectx.LoadGrafanaInstancesWithThema(filepath.Dir(ec.RelativePath), fs, rt)
|
|
if err != nil {
|
|
return ec, err
|
|
}
|
|
ec.IsCanonical = isCanonical(ec.Lineage.Name())
|
|
ec.IsAPIType = isAPIType(ec.Lineage.Name())
|
|
return ec, nil
|
|
}
|
|
|
|
// toTemplateObj extracts creates a struct with all the useful strings for template generation.
|
|
func (cd *CoremodelDeclaration) toTemplateObj() tplVars {
|
|
lin := cd.Lineage
|
|
sch := thema.SchemaP(lin, thema.LatestVersion(lin))
|
|
|
|
return tplVars{
|
|
Name: lin.Name(),
|
|
LineagePath: cd.RelativePath,
|
|
PkgPath: filepath.ToSlash(filepath.Join("github.com/grafana/grafana", filepath.Dir(cd.RelativePath))),
|
|
TitleName: strings.Title(lin.Name()), // nolint
|
|
LatestSeqv: sch.Version()[0],
|
|
LatestSchv: sch.Version()[1],
|
|
}
|
|
}
|
|
|
|
func isCanonical(name string) bool {
|
|
return canonicalCoremodels[name]
|
|
}
|
|
|
|
func isAPIType(name string) bool {
|
|
return !nonAPITypes[name]
|
|
}
|
|
|
|
// FIXME specifying coremodel canonicality DOES NOT belong here - it should be part of the coremodel declaration.
|
|
var canonicalCoremodels = map[string]bool{
|
|
"dashboard": false,
|
|
}
|
|
|
|
// FIXME this also needs to be moved into coremodel metadata
|
|
var nonAPITypes = map[string]bool{
|
|
"pluginmeta": true,
|
|
}
|
|
|
|
// PathVersion returns the string path element to use for the latest schema.
|
|
// "x" if not yet canonical, otherwise, "v<major>"
|
|
func (cd *CoremodelDeclaration) PathVersion() string {
|
|
if !cd.IsCanonical {
|
|
return "x"
|
|
}
|
|
return fmt.Sprintf("v%v", thema.LatestVersion(cd.Lineage)[0])
|
|
}
|
|
|
|
// GenerateGoCoremodel generates a standard Go model struct and coremodel
|
|
// implementation from a coremodel CUE declaration.
|
|
//
|
|
// The provided path must be a directory. Generated code files will be written
|
|
// to that path. The final element of the path must match the Lineage.Name().
|
|
func (cd *CoremodelDeclaration) GenerateGoCoremodel(path string) (WriteDiffer, error) {
|
|
lin, rt := cd.Lineage, cd.Lineage.Runtime()
|
|
_, name := filepath.Split(path)
|
|
if name != lin.Name() {
|
|
return nil, fmt.Errorf("lineage name %q must match final element of path, got %q", lin.Name(), path)
|
|
}
|
|
|
|
sch := thema.SchemaP(lin, thema.LatestVersion(lin))
|
|
f, err := openapi.GenerateSchema(sch, nil)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("thema openapi generation failed: %w", err)
|
|
}
|
|
|
|
str, err := yaml.Marshal(rt.Context().BuildFile(f))
|
|
if err != nil {
|
|
return nil, fmt.Errorf("cue-yaml marshaling failed: %w", err)
|
|
}
|
|
|
|
loader := openapi3.NewLoader()
|
|
oT, err := loader.LoadFromData([]byte(str))
|
|
if err != nil {
|
|
return nil, fmt.Errorf("loading generated openapi failed; %w", err)
|
|
}
|
|
|
|
var importbuf bytes.Buffer
|
|
if err = tmpls.Lookup("coremodel_imports.tmpl").Execute(&importbuf, tvars_coremodel_imports{
|
|
PackageName: lin.Name(),
|
|
}); err != nil {
|
|
return nil, fmt.Errorf("error executing imports template: %w", err)
|
|
}
|
|
|
|
gostr, err := codegen.Generate(oT, lin.Name(), codegen.Options{
|
|
GenerateTypes: true,
|
|
SkipPrune: true,
|
|
SkipFmt: true,
|
|
UserTemplates: map[string]string{
|
|
"imports.tmpl": importbuf.String(),
|
|
"typedef.tmpl": tmplTypedef,
|
|
},
|
|
})
|
|
if err != nil {
|
|
return nil, fmt.Errorf("openapi generation failed: %w", err)
|
|
}
|
|
|
|
buf := new(bytes.Buffer)
|
|
if err = tmpls.Lookup("autogen_header.tmpl").Execute(buf, tvars_autogen_header{
|
|
LineagePath: cd.RelativePath,
|
|
GeneratorPath: "pkg/framework/coremodel/gen.go", // FIXME hardcoding is not OK
|
|
}); err != nil {
|
|
return nil, fmt.Errorf("error executing header template: %w", err)
|
|
}
|
|
|
|
fmt.Fprint(buf, "\n", gostr)
|
|
|
|
vars := cd.toTemplateObj()
|
|
err = tmpls.Lookup("addenda.tmpl").Execute(buf, vars)
|
|
if err != nil {
|
|
panic(err)
|
|
}
|
|
|
|
fullp := filepath.Join(path, fmt.Sprintf("%s_gen.go", lin.Name()))
|
|
byt, err := postprocessGoFile(genGoFile{
|
|
path: fullp,
|
|
walker: PrefixDropper(strings.Title(lin.Name())),
|
|
in: buf.Bytes(),
|
|
})
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
wd := NewWriteDiffer()
|
|
wd[fullp] = byt
|
|
|
|
return wd, nil
|
|
}
|
|
|
|
type tplVars struct {
|
|
Name string
|
|
LineagePath, PkgPath string
|
|
TitleName string
|
|
LatestSeqv, LatestSchv uint
|
|
IsComposed bool
|
|
}
|
|
|
|
func (cd *CoremodelDeclaration) GenerateTypescriptCoremodel() (*tsast.File, error) {
|
|
schv := thema.SchemaP(cd.Lineage, thema.LatestVersion(cd.Lineage)).UnwrapCUE()
|
|
|
|
tf, err := cuetsy.GenerateAST(schv, cuetsy.Config{
|
|
Export: true,
|
|
})
|
|
if err != nil {
|
|
return nil, fmt.Errorf("cuetsy tf gen failed: %w", err)
|
|
}
|
|
|
|
top, err := cuetsy.GenerateSingleAST(strings.Title(cd.Lineage.Name()), schv, cuetsy.TypeInterface)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("cuetsy top gen failed: %s", cerrors.Details(err, nil))
|
|
}
|
|
|
|
buf := new(bytes.Buffer)
|
|
if err := tmpls.Lookup("autogen_header.tmpl").Execute(buf, tvars_autogen_header{
|
|
LineagePath: cd.RelativePath,
|
|
GeneratorPath: "pkg/framework/coremodel/gen.go", // FIXME hardcoding is not OK
|
|
}); err != nil {
|
|
return nil, fmt.Errorf("error executing header template: %w", err)
|
|
}
|
|
tf.Doc = &tsast.Comment{
|
|
Text: buf.String(),
|
|
}
|
|
|
|
// TODO until cuetsy can toposort its outputs, put the top/parent type at the bottom of the file.
|
|
tf.Nodes = append(tf.Nodes, top.T)
|
|
if top.D != nil {
|
|
tf.Nodes = append(tf.Nodes, top.D)
|
|
}
|
|
return tf, nil
|
|
}
|
|
|
|
var tmplTypedef = `{{range .Types}}
|
|
{{ with .Schema.Description }}{{ . }}{{ else }}// {{.TypeName}} is the Go representation of a {{.JsonName}}.{{ end }}
|
|
//
|
|
// THIS TYPE IS INTENDED FOR INTERNAL USE BY THE GRAFANA BACKEND, AND IS SUBJECT TO BREAKING CHANGES.
|
|
// Equivalent Go types at stable import paths are provided in https://github.com/grafana/grok.
|
|
type {{.TypeName}} {{if and (opts.AliasTypes) (.CanAlias)}}={{end}} {{.Schema.TypeDecl}}
|
|
{{end}}
|
|
`
|