* feat: kubesphere 4.0 Signed-off-by: ci-bot <ci-bot@kubesphere.io> * feat: kubesphere 4.0 Signed-off-by: ci-bot <ci-bot@kubesphere.io> --------- Signed-off-by: ci-bot <ci-bot@kubesphere.io> Co-authored-by: ks-ci-bot <ks-ci-bot@example.com> Co-authored-by: joyceliu <joyceliu@yunify.com>
1536 lines
39 KiB
Go
1536 lines
39 KiB
Go
// Copyright 2017 The OPA Authors. All rights reserved.
|
|
// Use of this source code is governed by an Apache2
|
|
// license that can be found in the LICENSE file.
|
|
|
|
// Package format implements formatting of Rego source files.
|
|
package format
|
|
|
|
import (
|
|
"bytes"
|
|
"fmt"
|
|
"regexp"
|
|
"sort"
|
|
"strings"
|
|
"unicode"
|
|
|
|
"github.com/open-policy-agent/opa/ast"
|
|
"github.com/open-policy-agent/opa/internal/future"
|
|
"github.com/open-policy-agent/opa/types"
|
|
)
|
|
|
|
// Opts lets you control the code formatting via `AstWithOpts()`.
|
|
type Opts struct {
|
|
// IgnoreLocations instructs the formatter not to use the AST nodes' locations
|
|
// into account when laying out the code: notably, when the input is the result
|
|
// of partial evaluation, arguments maybe have been shuffled around, but still
|
|
// carry along their original source locations.
|
|
IgnoreLocations bool
|
|
|
|
// RegoVersion is the version of Rego to format code for.
|
|
RegoVersion ast.RegoVersion
|
|
}
|
|
|
|
// defaultLocationFile is the file name used in `Ast()` for terms
|
|
// without a location, as could happen when pretty-printing the
|
|
// results of partial eval.
|
|
const defaultLocationFile = "__format_default__"
|
|
|
|
// Source formats a Rego source file. The bytes provided must describe a complete
|
|
// Rego module. If they don't, Source will return an error resulting from the attempt
|
|
// to parse the bytes.
|
|
func Source(filename string, src []byte) ([]byte, error) {
|
|
return SourceWithOpts(filename, src, Opts{})
|
|
}
|
|
|
|
func SourceWithOpts(filename string, src []byte, opts Opts) ([]byte, error) {
|
|
parserOpts := ast.ParserOptions{}
|
|
if opts.RegoVersion == ast.RegoV1 {
|
|
// If the rego version is V1, wee need to parse it as such, to allow for future keywords not being imported.
|
|
// Otherwise, we'll default to RegoV0
|
|
parserOpts.RegoVersion = ast.RegoV1
|
|
}
|
|
|
|
module, err := ast.ParseModuleWithOpts(filename, string(src), parserOpts)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
if opts.RegoVersion == ast.RegoV0CompatV1 || opts.RegoVersion == ast.RegoV1 {
|
|
errors := ast.CheckRegoV1(module)
|
|
if len(errors) > 0 {
|
|
return nil, errors
|
|
}
|
|
}
|
|
|
|
formatted, err := AstWithOpts(module, opts)
|
|
if err != nil {
|
|
return nil, fmt.Errorf("%s: %v", filename, err)
|
|
}
|
|
|
|
return formatted, nil
|
|
}
|
|
|
|
// MustAst is a helper function to format a Rego AST element. If any errors
|
|
// occurs this function will panic. This is mostly used for test
|
|
func MustAst(x interface{}) []byte {
|
|
bs, err := Ast(x)
|
|
if err != nil {
|
|
panic(err)
|
|
}
|
|
return bs
|
|
}
|
|
|
|
// Ast formats a Rego AST element. If the passed value is not a valid AST
|
|
// element, Ast returns nil and an error. If AST nodes are missing locations
|
|
// an arbitrary location will be used.
|
|
func Ast(x interface{}) ([]byte, error) {
|
|
return AstWithOpts(x, Opts{})
|
|
}
|
|
|
|
type fmtOpts struct {
|
|
// When the future keyword "contains" is imported, all the pretty-printed
|
|
// modules will use that format for partial sets.
|
|
// NOTE(sr): For ref-head rules, this will be the default behaviour, since
|
|
// we need "contains" to disambiguate complete rules from partial sets.
|
|
contains bool
|
|
|
|
// Same logic applies as for "contains": if `future.keywords.if` (or all
|
|
// future keywords) is imported, we'll render rules that can use `if` with
|
|
// `if`.
|
|
ifs bool
|
|
|
|
// We check all rule ref heads to see if any of them _requires_ support
|
|
// for ref heads -- if they do, we'll print all of them in a different way
|
|
// than if they don't.
|
|
refHeads bool
|
|
|
|
regoV1 bool
|
|
}
|
|
|
|
func AstWithOpts(x interface{}, opts Opts) ([]byte, error) {
|
|
// The node has to be deep copied because it may be mutated below. Alternatively,
|
|
// we could avoid the copy by checking if mutation will occur first. For now,
|
|
// since format is not latency sensitive, just deep copy in all cases.
|
|
x = ast.Copy(x)
|
|
|
|
wildcards := map[ast.Var]*ast.Term{}
|
|
|
|
// NOTE(sr): When the formatter encounters a call to internal.member_2
|
|
// or internal.member_3, it will sugarize them into usage of the `in`
|
|
// operator. It has to ensure that the proper future keyword import is
|
|
// present.
|
|
extraFutureKeywordImports := map[string]struct{}{}
|
|
|
|
o := fmtOpts{}
|
|
|
|
if opts.RegoVersion == ast.RegoV0CompatV1 || opts.RegoVersion == ast.RegoV1 {
|
|
o.regoV1 = true
|
|
o.ifs = true
|
|
o.contains = true
|
|
}
|
|
|
|
// Preprocess the AST. Set any required defaults and calculate
|
|
// values required for printing the formatted output.
|
|
ast.WalkNodes(x, func(x ast.Node) bool {
|
|
switch n := x.(type) {
|
|
case ast.Body:
|
|
if len(n) == 0 {
|
|
return false
|
|
}
|
|
case *ast.Term:
|
|
unmangleWildcardVar(wildcards, n)
|
|
|
|
case *ast.Expr:
|
|
switch {
|
|
case n.IsCall() && ast.Member.Ref().Equal(n.Operator()) || ast.MemberWithKey.Ref().Equal(n.Operator()):
|
|
extraFutureKeywordImports["in"] = struct{}{}
|
|
case n.IsEvery():
|
|
extraFutureKeywordImports["every"] = struct{}{}
|
|
}
|
|
|
|
case *ast.Import:
|
|
switch {
|
|
case isRegoV1Compatible(n):
|
|
o.contains = true
|
|
o.ifs = true
|
|
case future.IsAllFutureKeywords(n):
|
|
o.contains = true
|
|
o.ifs = true
|
|
case future.IsFutureKeyword(n, "contains"):
|
|
o.contains = true
|
|
case future.IsFutureKeyword(n, "if"):
|
|
o.ifs = true
|
|
}
|
|
|
|
case *ast.Rule:
|
|
if len(n.Head.Ref()) > 2 {
|
|
o.refHeads = true
|
|
}
|
|
if len(n.Head.Ref()) == 2 && n.Head.Key != nil && n.Head.Value == nil { // p.q contains "x"
|
|
o.refHeads = true
|
|
}
|
|
}
|
|
|
|
if opts.IgnoreLocations || x.Loc() == nil {
|
|
x.SetLoc(defaultLocation(x))
|
|
}
|
|
return false
|
|
})
|
|
|
|
w := &writer{
|
|
indent: "\t",
|
|
errs: make([]*ast.Error, 0),
|
|
}
|
|
|
|
switch x := x.(type) {
|
|
case *ast.Module:
|
|
if opts.RegoVersion == ast.RegoV1 {
|
|
x.Imports = filterRegoV1Import(x.Imports)
|
|
} else if opts.RegoVersion == ast.RegoV0CompatV1 {
|
|
x.Imports = ensureRegoV1Import(x.Imports)
|
|
}
|
|
|
|
if opts.RegoVersion == ast.RegoV0CompatV1 || opts.RegoVersion == ast.RegoV1 || moduleIsRegoV1Compatible(x) {
|
|
x.Imports = future.FilterFutureImports(x.Imports)
|
|
} else {
|
|
for kw := range extraFutureKeywordImports {
|
|
x.Imports = ensureFutureKeywordImport(x.Imports, kw)
|
|
}
|
|
}
|
|
w.writeModule(x, o)
|
|
case *ast.Package:
|
|
w.writePackage(x, nil)
|
|
case *ast.Import:
|
|
w.writeImports([]*ast.Import{x}, nil)
|
|
case *ast.Rule:
|
|
w.writeRule(x, false /* isElse */, o, nil)
|
|
case *ast.Head:
|
|
w.writeHead(x,
|
|
false, // isDefault
|
|
false, // isExpandedConst
|
|
o,
|
|
nil)
|
|
case ast.Body:
|
|
w.writeBody(x, nil)
|
|
case *ast.Expr:
|
|
w.writeExpr(x, nil)
|
|
case *ast.With:
|
|
w.writeWith(x, nil, false)
|
|
case *ast.Term:
|
|
w.writeTerm(x, nil)
|
|
case ast.Value:
|
|
w.writeTerm(&ast.Term{Value: x, Location: &ast.Location{}}, nil)
|
|
case *ast.Comment:
|
|
w.writeComments([]*ast.Comment{x})
|
|
default:
|
|
return nil, fmt.Errorf("not an ast element: %v", x)
|
|
}
|
|
|
|
if len(w.errs) > 0 {
|
|
return nil, w.errs
|
|
}
|
|
return squashTrailingNewlines(w.buf.Bytes()), nil
|
|
}
|
|
|
|
func unmangleWildcardVar(wildcards map[ast.Var]*ast.Term, n *ast.Term) {
|
|
|
|
v, ok := n.Value.(ast.Var)
|
|
if !ok || !v.IsWildcard() {
|
|
return
|
|
}
|
|
|
|
first, ok := wildcards[v]
|
|
if !ok {
|
|
wildcards[v] = n
|
|
return
|
|
}
|
|
|
|
w := v[len(ast.WildcardPrefix):]
|
|
|
|
// Prepend an underscore to ensure the variable will parse.
|
|
if len(w) == 0 || w[0] != '_' {
|
|
w = "_" + w
|
|
}
|
|
|
|
if first != nil {
|
|
first.Value = w
|
|
wildcards[v] = nil
|
|
}
|
|
|
|
n.Value = w
|
|
}
|
|
|
|
func squashTrailingNewlines(bs []byte) []byte {
|
|
if bytes.HasSuffix(bs, []byte("\n")) {
|
|
return append(bytes.TrimRight(bs, "\n"), '\n')
|
|
}
|
|
return bs
|
|
}
|
|
|
|
func defaultLocation(x ast.Node) *ast.Location {
|
|
return ast.NewLocation([]byte(x.String()), defaultLocationFile, 1, 1)
|
|
}
|
|
|
|
type writer struct {
|
|
buf bytes.Buffer
|
|
|
|
indent string
|
|
level int
|
|
inline bool
|
|
beforeEnd *ast.Comment
|
|
delay bool
|
|
errs ast.Errors
|
|
}
|
|
|
|
func (w *writer) writeModule(module *ast.Module, o fmtOpts) {
|
|
var pkg *ast.Package
|
|
var others []interface{}
|
|
var comments []*ast.Comment
|
|
visitor := ast.NewGenericVisitor(func(x interface{}) bool {
|
|
switch x := x.(type) {
|
|
case *ast.Comment:
|
|
comments = append(comments, x)
|
|
return true
|
|
case *ast.Import, *ast.Rule:
|
|
others = append(others, x)
|
|
return true
|
|
case *ast.Package:
|
|
pkg = x
|
|
return true
|
|
default:
|
|
return false
|
|
}
|
|
})
|
|
visitor.Walk(module)
|
|
|
|
sort.Slice(comments, func(i, j int) bool {
|
|
return locLess(comments[i], comments[j])
|
|
})
|
|
|
|
sort.Slice(others, func(i, j int) bool {
|
|
return locLess(others[i], others[j])
|
|
})
|
|
|
|
comments = trimTrailingWhitespaceInComments(comments)
|
|
|
|
comments = w.writePackage(pkg, comments)
|
|
var imports []*ast.Import
|
|
var rules []*ast.Rule
|
|
for len(others) > 0 {
|
|
imports, others = gatherImports(others)
|
|
comments = w.writeImports(imports, comments)
|
|
rules, others = gatherRules(others)
|
|
comments = w.writeRules(rules, o, comments)
|
|
}
|
|
|
|
for i, c := range comments {
|
|
w.writeLine(c.String())
|
|
if i == len(comments)-1 {
|
|
w.write("\n")
|
|
}
|
|
}
|
|
}
|
|
|
|
func trimTrailingWhitespaceInComments(comments []*ast.Comment) []*ast.Comment {
|
|
for _, c := range comments {
|
|
c.Text = bytes.TrimRightFunc(c.Text, unicode.IsSpace)
|
|
}
|
|
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writePackage(pkg *ast.Package, comments []*ast.Comment) []*ast.Comment {
|
|
comments = w.insertComments(comments, pkg.Location)
|
|
|
|
w.startLine()
|
|
w.write(pkg.String())
|
|
w.blankLine()
|
|
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeComments(comments []*ast.Comment) {
|
|
for i := 0; i < len(comments); i++ {
|
|
if i > 0 && locCmp(comments[i], comments[i-1]) > 1 {
|
|
w.blankLine()
|
|
}
|
|
w.writeLine(comments[i].String())
|
|
}
|
|
}
|
|
|
|
func (w *writer) writeRules(rules []*ast.Rule, o fmtOpts, comments []*ast.Comment) []*ast.Comment {
|
|
for _, rule := range rules {
|
|
comments = w.insertComments(comments, rule.Location)
|
|
comments = w.writeRule(rule, false, o, comments)
|
|
w.blankLine()
|
|
}
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeRule(rule *ast.Rule, isElse bool, o fmtOpts, comments []*ast.Comment) []*ast.Comment {
|
|
if rule == nil {
|
|
return comments
|
|
}
|
|
|
|
if !isElse {
|
|
w.startLine()
|
|
}
|
|
|
|
if rule.Default {
|
|
w.write("default ")
|
|
}
|
|
|
|
// OPA transforms lone bodies like `foo = {"a": "b"}` into rules of the form
|
|
// `foo = {"a": "b"} { true }` in the AST. We want to preserve that notation
|
|
// in the formatted code instead of expanding the bodies into rules, so we
|
|
// pretend that the rule has no body in this case.
|
|
isExpandedConst := rule.Body.Equal(ast.NewBody(ast.NewExpr(ast.BooleanTerm(true)))) && rule.Else == nil
|
|
|
|
comments = w.writeHead(rule.Head, rule.Default, isExpandedConst, o, comments)
|
|
|
|
// this excludes partial sets UNLESS `contains` is used
|
|
partialSetException := o.contains || rule.Head.Value != nil
|
|
|
|
if len(rule.Body) == 0 || isExpandedConst {
|
|
w.endLine()
|
|
return comments
|
|
}
|
|
|
|
if (o.regoV1 || o.ifs) && partialSetException {
|
|
w.write(" if")
|
|
if len(rule.Body) == 1 {
|
|
if rule.Body[0].Location.Row == rule.Head.Location.Row {
|
|
w.write(" ")
|
|
comments = w.writeExpr(rule.Body[0], comments)
|
|
w.endLine()
|
|
if rule.Else != nil {
|
|
comments = w.writeElse(rule, o, comments)
|
|
}
|
|
return comments
|
|
}
|
|
}
|
|
}
|
|
w.write(" {")
|
|
w.endLine()
|
|
w.up()
|
|
|
|
comments = w.writeBody(rule.Body, comments)
|
|
|
|
var closeLoc *ast.Location
|
|
|
|
if len(rule.Head.Args) > 0 {
|
|
closeLoc = closingLoc('(', ')', '{', '}', rule.Location)
|
|
} else if rule.Head.Key != nil {
|
|
closeLoc = closingLoc('[', ']', '{', '}', rule.Location)
|
|
} else {
|
|
closeLoc = closingLoc(0, 0, '{', '}', rule.Location)
|
|
}
|
|
|
|
comments = w.insertComments(comments, closeLoc)
|
|
|
|
w.down()
|
|
w.startLine()
|
|
w.write("}")
|
|
if rule.Else != nil {
|
|
comments = w.writeElse(rule, o, comments)
|
|
}
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeElse(rule *ast.Rule, o fmtOpts, comments []*ast.Comment) []*ast.Comment {
|
|
// If there was nothing else on the line before the "else" starts
|
|
// then preserve this style of else block, otherwise it will be
|
|
// started as an "inline" else eg:
|
|
//
|
|
// p {
|
|
// ...
|
|
// }
|
|
//
|
|
// else {
|
|
// ...
|
|
// }
|
|
//
|
|
// versus
|
|
//
|
|
// p {
|
|
// ...
|
|
// } else {
|
|
// ...
|
|
// }
|
|
//
|
|
// Note: This doesn't use the `close` as it currently isn't accurate for all
|
|
// types of values. Checking the actual line text is the most consistent approach.
|
|
wasInline := false
|
|
ruleLines := bytes.Split(rule.Location.Text, []byte("\n"))
|
|
relativeElseRow := rule.Else.Location.Row - rule.Location.Row
|
|
if relativeElseRow > 0 && relativeElseRow < len(ruleLines) {
|
|
elseLine := ruleLines[relativeElseRow]
|
|
if !bytes.HasPrefix(bytes.TrimSpace(elseLine), []byte("else")) {
|
|
wasInline = true
|
|
}
|
|
}
|
|
|
|
// If there are any comments between the closing brace of the previous rule and the start
|
|
// of the else block we will always insert a new blank line between them.
|
|
hasCommentAbove := len(comments) > 0 && comments[0].Location.Row-rule.Else.Head.Location.Row < 0 || w.beforeEnd != nil
|
|
|
|
if !hasCommentAbove && wasInline {
|
|
w.write(" ")
|
|
} else {
|
|
w.blankLine()
|
|
w.startLine()
|
|
}
|
|
|
|
rule.Else.Head.Name = "else" // NOTE(sr): whaaat
|
|
rule.Else.Head.Reference = ast.Ref{ast.VarTerm("else")}
|
|
rule.Else.Head.Args = nil
|
|
comments = w.insertComments(comments, rule.Else.Head.Location)
|
|
|
|
if hasCommentAbove && !wasInline {
|
|
// The comments would have ended the line, be sure to start one again
|
|
// before writing the rest of the "else" rule.
|
|
w.startLine()
|
|
}
|
|
|
|
// For backwards compatibility adjust the rule head value location
|
|
// TODO: Refactor the logic for inserting comments, or special
|
|
// case comments in a rule head value so this can be removed
|
|
if rule.Else.Head.Value != nil {
|
|
rule.Else.Head.Value.Location = rule.Else.Head.Location
|
|
}
|
|
|
|
return w.writeRule(rule.Else, true, o, comments)
|
|
}
|
|
|
|
func (w *writer) writeHead(head *ast.Head, isDefault, isExpandedConst bool, o fmtOpts, comments []*ast.Comment) []*ast.Comment {
|
|
ref := head.Ref()
|
|
if head.Key != nil && head.Value == nil && !head.HasDynamicRef() {
|
|
ref = ref.GroundPrefix()
|
|
}
|
|
if o.refHeads || len(ref) == 1 {
|
|
w.write(ref.String())
|
|
} else {
|
|
w.write(ref[0].String())
|
|
w.write("[")
|
|
w.write(ref[1].String())
|
|
w.write("]")
|
|
}
|
|
|
|
if len(head.Args) > 0 {
|
|
w.write("(")
|
|
var args []interface{}
|
|
for _, arg := range head.Args {
|
|
args = append(args, arg)
|
|
}
|
|
comments = w.writeIterable(args, head.Location, closingLoc(0, 0, '(', ')', head.Location), comments, w.listWriter())
|
|
w.write(")")
|
|
}
|
|
if head.Key != nil {
|
|
if o.contains && head.Value == nil {
|
|
w.write(" contains ")
|
|
comments = w.writeTerm(head.Key, comments)
|
|
} else if head.Value == nil { // no `if` for p[x] notation
|
|
w.write("[")
|
|
comments = w.writeTerm(head.Key, comments)
|
|
w.write("]")
|
|
}
|
|
}
|
|
|
|
if head.Value != nil &&
|
|
(head.Key != nil || ast.Compare(head.Value, ast.BooleanTerm(true)) != 0 || isExpandedConst || isDefault) {
|
|
|
|
// in rego v1, explicitly print value for ref-head constants that aren't partial set assignments, e.g.:
|
|
// * a -> parser error, won't reach here
|
|
// * a.b -> a contains "b"
|
|
// * a.b.c -> a.b.c := true
|
|
// * a.b.c.d -> a.b.c.d := true
|
|
isRegoV1RefConst := o.regoV1 && isExpandedConst && head.Key == nil && len(head.Args) == 0
|
|
|
|
if len(head.Args) > 0 &&
|
|
head.Location == head.Value.Location &&
|
|
head.Name != "else" &&
|
|
ast.Compare(head.Value, ast.BooleanTerm(true)) == 0 &&
|
|
!isRegoV1RefConst {
|
|
// If the value location is the same as the location of the head,
|
|
// we know that the value is generated, i.e. f(1)
|
|
// Don't print the value (` = true`) as it is implied.
|
|
return comments
|
|
}
|
|
|
|
if head.Assign || o.regoV1 {
|
|
// preserve assignment operator, and enforce it if formatting for Rego v1
|
|
w.write(" := ")
|
|
} else {
|
|
w.write(" = ")
|
|
}
|
|
comments = w.writeTerm(head.Value, comments)
|
|
}
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) insertComments(comments []*ast.Comment, loc *ast.Location) []*ast.Comment {
|
|
before, at, comments := partitionComments(comments, loc)
|
|
w.writeComments(before)
|
|
if len(before) > 0 && loc.Row-before[len(before)-1].Location.Row > 1 {
|
|
w.blankLine()
|
|
}
|
|
|
|
w.beforeLineEnd(at)
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeBody(body ast.Body, comments []*ast.Comment) []*ast.Comment {
|
|
comments = w.insertComments(comments, body.Loc())
|
|
for i, expr := range body {
|
|
// Insert a blank line in before the expression if it was not right
|
|
// after the previous expression.
|
|
if i > 0 {
|
|
lastRow := body[i-1].Location.Row
|
|
for _, c := range body[i-1].Location.Text {
|
|
if c == '\n' {
|
|
lastRow++
|
|
}
|
|
}
|
|
if expr.Location.Row > lastRow+1 {
|
|
w.blankLine()
|
|
}
|
|
}
|
|
w.startLine()
|
|
|
|
comments = w.writeExpr(expr, comments)
|
|
w.endLine()
|
|
}
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeExpr(expr *ast.Expr, comments []*ast.Comment) []*ast.Comment {
|
|
comments = w.insertComments(comments, expr.Location)
|
|
if !w.inline {
|
|
w.startLine()
|
|
}
|
|
|
|
if expr.Negated {
|
|
w.write("not ")
|
|
}
|
|
|
|
switch t := expr.Terms.(type) {
|
|
case *ast.SomeDecl:
|
|
comments = w.writeSomeDecl(t, comments)
|
|
case *ast.Every:
|
|
comments = w.writeEvery(t, comments)
|
|
case []*ast.Term:
|
|
comments = w.writeFunctionCall(expr, comments)
|
|
case *ast.Term:
|
|
comments = w.writeTerm(t, comments)
|
|
}
|
|
|
|
var indented bool
|
|
for i, with := range expr.With {
|
|
if i == 0 || with.Location.Row == expr.With[i-1].Location.Row { // we're on the same line
|
|
comments = w.writeWith(with, comments, false)
|
|
} else { // we're on a new line
|
|
if !indented {
|
|
indented = true
|
|
|
|
w.up()
|
|
defer w.down()
|
|
}
|
|
w.endLine()
|
|
w.startLine()
|
|
comments = w.writeWith(with, comments, true)
|
|
}
|
|
}
|
|
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeSomeDecl(decl *ast.SomeDecl, comments []*ast.Comment) []*ast.Comment {
|
|
comments = w.insertComments(comments, decl.Location)
|
|
w.write("some ")
|
|
|
|
row := decl.Location.Row
|
|
|
|
for i, term := range decl.Symbols {
|
|
switch val := term.Value.(type) {
|
|
case ast.Var:
|
|
if term.Location.Row > row {
|
|
w.endLine()
|
|
w.startLine()
|
|
w.write(w.indent)
|
|
row = term.Location.Row
|
|
} else if i > 0 {
|
|
w.write(" ")
|
|
}
|
|
|
|
comments = w.writeTerm(term, comments)
|
|
|
|
if i < len(decl.Symbols)-1 {
|
|
w.write(",")
|
|
}
|
|
case ast.Call:
|
|
comments = w.writeInOperator(false, val[1:], comments, decl.Location, ast.BuiltinMap[val[0].String()].Decl)
|
|
}
|
|
}
|
|
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeEvery(every *ast.Every, comments []*ast.Comment) []*ast.Comment {
|
|
comments = w.insertComments(comments, every.Location)
|
|
w.write("every ")
|
|
if every.Key != nil {
|
|
comments = w.writeTerm(every.Key, comments)
|
|
w.write(", ")
|
|
}
|
|
comments = w.writeTerm(every.Value, comments)
|
|
w.write(" in ")
|
|
comments = w.writeTerm(every.Domain, comments)
|
|
w.write(" {")
|
|
comments = w.writeComprehensionBody('{', '}', every.Body, every.Loc(), every.Loc(), comments)
|
|
|
|
if len(every.Body) == 1 &&
|
|
every.Body[0].Location.Row == every.Location.Row {
|
|
w.write(" ")
|
|
}
|
|
w.write("}")
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeFunctionCall(expr *ast.Expr, comments []*ast.Comment) []*ast.Comment {
|
|
|
|
terms := expr.Terms.([]*ast.Term)
|
|
operator := terms[0].Value.String()
|
|
|
|
switch operator {
|
|
case ast.Member.Name, ast.MemberWithKey.Name:
|
|
return w.writeInOperator(false, terms[1:], comments, terms[0].Location, ast.BuiltinMap[terms[0].String()].Decl)
|
|
}
|
|
|
|
bi, ok := ast.BuiltinMap[operator]
|
|
if !ok || bi.Infix == "" {
|
|
return w.writeFunctionCallPlain(terms, comments)
|
|
}
|
|
|
|
numDeclArgs := len(bi.Decl.Args())
|
|
numCallArgs := len(terms) - 1
|
|
|
|
switch numCallArgs {
|
|
case numDeclArgs: // Print infix where result is unassigned (e.g., x != y)
|
|
comments = w.writeTerm(terms[1], comments)
|
|
w.write(" " + bi.Infix + " ")
|
|
return w.writeTerm(terms[2], comments)
|
|
|
|
case numDeclArgs + 1: // Print infix where result is assigned (e.g., z = x + y)
|
|
comments = w.writeTerm(terms[3], comments)
|
|
w.write(" " + ast.Equality.Infix + " ")
|
|
comments = w.writeTerm(terms[1], comments)
|
|
w.write(" " + bi.Infix + " ")
|
|
comments = w.writeTerm(terms[2], comments)
|
|
return comments
|
|
}
|
|
// NOTE(Trolloldem): in this point we are operating with a built-in function with the
|
|
// wrong arity even when the assignment notation is used
|
|
w.errs = append(w.errs, ArityFormatMismatchError(terms[1:], terms[0].String(), terms[0].Location, bi.Decl))
|
|
return w.writeFunctionCallPlain(terms, comments)
|
|
}
|
|
|
|
func (w *writer) writeFunctionCallPlain(terms []*ast.Term, comments []*ast.Comment) []*ast.Comment {
|
|
w.write(terms[0].String() + "(")
|
|
defer w.write(")")
|
|
args := make([]interface{}, len(terms)-1)
|
|
for i, t := range terms[1:] {
|
|
args[i] = t
|
|
}
|
|
loc := terms[0].Location
|
|
return w.writeIterable(args, loc, closingLoc(0, 0, '(', ')', loc), comments, w.listWriter())
|
|
}
|
|
|
|
func (w *writer) writeWith(with *ast.With, comments []*ast.Comment, indented bool) []*ast.Comment {
|
|
comments = w.insertComments(comments, with.Location)
|
|
if !indented {
|
|
w.write(" ")
|
|
}
|
|
w.write("with ")
|
|
comments = w.writeTerm(with.Target, comments)
|
|
w.write(" as ")
|
|
return w.writeTerm(with.Value, comments)
|
|
}
|
|
|
|
func (w *writer) writeTerm(term *ast.Term, comments []*ast.Comment) []*ast.Comment {
|
|
return w.writeTermParens(false, term, comments)
|
|
}
|
|
|
|
func (w *writer) writeTermParens(parens bool, term *ast.Term, comments []*ast.Comment) []*ast.Comment {
|
|
comments = w.insertComments(comments, term.Location)
|
|
if !w.inline {
|
|
w.startLine()
|
|
}
|
|
|
|
switch x := term.Value.(type) {
|
|
case ast.Ref:
|
|
w.writeRef(x)
|
|
case ast.Object:
|
|
comments = w.writeObject(x, term.Location, comments)
|
|
case *ast.Array:
|
|
comments = w.writeArray(x, term.Location, comments)
|
|
case ast.Set:
|
|
comments = w.writeSet(x, term.Location, comments)
|
|
case *ast.ArrayComprehension:
|
|
comments = w.writeArrayComprehension(x, term.Location, comments)
|
|
case *ast.ObjectComprehension:
|
|
comments = w.writeObjectComprehension(x, term.Location, comments)
|
|
case *ast.SetComprehension:
|
|
comments = w.writeSetComprehension(x, term.Location, comments)
|
|
case ast.String:
|
|
if term.Location.Text[0] == '`' {
|
|
// To preserve raw strings, we need to output the original text,
|
|
// not what x.String() would give us.
|
|
w.write(string(term.Location.Text))
|
|
} else {
|
|
w.write(x.String())
|
|
}
|
|
case ast.Var:
|
|
w.write(w.formatVar(x))
|
|
case ast.Call:
|
|
comments = w.writeCall(parens, x, term.Location, comments)
|
|
case fmt.Stringer:
|
|
w.write(x.String())
|
|
}
|
|
|
|
if !w.inline {
|
|
w.startLine()
|
|
}
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeRef(x ast.Ref) {
|
|
if len(x) > 0 {
|
|
parens := false
|
|
_, ok := x[0].Value.(ast.Call)
|
|
if ok {
|
|
parens = x[0].Location.Text[0] == 40 // Starts with "("
|
|
}
|
|
w.writeTermParens(parens, x[0], nil)
|
|
path := x[1:]
|
|
for _, t := range path {
|
|
switch p := t.Value.(type) {
|
|
case ast.String:
|
|
w.writeRefStringPath(p)
|
|
case ast.Var:
|
|
w.writeBracketed(w.formatVar(p))
|
|
default:
|
|
w.write("[")
|
|
w.writeTerm(t, nil)
|
|
w.write("]")
|
|
}
|
|
}
|
|
}
|
|
}
|
|
|
|
func (w *writer) writeBracketed(str string) {
|
|
w.write("[" + str + "]")
|
|
}
|
|
|
|
var varRegexp = regexp.MustCompile("^[[:alpha:]_][[:alpha:][:digit:]_]*$")
|
|
|
|
func (w *writer) writeRefStringPath(s ast.String) {
|
|
str := string(s)
|
|
if varRegexp.MatchString(str) && !ast.IsKeyword(str) {
|
|
w.write("." + str)
|
|
} else {
|
|
w.writeBracketed(s.String())
|
|
}
|
|
}
|
|
|
|
func (w *writer) formatVar(v ast.Var) string {
|
|
if v.IsWildcard() {
|
|
return ast.Wildcard.String()
|
|
}
|
|
return v.String()
|
|
}
|
|
|
|
func (w *writer) writeCall(parens bool, x ast.Call, loc *ast.Location, comments []*ast.Comment) []*ast.Comment {
|
|
bi, ok := ast.BuiltinMap[x[0].String()]
|
|
if !ok || bi.Infix == "" {
|
|
return w.writeFunctionCallPlain(x, comments)
|
|
}
|
|
|
|
if bi.Infix == "in" {
|
|
// NOTE(sr): `in` requires special handling, mirroring what happens in the parser,
|
|
// since there can be one or two lhs arguments.
|
|
return w.writeInOperator(true, x[1:], comments, loc, bi.Decl)
|
|
}
|
|
|
|
// TODO(tsandall): improve to consider precedence?
|
|
if parens {
|
|
w.write("(")
|
|
}
|
|
|
|
// NOTE(Trolloldem): writeCall is only invoked when the function call is a term
|
|
// of another function. The only valid arity is the one of the
|
|
// built-in function
|
|
if len(bi.Decl.Args()) != len(x)-1 {
|
|
w.errs = append(w.errs, ArityFormatMismatchError(x[1:], x[0].String(), loc, bi.Decl))
|
|
return comments
|
|
}
|
|
|
|
comments = w.writeTermParens(true, x[1], comments)
|
|
w.write(" " + bi.Infix + " ")
|
|
comments = w.writeTermParens(true, x[2], comments)
|
|
if parens {
|
|
w.write(")")
|
|
}
|
|
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeInOperator(parens bool, operands []*ast.Term, comments []*ast.Comment, loc *ast.Location, f *types.Function) []*ast.Comment {
|
|
|
|
if len(operands) != len(f.Args()) {
|
|
// The number of operands does not math the arity of the `in` operator
|
|
operator := ast.Member.Name
|
|
if len(f.Args()) == 3 {
|
|
operator = ast.MemberWithKey.Name
|
|
}
|
|
w.errs = append(w.errs, ArityFormatMismatchError(operands, operator, loc, f))
|
|
return comments
|
|
}
|
|
kw := "in"
|
|
switch len(operands) {
|
|
case 2:
|
|
comments = w.writeTermParens(true, operands[0], comments)
|
|
w.write(" ")
|
|
w.write(kw)
|
|
w.write(" ")
|
|
comments = w.writeTermParens(true, operands[1], comments)
|
|
case 3:
|
|
if parens {
|
|
w.write("(")
|
|
defer w.write(")")
|
|
}
|
|
comments = w.writeTermParens(true, operands[0], comments)
|
|
w.write(", ")
|
|
comments = w.writeTermParens(true, operands[1], comments)
|
|
w.write(" ")
|
|
w.write(kw)
|
|
w.write(" ")
|
|
comments = w.writeTermParens(true, operands[2], comments)
|
|
}
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeObject(obj ast.Object, loc *ast.Location, comments []*ast.Comment) []*ast.Comment {
|
|
w.write("{")
|
|
defer w.write("}")
|
|
|
|
var s []interface{}
|
|
obj.Foreach(func(k, v *ast.Term) {
|
|
s = append(s, ast.Item(k, v))
|
|
})
|
|
return w.writeIterable(s, loc, closingLoc(0, 0, '{', '}', loc), comments, w.objectWriter())
|
|
}
|
|
|
|
func (w *writer) writeArray(arr *ast.Array, loc *ast.Location, comments []*ast.Comment) []*ast.Comment {
|
|
w.write("[")
|
|
defer w.write("]")
|
|
|
|
var s []interface{}
|
|
arr.Foreach(func(t *ast.Term) {
|
|
s = append(s, t)
|
|
})
|
|
return w.writeIterable(s, loc, closingLoc(0, 0, '[', ']', loc), comments, w.listWriter())
|
|
}
|
|
|
|
func (w *writer) writeSet(set ast.Set, loc *ast.Location, comments []*ast.Comment) []*ast.Comment {
|
|
|
|
if set.Len() == 0 {
|
|
w.write("set()")
|
|
return w.insertComments(comments, closingLoc(0, 0, '(', ')', loc))
|
|
}
|
|
|
|
w.write("{")
|
|
defer w.write("}")
|
|
|
|
var s []interface{}
|
|
set.Foreach(func(t *ast.Term) {
|
|
s = append(s, t)
|
|
})
|
|
return w.writeIterable(s, loc, closingLoc(0, 0, '{', '}', loc), comments, w.listWriter())
|
|
}
|
|
|
|
func (w *writer) writeArrayComprehension(arr *ast.ArrayComprehension, loc *ast.Location, comments []*ast.Comment) []*ast.Comment {
|
|
w.write("[")
|
|
defer w.write("]")
|
|
|
|
return w.writeComprehension('[', ']', arr.Term, arr.Body, loc, comments)
|
|
}
|
|
|
|
func (w *writer) writeSetComprehension(set *ast.SetComprehension, loc *ast.Location, comments []*ast.Comment) []*ast.Comment {
|
|
w.write("{")
|
|
defer w.write("}")
|
|
|
|
return w.writeComprehension('{', '}', set.Term, set.Body, loc, comments)
|
|
}
|
|
|
|
func (w *writer) writeObjectComprehension(object *ast.ObjectComprehension, loc *ast.Location, comments []*ast.Comment) []*ast.Comment {
|
|
w.write("{")
|
|
defer w.write("}")
|
|
|
|
object.Value.Location = object.Key.Location // Ensure the value is not written on the next line.
|
|
if object.Key.Location.Row-loc.Row > 1 {
|
|
w.endLine()
|
|
w.startLine()
|
|
}
|
|
|
|
comments = w.writeTerm(object.Key, comments)
|
|
w.write(": ")
|
|
return w.writeComprehension('{', '}', object.Value, object.Body, loc, comments)
|
|
}
|
|
|
|
func (w *writer) writeComprehension(open, close byte, term *ast.Term, body ast.Body, loc *ast.Location, comments []*ast.Comment) []*ast.Comment {
|
|
if term.Location.Row-loc.Row >= 1 {
|
|
w.endLine()
|
|
w.startLine()
|
|
}
|
|
|
|
parens := false
|
|
_, ok := term.Value.(ast.Call)
|
|
if ok {
|
|
parens = term.Location.Text[0] == 40 // Starts with "("
|
|
}
|
|
comments = w.writeTermParens(parens, term, comments)
|
|
w.write(" |")
|
|
|
|
return w.writeComprehensionBody(open, close, body, term.Location, loc, comments)
|
|
}
|
|
|
|
func (w *writer) writeComprehensionBody(open, close byte, body ast.Body, term, compr *ast.Location, comments []*ast.Comment) []*ast.Comment {
|
|
exprs := make([]interface{}, 0, len(body))
|
|
for _, expr := range body {
|
|
exprs = append(exprs, expr)
|
|
}
|
|
lines := groupIterable(exprs, term)
|
|
|
|
if body.Loc().Row-term.Row > 0 || len(lines) > 1 {
|
|
w.endLine()
|
|
w.up()
|
|
defer w.startLine()
|
|
defer w.down()
|
|
|
|
comments = w.writeBody(body, comments)
|
|
} else {
|
|
w.write(" ")
|
|
i := 0
|
|
for ; i < len(body)-1; i++ {
|
|
comments = w.writeExpr(body[i], comments)
|
|
w.write("; ")
|
|
}
|
|
comments = w.writeExpr(body[i], comments)
|
|
}
|
|
|
|
return w.insertComments(comments, closingLoc(0, 0, open, close, compr))
|
|
}
|
|
|
|
func (w *writer) writeImports(imports []*ast.Import, comments []*ast.Comment) []*ast.Comment {
|
|
m, comments := mapImportsToComments(imports, comments)
|
|
|
|
groups := groupImports(imports)
|
|
for _, group := range groups {
|
|
comments = w.insertComments(comments, group[0].Loc())
|
|
|
|
// Sort imports within a newline grouping.
|
|
sort.Slice(group, func(i, j int) bool {
|
|
a := group[i]
|
|
b := group[j]
|
|
return a.Compare(b) < 0
|
|
})
|
|
for _, i := range group {
|
|
w.startLine()
|
|
w.write(i.String())
|
|
if c, ok := m[i]; ok {
|
|
w.write(" " + c.String())
|
|
}
|
|
w.endLine()
|
|
}
|
|
w.blankLine()
|
|
}
|
|
|
|
return comments
|
|
}
|
|
|
|
type entryWriter func(interface{}, []*ast.Comment) []*ast.Comment
|
|
|
|
func (w *writer) writeIterable(elements []interface{}, last *ast.Location, close *ast.Location, comments []*ast.Comment, fn entryWriter) []*ast.Comment {
|
|
lines := groupIterable(elements, last)
|
|
if len(lines) > 1 {
|
|
w.delayBeforeEnd()
|
|
w.startMultilineSeq()
|
|
}
|
|
|
|
i := 0
|
|
for ; i < len(lines)-1; i++ {
|
|
comments = w.writeIterableLine(lines[i], comments, fn)
|
|
w.write(",")
|
|
|
|
w.endLine()
|
|
w.startLine()
|
|
}
|
|
|
|
comments = w.writeIterableLine(lines[i], comments, fn)
|
|
|
|
if len(lines) > 1 {
|
|
w.write(",")
|
|
w.endLine()
|
|
comments = w.insertComments(comments, close)
|
|
w.down()
|
|
w.startLine()
|
|
}
|
|
|
|
return comments
|
|
}
|
|
|
|
func (w *writer) writeIterableLine(elements []interface{}, comments []*ast.Comment, fn entryWriter) []*ast.Comment {
|
|
if len(elements) == 0 {
|
|
return comments
|
|
}
|
|
|
|
i := 0
|
|
for ; i < len(elements)-1; i++ {
|
|
comments = fn(elements[i], comments)
|
|
w.write(", ")
|
|
}
|
|
|
|
return fn(elements[i], comments)
|
|
}
|
|
|
|
func (w *writer) objectWriter() entryWriter {
|
|
return func(x interface{}, comments []*ast.Comment) []*ast.Comment {
|
|
entry := x.([2]*ast.Term)
|
|
comments = w.writeTerm(entry[0], comments)
|
|
w.write(": ")
|
|
return w.writeTerm(entry[1], comments)
|
|
}
|
|
}
|
|
|
|
func (w *writer) listWriter() entryWriter {
|
|
return func(x interface{}, comments []*ast.Comment) []*ast.Comment {
|
|
return w.writeTerm(x.(*ast.Term), comments)
|
|
}
|
|
}
|
|
|
|
// groupIterable will group the `elements` slice into slices according to their
|
|
// location: anything on the same line will be put into a slice.
|
|
func groupIterable(elements []interface{}, last *ast.Location) [][]interface{} {
|
|
// Generated vars occur in the AST when we're rendering the result of
|
|
// partial evaluation in a bundle build with optimization.
|
|
// Those variables, and wildcard variables have the "default location",
|
|
// set in `Ast()`). That is no proper file location, and the grouping
|
|
// based on source location will yield a bad result.
|
|
// Another case is generated variables: they do have proper file locations,
|
|
// but their row/col information may no longer match their AST location.
|
|
// So, for generated variables, we also don't trust the location, but
|
|
// keep them ungrouped.
|
|
def := false // default location found?
|
|
for _, elem := range elements {
|
|
ast.WalkTerms(elem, func(t *ast.Term) bool {
|
|
if t.Location.File == defaultLocationFile {
|
|
def = true
|
|
return true
|
|
}
|
|
return false
|
|
})
|
|
ast.WalkVars(elem, func(v ast.Var) bool {
|
|
if v.IsGenerated() {
|
|
def = true
|
|
return true
|
|
}
|
|
return false
|
|
})
|
|
if def { // return as-is
|
|
return [][]interface{}{elements}
|
|
}
|
|
}
|
|
sort.Slice(elements, func(i, j int) bool {
|
|
return locLess(elements[i], elements[j])
|
|
})
|
|
|
|
var lines [][]interface{}
|
|
cur := make([]interface{}, 0, len(elements))
|
|
for i, t := range elements {
|
|
elem := t
|
|
loc := getLoc(elem)
|
|
lineDiff := loc.Row - last.Row
|
|
if lineDiff > 0 && i > 0 {
|
|
lines = append(lines, cur)
|
|
cur = nil
|
|
}
|
|
|
|
last = loc
|
|
cur = append(cur, elem)
|
|
}
|
|
return append(lines, cur)
|
|
}
|
|
|
|
func mapImportsToComments(imports []*ast.Import, comments []*ast.Comment) (map[*ast.Import]*ast.Comment, []*ast.Comment) {
|
|
var leftovers []*ast.Comment
|
|
m := map[*ast.Import]*ast.Comment{}
|
|
|
|
for _, c := range comments {
|
|
matched := false
|
|
for _, i := range imports {
|
|
if c.Loc().Row == i.Loc().Row {
|
|
m[i] = c
|
|
matched = true
|
|
break
|
|
}
|
|
}
|
|
if !matched {
|
|
leftovers = append(leftovers, c)
|
|
}
|
|
}
|
|
|
|
return m, leftovers
|
|
}
|
|
|
|
func groupImports(imports []*ast.Import) [][]*ast.Import {
|
|
switch len(imports) { // shortcuts
|
|
case 0:
|
|
return nil
|
|
case 1:
|
|
return [][]*ast.Import{imports}
|
|
}
|
|
// there are >=2 imports to group
|
|
|
|
var groups [][]*ast.Import
|
|
group := []*ast.Import{imports[0]}
|
|
|
|
for _, i := range imports[1:] {
|
|
last := group[len(group)-1]
|
|
|
|
// nil-location imports have been sorted up to come first
|
|
if i.Loc() != nil && last.Loc() != nil && // first import with a location, or
|
|
i.Loc().Row-last.Loc().Row > 1 { // more than one row apart from previous import
|
|
|
|
// start a new group
|
|
groups = append(groups, group)
|
|
group = []*ast.Import{}
|
|
}
|
|
group = append(group, i)
|
|
}
|
|
if len(group) > 0 {
|
|
groups = append(groups, group)
|
|
}
|
|
|
|
return groups
|
|
}
|
|
|
|
func partitionComments(comments []*ast.Comment, l *ast.Location) (before []*ast.Comment, at *ast.Comment, after []*ast.Comment) {
|
|
for _, c := range comments {
|
|
switch cmp := c.Location.Row - l.Row; {
|
|
case cmp < 0:
|
|
before = append(before, c)
|
|
case cmp > 0:
|
|
after = append(after, c)
|
|
case cmp == 0:
|
|
at = c
|
|
}
|
|
}
|
|
|
|
return before, at, after
|
|
}
|
|
|
|
func gatherImports(others []interface{}) (imports []*ast.Import, rest []interface{}) {
|
|
i := 0
|
|
loop:
|
|
for ; i < len(others); i++ {
|
|
switch x := others[i].(type) {
|
|
case *ast.Import:
|
|
imports = append(imports, x)
|
|
case *ast.Rule:
|
|
break loop
|
|
}
|
|
}
|
|
return imports, others[i:]
|
|
}
|
|
|
|
func gatherRules(others []interface{}) (rules []*ast.Rule, rest []interface{}) {
|
|
i := 0
|
|
loop:
|
|
for ; i < len(others); i++ {
|
|
switch x := others[i].(type) {
|
|
case *ast.Rule:
|
|
rules = append(rules, x)
|
|
case *ast.Import:
|
|
break loop
|
|
}
|
|
}
|
|
return rules, others[i:]
|
|
}
|
|
|
|
func locLess(a, b interface{}) bool {
|
|
return locCmp(a, b) < 0
|
|
}
|
|
|
|
func locCmp(a, b interface{}) int {
|
|
al := getLoc(a)
|
|
bl := getLoc(b)
|
|
switch {
|
|
case al == nil && bl == nil:
|
|
return 0
|
|
case al == nil:
|
|
return -1
|
|
case bl == nil:
|
|
return 1
|
|
}
|
|
|
|
if cmp := al.Row - bl.Row; cmp != 0 {
|
|
return cmp
|
|
|
|
}
|
|
return al.Col - bl.Col
|
|
}
|
|
|
|
func getLoc(x interface{}) *ast.Location {
|
|
switch x := x.(type) {
|
|
case ast.Node: // *ast.Head, *ast.Expr, *ast.With, *ast.Term
|
|
return x.Loc()
|
|
case *ast.Location:
|
|
return x
|
|
case [2]*ast.Term: // Special case to allow for easy printing of objects.
|
|
return x[0].Location
|
|
default:
|
|
panic("Not reached")
|
|
}
|
|
}
|
|
|
|
func closingLoc(skipOpen, skipClose, open, close byte, loc *ast.Location) *ast.Location {
|
|
i, offset := 0, 0
|
|
|
|
// Skip past parens/brackets/braces in rule heads.
|
|
if skipOpen > 0 {
|
|
i, offset = skipPast(skipOpen, skipClose, loc)
|
|
}
|
|
|
|
for ; i < len(loc.Text) && loc.Text[i] != open; i++ {
|
|
}
|
|
|
|
if i >= len(loc.Text) {
|
|
return &ast.Location{Row: -1}
|
|
}
|
|
|
|
state := 1
|
|
for state > 0 {
|
|
i++
|
|
if i >= len(loc.Text) {
|
|
return &ast.Location{Row: -1}
|
|
}
|
|
|
|
switch loc.Text[i] {
|
|
case open:
|
|
state++
|
|
case close:
|
|
state--
|
|
case '\n':
|
|
offset++
|
|
}
|
|
}
|
|
|
|
return &ast.Location{Row: loc.Row + offset}
|
|
}
|
|
|
|
func skipPast(open, close byte, loc *ast.Location) (int, int) {
|
|
i := 0
|
|
for ; i < len(loc.Text) && loc.Text[i] != open; i++ {
|
|
}
|
|
|
|
state := 1
|
|
offset := 0
|
|
for state > 0 {
|
|
i++
|
|
if i >= len(loc.Text) {
|
|
return i, offset
|
|
}
|
|
|
|
switch loc.Text[i] {
|
|
case open:
|
|
state++
|
|
case close:
|
|
state--
|
|
case '\n':
|
|
offset++
|
|
}
|
|
}
|
|
|
|
return i, offset
|
|
}
|
|
|
|
// startLine begins a line with the current indentation level.
|
|
func (w *writer) startLine() {
|
|
w.inline = true
|
|
for i := 0; i < w.level; i++ {
|
|
w.write(w.indent)
|
|
}
|
|
}
|
|
|
|
// endLine ends a line with a newline.
|
|
func (w *writer) endLine() {
|
|
w.inline = false
|
|
if w.beforeEnd != nil && !w.delay {
|
|
w.write(" " + w.beforeEnd.String())
|
|
w.beforeEnd = nil
|
|
}
|
|
w.delay = false
|
|
w.write("\n")
|
|
}
|
|
|
|
// beforeLineEnd registers a comment to be printed at the end of the current line.
|
|
func (w *writer) beforeLineEnd(c *ast.Comment) {
|
|
if w.beforeEnd != nil {
|
|
if c == nil {
|
|
return
|
|
}
|
|
panic("overwriting non-nil beforeEnd")
|
|
}
|
|
w.beforeEnd = c
|
|
}
|
|
|
|
func (w *writer) delayBeforeEnd() {
|
|
w.delay = true
|
|
}
|
|
|
|
// line prints a blank line. If the writer is currently in the middle of a line,
|
|
// line ends it and then prints a blank one.
|
|
func (w *writer) blankLine() {
|
|
if w.inline {
|
|
w.endLine()
|
|
}
|
|
w.write("\n")
|
|
}
|
|
|
|
// write the input string and writes it to the buffer.
|
|
func (w *writer) write(s string) {
|
|
w.buf.WriteString(s)
|
|
}
|
|
|
|
// writeLine writes the string on a newly started line, then terminate the line.
|
|
func (w *writer) writeLine(s string) {
|
|
if !w.inline {
|
|
w.startLine()
|
|
}
|
|
w.write(s)
|
|
w.endLine()
|
|
}
|
|
|
|
func (w *writer) startMultilineSeq() {
|
|
w.endLine()
|
|
w.up()
|
|
w.startLine()
|
|
}
|
|
|
|
// up increases the indentation level
|
|
func (w *writer) up() {
|
|
w.level++
|
|
}
|
|
|
|
// down decreases the indentation level
|
|
func (w *writer) down() {
|
|
if w.level == 0 {
|
|
panic("negative indentation level")
|
|
}
|
|
w.level--
|
|
}
|
|
|
|
func ensureFutureKeywordImport(imps []*ast.Import, kw string) []*ast.Import {
|
|
for _, imp := range imps {
|
|
if future.IsAllFutureKeywords(imp) ||
|
|
future.IsFutureKeyword(imp, kw) ||
|
|
(future.IsFutureKeyword(imp, "every") && kw == "in") { // "every" implies "in", so we don't need to add both
|
|
return imps
|
|
}
|
|
}
|
|
imp := &ast.Import{
|
|
Path: ast.MustParseTerm("future.keywords." + kw),
|
|
}
|
|
imp.Location = defaultLocation(imp)
|
|
return append(imps, imp)
|
|
}
|
|
|
|
func ensureRegoV1Import(imps []*ast.Import) []*ast.Import {
|
|
return ensureImport(imps, ast.RegoV1CompatibleRef)
|
|
}
|
|
|
|
func filterRegoV1Import(imps []*ast.Import) []*ast.Import {
|
|
var ret []*ast.Import
|
|
for _, imp := range imps {
|
|
path := imp.Path.Value.(ast.Ref)
|
|
if !ast.RegoV1CompatibleRef.Equal(path) {
|
|
ret = append(ret, imp)
|
|
}
|
|
}
|
|
return ret
|
|
}
|
|
|
|
func ensureImport(imps []*ast.Import, path ast.Ref) []*ast.Import {
|
|
for _, imp := range imps {
|
|
p := imp.Path.Value.(ast.Ref)
|
|
if p.Equal(path) {
|
|
return imps
|
|
}
|
|
}
|
|
imp := &ast.Import{
|
|
Path: ast.NewTerm(path),
|
|
}
|
|
imp.Location = defaultLocation(imp)
|
|
return append(imps, imp)
|
|
}
|
|
|
|
// ArgErrDetail but for `fmt` checks since compiler has not run yet.
|
|
type ArityFormatErrDetail struct {
|
|
Have []string `json:"have"`
|
|
Want []string `json:"want"`
|
|
}
|
|
|
|
// arityMismatchError but for `fmt` checks since the compiler has not run yet.
|
|
func ArityFormatMismatchError(operands []*ast.Term, operator string, loc *ast.Location, f *types.Function) *ast.Error {
|
|
want := make([]string, len(f.Args()))
|
|
for i := range f.Args() {
|
|
want[i] = types.Sprint(f.Args()[i])
|
|
}
|
|
|
|
have := make([]string, len(operands))
|
|
for i := 0; i < len(operands); i++ {
|
|
have[i] = ast.TypeName(operands[i].Value)
|
|
}
|
|
err := ast.NewError(ast.TypeErr, loc, "%s: %s", operator, "arity mismatch")
|
|
err.Details = &ArityFormatErrDetail{
|
|
Have: have,
|
|
Want: want,
|
|
}
|
|
return err
|
|
}
|
|
|
|
// Lines returns the string representation of the detail.
|
|
func (d *ArityFormatErrDetail) Lines() []string {
|
|
return []string{
|
|
"have: " + "(" + strings.Join(d.Have, ",") + ")",
|
|
"want: " + "(" + strings.Join(d.Want, ",") + ")",
|
|
}
|
|
}
|
|
|
|
func moduleIsRegoV1Compatible(m *ast.Module) bool {
|
|
for _, imp := range m.Imports {
|
|
if isRegoV1Compatible(imp) {
|
|
return true
|
|
}
|
|
}
|
|
return false
|
|
}
|
|
|
|
// isRegoV1Compatible returns true if the passed *ast.Import is `rego.v1`
|
|
func isRegoV1Compatible(imp *ast.Import) bool {
|
|
path := imp.Path.Value.(ast.Ref)
|
|
return len(path) == 2 &&
|
|
ast.RegoRootDocument.Equal(path[0]) &&
|
|
path[1].Equal(ast.StringTerm("v1"))
|
|
}
|