Full Mattermost server source with integrated Community Enterprise features. Includes vendor directory for offline/air-gapped builds. Structure: - enterprise-impl/: Enterprise feature implementations - enterprise-community/: Init files that register implementations - enterprise/: Bridge imports (community_imports.go) - vendor/: All dependencies for offline builds Build (online): go build ./cmd/mattermost Build (offline/air-gapped): go build -mod=vendor ./cmd/mattermost 🤖 Generated with [Claude Code](https://claude.com/claude-code) Co-Authored-By: Claude Opus 4.5 <noreply@anthropic.com>
276 lines
7.3 KiB
Go
276 lines
7.3 KiB
Go
// Copyright (c) 2015-present Mattermost, Inc. All Rights Reserved.
|
|
// See LICENSE.txt for license information.
|
|
|
|
package main
|
|
|
|
import (
|
|
"bytes"
|
|
"fmt"
|
|
"go/ast"
|
|
"go/format"
|
|
"go/parser"
|
|
"go/token"
|
|
"io"
|
|
"log"
|
|
"os"
|
|
"path"
|
|
"slices"
|
|
"strings"
|
|
"text/template"
|
|
)
|
|
|
|
const (
|
|
ErrorType = "error"
|
|
)
|
|
|
|
func isError(typeName string) bool {
|
|
return strings.Contains(typeName, ErrorType)
|
|
}
|
|
|
|
func main() {
|
|
if err := buildTimerLayer(); err != nil {
|
|
log.Fatal(err)
|
|
}
|
|
if err := buildRetryLayer(); err != nil {
|
|
log.Fatal(err)
|
|
}
|
|
}
|
|
|
|
func buildRetryLayer() error {
|
|
code, err := generateLayer("RetryLayer", "retry_layer.go.tmpl")
|
|
if err != nil {
|
|
return err
|
|
}
|
|
formatedCode, err := format.Source(code)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
return os.WriteFile(path.Join("retrylayer/retrylayer.go"), formatedCode, 0644)
|
|
}
|
|
|
|
func buildTimerLayer() error {
|
|
code, err := generateLayer("TimerLayer", "timer_layer.go.tmpl")
|
|
if err != nil {
|
|
return err
|
|
}
|
|
formatedCode, err := format.Source(code)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
return os.WriteFile(path.Join("timerlayer", "timerlayer.go"), formatedCode, 0644)
|
|
}
|
|
|
|
type methodParam struct {
|
|
Name string
|
|
Type string
|
|
}
|
|
|
|
type methodData struct {
|
|
Params []methodParam
|
|
Results []string
|
|
}
|
|
|
|
type subStore struct {
|
|
Methods map[string]methodData
|
|
}
|
|
|
|
type storeMetadata struct {
|
|
Name string
|
|
SubStores map[string]subStore
|
|
Methods map[string]methodData
|
|
}
|
|
|
|
func extractMethodMetadata(method *ast.Field, src []byte) methodData {
|
|
params := []methodParam{}
|
|
results := []string{}
|
|
ast.Inspect(method.Type, func(expr ast.Node) bool {
|
|
switch e := expr.(type) {
|
|
case *ast.FuncType:
|
|
if e.Params != nil {
|
|
for _, param := range e.Params.List {
|
|
for _, paramName := range param.Names {
|
|
params = append(params, methodParam{Name: paramName.Name, Type: string(src[param.Type.Pos()-1 : param.Type.End()-1])})
|
|
}
|
|
}
|
|
}
|
|
if e.Results != nil {
|
|
for _, result := range e.Results.List {
|
|
results = append(results, string(src[result.Type.Pos()-1:result.Type.End()-1]))
|
|
}
|
|
}
|
|
}
|
|
return true
|
|
})
|
|
return methodData{Params: params, Results: results}
|
|
}
|
|
|
|
func extractStoreMetadata() (*storeMetadata, error) {
|
|
// Create the AST by parsing src.
|
|
fset := token.NewFileSet() // positions are relative to fset
|
|
|
|
file, err := os.Open("store.go")
|
|
if err != nil {
|
|
return nil, fmt.Errorf("unable to open store/store.go file: %w", err)
|
|
}
|
|
src, err := io.ReadAll(file)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
file.Close()
|
|
f, err := parser.ParseFile(fset, "", src, parser.AllErrors|parser.ParseComments)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
topLevelFunctions := map[string]bool{
|
|
"MarkSystemRanUnitTests": false,
|
|
"Close": false,
|
|
"LockToMaster": false,
|
|
"UnlockFromMaster": false,
|
|
"DropAllTables": false,
|
|
"TotalMasterDbConnections": true,
|
|
"TotalReadDbConnections": true,
|
|
"SetContext": true,
|
|
"TotalSearchDbConnections": true,
|
|
"GetCurrentSchemaVersion": true,
|
|
}
|
|
|
|
metadata := storeMetadata{Methods: map[string]methodData{}, SubStores: map[string]subStore{}}
|
|
|
|
ast.Inspect(f, func(n ast.Node) bool {
|
|
switch x := n.(type) {
|
|
case *ast.TypeSpec:
|
|
if x.Name.Name == "Store" {
|
|
for _, method := range x.Type.(*ast.InterfaceType).Methods.List {
|
|
methodName := method.Names[0].Name
|
|
if _, ok := topLevelFunctions[methodName]; ok {
|
|
metadata.Methods[methodName] = extractMethodMetadata(method, src)
|
|
}
|
|
}
|
|
} else if subStoreName, ok := strings.CutSuffix(x.Name.Name, "Store"); ok {
|
|
metadata.SubStores[subStoreName] = subStore{Methods: map[string]methodData{}}
|
|
for _, method := range x.Type.(*ast.InterfaceType).Methods.List {
|
|
methodName := method.Names[0].Name
|
|
metadata.SubStores[subStoreName].Methods[methodName] = extractMethodMetadata(method, src)
|
|
}
|
|
}
|
|
}
|
|
return true
|
|
})
|
|
|
|
return &metadata, nil
|
|
}
|
|
|
|
func generateLayer(name, templateFile string) ([]byte, error) {
|
|
out := bytes.NewBufferString("")
|
|
metadata, err := extractStoreMetadata()
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
metadata.Name = name
|
|
|
|
myFuncs := template.FuncMap{
|
|
"joinResults": func(results []string) string {
|
|
return strings.Join(results, ", ")
|
|
},
|
|
"joinResultsForSignature": func(results []string) string {
|
|
if len(results) == 0 {
|
|
return ""
|
|
}
|
|
returns := []string{}
|
|
for _, result := range results {
|
|
switch result {
|
|
case "*PostReminderMetadata":
|
|
returns = append(returns, fmt.Sprintf("*store.%s", strings.TrimPrefix(result, "*")))
|
|
default:
|
|
returns = append(returns, result)
|
|
}
|
|
}
|
|
|
|
if len(returns) == 1 {
|
|
return strings.Join(returns, ", ")
|
|
}
|
|
return fmt.Sprintf("(%s)", strings.Join(returns, ", "))
|
|
},
|
|
"genResultsVars": func(results []string, withNilError bool) string {
|
|
vars := []string{}
|
|
for i, typeName := range results {
|
|
if isError(typeName) {
|
|
if withNilError {
|
|
vars = append(vars, "nil")
|
|
} else {
|
|
vars = append(vars, "err")
|
|
}
|
|
} else if i == 0 {
|
|
vars = append(vars, "result")
|
|
} else {
|
|
vars = append(vars, fmt.Sprintf("resultVar%d", i))
|
|
}
|
|
}
|
|
return strings.Join(vars, ", ")
|
|
},
|
|
"errorToBoolean": func(results []string) string {
|
|
if slices.ContainsFunc(results, isError) {
|
|
return "err == nil"
|
|
}
|
|
return "true"
|
|
},
|
|
"errorPresent": func(results []string) bool {
|
|
return slices.ContainsFunc(results, isError)
|
|
},
|
|
"errorVar": func(results []string) string {
|
|
if slices.ContainsFunc(results, isError) {
|
|
return "err"
|
|
}
|
|
return ""
|
|
},
|
|
"joinParams": func(params []methodParam) string {
|
|
paramsNames := make([]string, 0, len(params))
|
|
for _, param := range params {
|
|
tParams := ""
|
|
if strings.HasPrefix(param.Type, "...") {
|
|
tParams = "..."
|
|
}
|
|
paramsNames = append(paramsNames, param.Name+tParams)
|
|
}
|
|
return strings.Join(paramsNames, ", ")
|
|
},
|
|
"joinParamsWithType": func(params []methodParam) string {
|
|
paramsWithType := []string{}
|
|
for _, param := range params {
|
|
switch param.Type {
|
|
case "ChannelSearchOpts", "UserGetByIdsOpts", "ThreadMembershipOpts", "GetPolicyOptions":
|
|
paramsWithType = append(paramsWithType, fmt.Sprintf("%s store.%s", param.Name, param.Type))
|
|
case "*UserGetByIdsOpts", "*SidebarCategorySearchOpts":
|
|
paramsWithType = append(paramsWithType, fmt.Sprintf("%s *store.%s", param.Name, strings.TrimPrefix(param.Type, "*")))
|
|
default:
|
|
paramsWithType = append(paramsWithType, fmt.Sprintf("%s %s", param.Name, param.Type))
|
|
}
|
|
}
|
|
return strings.Join(paramsWithType, ", ")
|
|
},
|
|
"joinParamsWithTypeOutsideStore": func(params []methodParam) string {
|
|
paramsWithType := []string{}
|
|
for _, param := range params {
|
|
switch param.Type {
|
|
case "ChannelSearchOpts", "UserGetByIdsOpts", "ThreadMembershipOpts", "GetPolicyOptions":
|
|
paramsWithType = append(paramsWithType, fmt.Sprintf("%s store.%s", param.Name, param.Type))
|
|
case "*UserGetByIdsOpts", "*SidebarCategorySearchOpts":
|
|
paramsWithType = append(paramsWithType, fmt.Sprintf("%s *store.%s", param.Name, strings.TrimPrefix(param.Type, "*")))
|
|
default:
|
|
paramsWithType = append(paramsWithType, fmt.Sprintf("%s %s", param.Name, param.Type))
|
|
}
|
|
}
|
|
return strings.Join(paramsWithType, ", ")
|
|
},
|
|
}
|
|
|
|
t := template.Must(template.New(templateFile).Funcs(myFuncs).ParseFiles("layer_generators/" + templateFile))
|
|
if err = t.Execute(out, metadata); err != nil {
|
|
return nil, err
|
|
}
|
|
return out.Bytes(), nil
|
|
}
|