-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathgraphql_merge_schema.go
79 lines (66 loc) · 1.83 KB
/
graphql_merge_schema.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
package mergegraphqlschema
import (
"fmt"
"os"
"path/filepath"
"strings"
"github.com/graphql-go/graphql/language/ast"
"github.com/graphql-go/graphql/language/parser"
"github.com/graphql-go/graphql/language/printer"
)
// readAndParseSchema reads a GraphQL schema file and returns its AST document.
func readAndParseSchema(filename string) (*ast.Document, error) {
content, err := os.ReadFile(filename)
if err != nil {
return nil, err
}
return parser.Parse(parser.ParseParams{Source: string(content)})
}
func walkMatch(root, pattern string) ([]string, error) {
var matches []string
err := filepath.Walk(root, func(path string, info os.FileInfo, err error) error {
if err != nil {
return err
}
if !info.IsDir() && strings.HasSuffix(path, pattern) {
matches = append(matches, path)
}
return nil
})
if err != nil {
return nil, err
}
return matches, nil
}
// mergeSchemas takes a glob pattern and returns a merged schema.
func MergeSchemas(root, pattern, outfile string) (string, error) {
var mergedAST *ast.Document
// Find all files matching the glob pattern
files, err := walkMatch(root, pattern)
if err != nil {
return "", err
}
if len(files) == 0 {
return "", fmt.Errorf("no files matched the pattern")
}
for _, file := range files {
doc, err := readAndParseSchema(file)
if err != nil {
return "", fmt.Errorf("error parsing file %s: %v", file, err)
}
if mergedAST == nil {
// Initialize mergedAST with the first document
mergedAST = doc
} else {
// Append definitions from each parsed document
mergedAST.Definitions = append(mergedAST.Definitions, doc.Definitions...)
}
}
// Print the merged AST back to a schema string
mergedSchema := printer.Print(mergedAST).(string)
err = os.WriteFile(outfile, []byte(mergedSchema), 0777)
if err != nil {
panic(err)
}
return mergedSchema, nil
}