blob: 8ce8ee76b6dd633e060fbc398172c9132c4fdf2b [file] [log] [blame]
Jiri Simsad7616c92015-03-24 23:44:30 -07001// Copyright 2015 The Vanadium Authors. All rights reserved.
2// Use of this source code is governed by a BSD-style
3// license that can be found in the LICENSE file.
4
Todd Wang8c4e5cc2015-04-09 11:30:52 -07005// Package build implements utilities to collect VDL build information and run
6// the parser and compiler.
Todd Wang232d6492015-02-25 18:04:54 -08007//
8// VDL Packages
9//
10// VDL is organized into packages, where a package is a collection of one or
11// more source files. The files in a package collectively define the types,
12// constants, services and errors belonging to the package; these are called
13// package elements.
14//
15// The package elements in package P may be used in another package Q. First
16// package Q must import package P, and then refer to the package elements in P.
17// Imports define the package dependency graph, which must be acyclic.
18//
19// Build Strategy
20//
21// The steps to building a VDL package P:
22// 1) Compute the transitive closure of P's dependencies DEPS.
23// 2) Sort DEPS in dependency order.
24// 3) Build each package D in DEPS.
25// 3) Build package P.
26//
27// Building a package P requires that all elements used by P are understood,
28// including elements defined outside of P. The only way for a change to
29// package Q to affect the build of P is if Q is in the transitive closure of
30// P's package dependencies. However there may be false positives; the change
31// to Q might not actually affect P.
32//
33// The build process may perform more work than is strictly necessary, because
34// of these false positives. However it is simple and correct.
35//
36// The TransitivePackages* functions implement build steps 1 and 2.
37//
38// The Build* functions implement build steps 3 and 4.
39//
40// Other functions provide related build information and utilities.
41package build
42
43import (
44 "fmt"
45 "io"
46 "io/ioutil"
47 "os"
48 "path"
49 "path/filepath"
50 "reflect"
51 "regexp"
52 "sort"
53 "strings"
54
Todd Wang232d6492015-02-25 18:04:54 -080055 "v.io/v23/vdl"
Todd Wang232d6492015-02-25 18:04:54 -080056 "v.io/v23/vdlroot/vdltool"
Jiri Simsa87d884d2015-06-18 10:25:54 -070057 "v.io/x/lib/set"
Jiri Simsa24a71552015-02-27 11:31:36 -080058 "v.io/x/lib/toposort"
Jiri Simsaffceefa2015-02-28 11:03:34 -080059 "v.io/x/ref/lib/vdl/compile"
60 "v.io/x/ref/lib/vdl/parse"
61 "v.io/x/ref/lib/vdl/vdlutil"
Todd Wang232d6492015-02-25 18:04:54 -080062)
63
64const vdlrootImportPrefix = "v.io/v23/vdlroot"
65
66// Package represents the build information for a vdl package.
67type Package struct {
68 // Name is the name of the package, specified in the vdl files.
69 // E.g. "bar"
70 Name string
71 // Path is the package path; the path used in VDL import clauses.
72 // E.g. "foo/bar".
73 Path string
74 // GenPath is the package path to use for code generation. It is typically
75 // the same as Path, except for vdlroot standard packages.
76 // E.g. "v.io/v23/vdlroot/time"
77 GenPath string
78 // Dir is the absolute directory containing the package files.
Suharsh Sivakumar8646ba62015-03-18 15:22:28 -070079 // E.g. "/home/user/vanadium/vdl/src/foo/bar"
Todd Wang232d6492015-02-25 18:04:54 -080080 Dir string
81 // BaseFileNames is the list of sorted base vdl file names for this package.
82 // Join these with Dir to get absolute file names.
83 BaseFileNames []string
84 // Config is the configuration for this package, specified by an optional
85 // "vdl.config" file in the package directory. If no "vdl.config" file
86 // exists, the zero value of Config is used.
87 Config vdltool.Config
88
89 // OpenFilesFunc is a function that opens the files with the given filenames,
90 // and returns a map from base file name to file contents.
91 OpenFilesFunc func(filenames []string) (map[string]io.ReadCloser, error)
92
93 openedFiles []io.Closer // files that need to be closed
94}
95
96// UnknownPathMode specifies the behavior when an unknown path is encountered.
97type UnknownPathMode int
98
99const (
100 UnknownPathIsIgnored UnknownPathMode = iota // Silently ignore unknown paths
101 UnknownPathIsError // Produce error for unknown paths
102)
103
104func (m UnknownPathMode) String() string {
105 switch m {
106 case UnknownPathIsIgnored:
107 return "UnknownPathIsIgnored"
108 case UnknownPathIsError:
109 return "UnknownPathIsError"
110 default:
111 return fmt.Sprintf("UnknownPathMode(%d)", m)
112 }
113}
114
115func (m UnknownPathMode) logOrErrorf(errs *vdlutil.Errors, format string, v ...interface{}) {
116 if m == UnknownPathIsIgnored {
117 vdlutil.Vlog.Printf(format, v...)
118 } else {
119 errs.Errorf(format, v...)
120 }
121}
122
123func pathPrefixDotOrDotDot(path string) bool {
124 // The point of this helper is to catch cases where the path starts with a
125 // . or .. element; note that ... returns false.
126 spath := filepath.ToSlash(path)
127 return path == "." || path == ".." || strings.HasPrefix(spath, "./") || strings.HasPrefix(spath, "../")
128}
129
130func ignorePathElem(elem string) bool {
131 return (strings.HasPrefix(elem, ".") || strings.HasPrefix(elem, "_")) &&
132 !pathPrefixDotOrDotDot(elem)
133}
134
135// validPackagePath returns true iff the path is valid; i.e. if none of the path
136// elems is ignored.
137func validPackagePath(path string) bool {
138 for _, elem := range strings.Split(path, "/") {
139 if ignorePathElem(elem) {
140 return false
141 }
142 }
143 return true
144}
145
146// New packages always start with an empty Name, which is filled in when we call
147// ds.addPackageAndDeps.
148func newPackage(path, genPath, dir string, mode UnknownPathMode, opts Opts, vdlenv *compile.Env) *Package {
149 pkg := &Package{Path: path, GenPath: genPath, Dir: dir, OpenFilesFunc: openFiles}
150 if err := pkg.initBaseFileNames(opts.exts()); err != nil {
151 mode.logOrErrorf(vdlenv.Errors, "%s: bad package dir (%v)", pkg.Dir, err)
152 return nil
153 }
154 // TODO(toddw): Add a mechanism in vdlutil.Errors to distinguish categories of
155 // errors, so that it's more obvious when errors are coming from vdl.config
156 // files vs *.vdl files.
157 origErrors := vdlenv.Errors.NumErrors()
158 if pkg.initVDLConfig(opts, vdlenv); origErrors != vdlenv.Errors.NumErrors() {
159 return nil
160 }
161 return pkg
162}
163
164// initBaseFileNames initializes p.BaseFileNames from the contents of p.Dir.
165func (p *Package) initBaseFileNames(exts map[string]bool) error {
166 infos, err := ioutil.ReadDir(p.Dir)
167 if err != nil {
168 return err
169 }
170 for _, info := range infos {
171 if info.IsDir() {
172 continue
173 }
174 if ignorePathElem(info.Name()) || !exts[filepath.Ext(info.Name())] {
175 vdlutil.Vlog.Printf("%s: ignoring file", filepath.Join(p.Dir, info.Name()))
176 continue
177 }
178 vdlutil.Vlog.Printf("%s: adding vdl file", filepath.Join(p.Dir, info.Name()))
179 p.BaseFileNames = append(p.BaseFileNames, info.Name())
180 }
181 if len(p.BaseFileNames) == 0 {
182 return fmt.Errorf("no vdl files")
183 }
184 return nil
185}
186
187// initVDLConfig initializes p.Config based on the optional vdl.config file.
188func (p *Package) initVDLConfig(opts Opts, vdlenv *compile.Env) {
189 name := path.Join(p.Path, opts.vdlConfigName())
190 configData, err := os.Open(filepath.Join(p.Dir, opts.vdlConfigName()))
191 switch {
192 case os.IsNotExist(err):
193 return
194 case err != nil:
195 vdlenv.Errors.Errorf("%s: couldn't open (%v)", name, err)
196 return
197 }
198 // Build the vdl.config file with an implicit "vdltool" import. Note that the
199 // actual "vdltool" package has already been populated into vdlenv.
200 BuildConfigValue(name, configData, []string{"vdltool"}, vdlenv, &p.Config)
201 if err := configData.Close(); err != nil {
202 vdlenv.Errors.Errorf("%s: couldn't close (%v)", name, err)
203 }
204}
205
206// OpenFiles opens all files in the package and returns a map from base file
207// name to file contents. CloseFiles must be called to close the files.
208func (p *Package) OpenFiles() (map[string]io.Reader, error) {
209 var filenames []string
210 for _, baseName := range p.BaseFileNames {
211 filenames = append(filenames, filepath.Join(p.Dir, baseName))
212 }
213 files, err := p.OpenFilesFunc(filenames)
214 if err != nil {
215 for _, c := range files {
216 c.Close()
217 }
218 return nil, err
219 }
220 // Convert map elem type from io.ReadCloser to io.Reader.
221 res := make(map[string]io.Reader, len(files))
222 for n, f := range files {
223 res[n] = f
224 p.openedFiles = append(p.openedFiles, f)
225 }
226 return res, nil
227}
228
229func openFiles(filenames []string) (map[string]io.ReadCloser, error) {
230 files := make(map[string]io.ReadCloser, len(filenames))
231 for _, filename := range filenames {
232 file, err := os.Open(filename)
233 if err != nil {
234 for _, c := range files {
235 c.Close()
236 }
237 return nil, err
238 }
239 files[path.Base(filename)] = file
240 }
241 return files, nil
242}
243
244// CloseFiles closes all files returned by OpenFiles. Returns nil if all files
245// were closed successfully, otherwise returns one of the errors, dropping the
246// others. Regardless of whether an error is returned, Close will be called on
247// all files.
248func (p *Package) CloseFiles() error {
249 var err error
250 for _, c := range p.openedFiles {
251 if err2 := c.Close(); err == nil {
252 err = err2
253 }
254 }
255 p.openedFiles = nil
256 return err
257}
258
259// SrcDirs returns a list of package root source directories, based on the
Jiri Simsa32f76fb2015-04-07 15:39:23 -0700260// VDLPATH, VDLROOT and V23_ROOT environment variables.
Todd Wang232d6492015-02-25 18:04:54 -0800261//
262// VDLPATH is a list of directories separated by filepath.ListSeparator;
263// e.g. the separator is ":" on UNIX, and ";" on Windows. Each VDLPATH
264// directory must have a "src/" directory that holds vdl source code. The path
265// below "src/" determines the import path.
266//
267// VDLROOT is a single directory specifying the location of the standard vdl
268// packages. It has the same requirements as VDLPATH components. If VDLROOT is
Jiri Simsa32f76fb2015-04-07 15:39:23 -0700269// empty, we use V23_ROOT to construct the VDLROOT. An error is reported if
270// neither VDLROOT nor V23_ROOT is specified.
Todd Wang232d6492015-02-25 18:04:54 -0800271func SrcDirs(errs *vdlutil.Errors) []string {
272 var srcDirs []string
273 if root := vdlRootDir(errs); root != "" {
274 srcDirs = append(srcDirs, root)
275 }
276 return append(srcDirs, vdlPathSrcDirs(errs)...)
277}
278
279func vdlRootDir(errs *vdlutil.Errors) string {
280 vdlroot := os.Getenv("VDLROOT")
281 if vdlroot == "" {
Jiri Simsa32f76fb2015-04-07 15:39:23 -0700282 // Try to construct VDLROOT out of V23_ROOT.
283 vroot := os.Getenv("V23_ROOT")
Todd Wang232d6492015-02-25 18:04:54 -0800284 if vroot == "" {
Jiri Simsa32f76fb2015-04-07 15:39:23 -0700285 errs.Error("Either VDLROOT or V23_ROOT must be set")
Todd Wang232d6492015-02-25 18:04:54 -0800286 return ""
287 }
288 vdlroot = filepath.Join(vroot, "release", "go", "src", "v.io", "v23", "vdlroot")
289 }
290 abs, err := filepath.Abs(vdlroot)
291 if err != nil {
292 errs.Errorf("VDLROOT %q can't be made absolute (%v)", vdlroot, err)
293 return ""
294 }
295 return abs
296}
297
298func vdlPathSrcDirs(errs *vdlutil.Errors) []string {
299 var srcDirs []string
300 for _, dir := range filepath.SplitList(os.Getenv("VDLPATH")) {
301 if dir != "" {
James Ringc36fad62015-06-09 13:31:00 -0700302 abs, err := filepath.Abs(dir)
Todd Wang232d6492015-02-25 18:04:54 -0800303 if err != nil {
James Ringc36fad62015-06-09 13:31:00 -0700304 errs.Errorf("VDLPATH src dir %q can't be made absolute (%v)", dir, err)
Todd Wang232d6492015-02-25 18:04:54 -0800305 continue // keep going to collect all errors
306 }
307 srcDirs = append(srcDirs, abs)
308 }
309 }
310 if len(srcDirs) == 0 {
311 errs.Error("No src dirs; set VDLPATH to a valid value")
312 return nil
313 }
314 return srcDirs
315}
316
317// IsDirPath returns true iff the path is absolute, or begins with a . or
318// .. element. The path denotes the package in that directory.
319func IsDirPath(path string) bool {
320 return filepath.IsAbs(path) || pathPrefixDotOrDotDot(path)
321}
322
323// IsImportPath returns true iff !IsDirPath. The path P denotes the package in
324// directory DIR/src/P, for some DIR listed in SrcDirs.
325func IsImportPath(path string) bool {
326 return !IsDirPath(path)
327}
328
329// depSorter does the main work of collecting and sorting packages and their
330// dependencies. The full syntax from the go cmdline tool is supported; we
331// allow both dirs and import paths, as well as the "all" and "..." wildcards.
332//
333// This is slightly complicated because of dirs, and the potential for symlinks.
334// E.g. let's say we have two directories, one a symlink to the other:
Suharsh Sivakumar8646ba62015-03-18 15:22:28 -0700335// /home/user/go/src/foo/bar/base
336// /home/user/go/src/foo/bar2 symlink to bar
Todd Wang232d6492015-02-25 18:04:54 -0800337//
338// The problem is that if the user has cwd pointing at one of the two "base"
339// dirs and specifies a relative directory ".." it's ambiguous which absolute
340// dir we'll end up with; file paths form a graph rather than a tree. For more
341// details see http://plan9.bell-labs.com/sys/doc/lexnames.html
342//
343// This means that if the user builds a dir (rather than an import path), we
344// might not be able to deduce the package path. Note that the error definition
345// mechanism relies on the package path to create implicit error ids, and this
346// must be known at the time the package is compiled. To handle this we call
347// deducePackagePath and attempt to deduce the package path even if the user
348// builds a directory, and return errors if this fails.
349//
350// TODO(toddw): If we care about performance we could serialize the compiled
351// compile.Package information and write it out as compiler-generated artifacts,
352// similar to how the regular go tool generates *.a files under the top-level
353// pkg directory.
354type depSorter struct {
355 opts Opts
356 srcDirs []string
357 pathMap map[string]*Package
358 dirMap map[string]*Package
359 sorter *toposort.Sorter
360 errs *vdlutil.Errors
361 vdlenv *compile.Env
362}
363
364func newDepSorter(opts Opts, errs *vdlutil.Errors) *depSorter {
365 ds := &depSorter{
366 opts: opts,
367 srcDirs: SrcDirs(errs),
368 errs: errs,
369 vdlenv: compile.NewEnvWithErrors(errs),
370 }
371 ds.reset()
372 // Resolve the "vdltool" import and build all transitive packages into vdlenv.
373 // This special env is used when building "vdl.config" files, which have the
374 // implicit "vdltool" import.
375 if !ds.ResolvePath("vdltool", UnknownPathIsError) {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700376 errs.Errorf(`can't resolve "vdltool" package`)
Todd Wang232d6492015-02-25 18:04:54 -0800377 }
378 for _, pkg := range ds.Sort() {
379 BuildPackage(pkg, ds.vdlenv)
380 }
381 // We must reset back to an empty depSorter, to ensure the transitive packages
382 // returned by the depSorter don't include "vdltool".
383 ds.reset()
384 return ds
385}
386
387func (ds *depSorter) reset() {
388 ds.pathMap = make(map[string]*Package)
389 ds.dirMap = make(map[string]*Package)
390 ds.sorter = new(toposort.Sorter)
391}
392
393func (ds *depSorter) errorf(format string, v ...interface{}) {
394 ds.errs.Errorf(format, v...)
395}
396
397// ResolvePath resolves path into package(s) and adds them to the sorter.
398// Returns true iff path could be resolved.
399func (ds *depSorter) ResolvePath(path string, mode UnknownPathMode) bool {
400 if path == "all" {
401 // Special-case "all", with the same behavior as Go.
402 path = "..."
403 }
404 isDirPath := IsDirPath(path)
405 dots := strings.Index(path, "...")
406 switch {
407 case dots >= 0:
408 return ds.resolveWildcardPath(isDirPath, path[:dots], path[dots:])
409 case isDirPath:
410 return ds.resolveDirPath(path, mode) != nil
411 default:
Todd Wang86d5c3f2015-04-23 10:48:41 -0700412 return ds.resolveImportPath(path, mode, "") != nil
Todd Wang232d6492015-02-25 18:04:54 -0800413 }
414}
415
416// resolveWildcardPath resolves wildcards for both dir and import paths. The
417// prefix is everything before the first "...", and the suffix is everything
418// including and after the first "..."; note that multiple "..." wildcards may
419// occur within the suffix. Returns true iff any packages were resolved.
420//
421// The strategy is to compute one or more root directories that contain
422// everything that could possibly be matched, along with a filename pattern to
423// match against. Then we walk through each root directory, matching against
424// the pattern.
425func (ds *depSorter) resolveWildcardPath(isDirPath bool, prefix, suffix string) bool {
426 type dirAndSrc struct {
427 dir, src string
428 }
429 var rootDirs []dirAndSrc // root directories to walk through
430 var pattern string // pattern to match against, starting after root dir
431 switch {
432 case isDirPath:
433 // prefix and suffix are directory paths.
434 dir, pre := filepath.Split(prefix)
435 pattern = filepath.Clean(pre + suffix)
436 rootDirs = append(rootDirs, dirAndSrc{filepath.Clean(dir), ""})
437 default:
438 // prefix and suffix are slash-separated import paths.
439 slashDir, pre := path.Split(prefix)
440 pattern = filepath.Clean(pre + filepath.FromSlash(suffix))
441 dir := filepath.FromSlash(slashDir)
442 for _, srcDir := range ds.srcDirs {
443 rootDirs = append(rootDirs, dirAndSrc{filepath.Join(srcDir, dir), srcDir})
444 }
445 }
446 matcher, err := createMatcher(pattern)
447 if err != nil {
448 ds.errorf("%v", err)
449 return false
450 }
451 // Walk through root dirs and subdirs, looking for matches.
452 resolvedAny := false
453 for _, root := range rootDirs {
454 filepath.Walk(root.dir, func(rootAndPath string, info os.FileInfo, err error) error {
455 // Ignore errors and non-directory elements.
456 if err != nil || !info.IsDir() {
457 return nil
458 }
459 // Skip the dir and subdirs if the elem should be ignored.
460 _, elem := filepath.Split(rootAndPath)
461 if ignorePathElem(elem) {
462 vdlutil.Vlog.Printf("%s: ignoring dir", rootAndPath)
463 return filepath.SkipDir
464 }
465 // Special-case to skip packages with the vdlroot import prefix. These
466 // packages should only appear at the root of the package path space.
467 if root.src != "" {
468 pkgPath := strings.TrimPrefix(rootAndPath, root.src)
469 pkgPath = strings.TrimPrefix(pkgPath, "/")
470 if strings.HasPrefix(pkgPath, vdlrootImportPrefix) {
471 return filepath.SkipDir
472 }
473 }
474 // Ignore the dir if it doesn't match our pattern. We still process the
475 // subdirs since they still might match.
476 //
477 // TODO(toddw): We could add an optimization to skip subdirs that can't
478 // possibly match the matcher. E.g. given pattern "a..." we can skip
479 // the subdirs if the dir doesn't start with "a".
480 matchPath := rootAndPath[len(root.dir):]
481 if strings.HasPrefix(matchPath, pathSeparator) {
482 matchPath = matchPath[len(pathSeparator):]
483 }
484 if !matcher.MatchString(matchPath) {
485 return nil
486 }
487 // Finally resolve the dir.
488 if ds.resolveDirPath(rootAndPath, UnknownPathIsIgnored) != nil {
489 resolvedAny = true
490 }
491 return nil
492 })
493 }
494 return resolvedAny
495}
496
497const pathSeparator = string(filepath.Separator)
498
499// createMatcher creates a regexp matcher out of the file pattern.
500func createMatcher(pattern string) (*regexp.Regexp, error) {
501 rePat := regexp.QuoteMeta(pattern)
502 rePat = strings.Replace(rePat, `\.\.\.`, `.*`, -1)
503 // Add special-case so that x/... also matches x.
504 slashDotStar := regexp.QuoteMeta(pathSeparator) + ".*"
505 if strings.HasSuffix(rePat, slashDotStar) {
506 rePat = rePat[:len(rePat)-len(slashDotStar)] + "(" + slashDotStar + ")?"
507 }
508 rePat = `^` + rePat + `$`
509 matcher, err := regexp.Compile(rePat)
510 if err != nil {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700511 return nil, fmt.Errorf("can't compile package path regexp %s: %v", rePat, err)
Todd Wang232d6492015-02-25 18:04:54 -0800512 }
513 return matcher, nil
514}
515
516// resolveDirPath resolves dir into a Package. Returns the package, or nil if
517// it can't be resolved.
518func (ds *depSorter) resolveDirPath(dir string, mode UnknownPathMode) *Package {
519 // If the package already exists in our dir map, we can just return it.
520 absDir, err := filepath.Abs(dir)
521 if err != nil {
522 ds.errorf("%s: can't make absolute (%v)", dir, err)
523 }
524 if pkg := ds.dirMap[absDir]; pkg != nil {
525 return pkg
526 }
527 // Deduce the package path, and ensure it corresponds to exactly one package.
528 // We always deduce the package path from the package directory, even if we
529 // originally resolved from an import path, and thus already "know" the
530 // package path. This is to ensure we correctly handle vdl standard packages.
531 // E.g. if we're given "v.io/v23/vdlroot/vdltool" as an import path, the
532 // resulting package path must be "vdltool".
533 pkgPath, genPath, err := ds.deducePackagePath(absDir)
534 if err != nil {
535 ds.errorf("%s: can't deduce package path (%v)", absDir, err)
536 return nil
537 }
538 if !validPackagePath(pkgPath) {
539 mode.logOrErrorf(ds.errs, "%s: package path %q is invalid", absDir, pkgPath)
540 return nil
541 }
542 if pkg := ds.pathMap[pkgPath]; pkg != nil {
543 mode.logOrErrorf(ds.errs, "%s: package path %q already resolved from %s", absDir, pkgPath, pkg.Dir)
544 return nil
545 }
546 // Make sure the directory really exists, and add the package and deps.
547 fileInfo, err := os.Stat(absDir)
548 if err != nil {
549 mode.logOrErrorf(ds.errs, "%v", err)
550 return nil
551 }
552 if !fileInfo.IsDir() {
553 mode.logOrErrorf(ds.errs, "%s: package isn't a directory", absDir)
554 return nil
555 }
556 return ds.addPackageAndDeps(pkgPath, genPath, absDir, mode)
557}
558
559// resolveImportPath resolves pkgPath into a Package. Returns the package, or
560// nil if it can't be resolved.
Todd Wang86d5c3f2015-04-23 10:48:41 -0700561func (ds *depSorter) resolveImportPath(pkgPath string, mode UnknownPathMode, prefix string) *Package {
Todd Wang232d6492015-02-25 18:04:54 -0800562 pkgPath = path.Clean(pkgPath)
563 if pkg := ds.pathMap[pkgPath]; pkg != nil {
564 return pkg
565 }
566 if !validPackagePath(pkgPath) {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700567 mode.logOrErrorf(ds.errs, "%s: import path %q is invalid", prefix, pkgPath)
Todd Wang232d6492015-02-25 18:04:54 -0800568 return nil
569 }
570 // Special-case to disallow packages under the vdlroot dir.
571 if strings.HasPrefix(pkgPath, vdlrootImportPrefix) {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700572 mode.logOrErrorf(ds.errs, "%s: import path %q is invalid (packages under vdlroot must be specified without the vdlroot prefix)", prefix, pkgPath)
Todd Wang232d6492015-02-25 18:04:54 -0800573 return nil
574 }
575 // Look through srcDirs in-order until we find a valid package dir.
576 var dirs []string
577 for _, srcDir := range ds.srcDirs {
578 dir := filepath.Join(srcDir, filepath.FromSlash(pkgPath))
579 if pkg := ds.resolveDirPath(dir, UnknownPathIsIgnored); pkg != nil {
580 vdlutil.Vlog.Printf("%s: resolved import path %q", pkg.Dir, pkgPath)
581 return pkg
582 }
583 dirs = append(dirs, dir)
584 }
585 // We can't find a valid dir corresponding to this import path.
586 detail := " " + strings.Join(dirs, "\n ")
Todd Wang86d5c3f2015-04-23 10:48:41 -0700587 mode.logOrErrorf(ds.errs, "%s: can't resolve %q in any of:\n%s", prefix, pkgPath, detail)
Todd Wang232d6492015-02-25 18:04:54 -0800588 return nil
589}
590
591// addPackageAndDeps adds the pkg and its dependencies to the sorter.
592func (ds *depSorter) addPackageAndDeps(path, genPath, dir string, mode UnknownPathMode) *Package {
593 pkg := newPackage(path, genPath, dir, mode, ds.opts, ds.vdlenv)
594 if pkg == nil {
595 return nil
596 }
597 vdlutil.Vlog.Printf("%s: resolved package path %q", pkg.Dir, pkg.Path)
598 ds.dirMap[pkg.Dir] = pkg
599 ds.pathMap[pkg.Path] = pkg
600 ds.sorter.AddNode(pkg)
601 pfiles := ParsePackage(pkg, parse.Opts{ImportsOnly: true}, ds.errs)
602 pkg.Name = parse.InferPackageName(pfiles, ds.errs)
603 for _, pf := range pfiles {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700604 ds.addImportDeps(pkg, pf.Imports, filepath.Join(path, pf.BaseName))
Todd Wang232d6492015-02-25 18:04:54 -0800605 }
606 return pkg
607}
608
609// addImportDeps adds transitive dependencies represented by imports to the
610// sorter. If the pkg is non-nil, an edge is added between the pkg and its
611// dependencies; otherwise each dependency is added as an independent node.
Todd Wang86d5c3f2015-04-23 10:48:41 -0700612func (ds *depSorter) addImportDeps(pkg *Package, imports []*parse.Import, file string) {
Todd Wang232d6492015-02-25 18:04:54 -0800613 for _, imp := range imports {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700614 if dep := ds.resolveImportPath(imp.Path, UnknownPathIsError, file); dep != nil {
Todd Wang232d6492015-02-25 18:04:54 -0800615 if pkg != nil {
616 ds.sorter.AddEdge(pkg, dep)
617 } else {
618 ds.sorter.AddNode(dep)
619 }
620 }
621 }
622}
623
624// AddConfigDeps takes a config file represented by its file name and src data,
625// and adds all transitive dependencies to the sorter.
626func (ds *depSorter) AddConfigDeps(fileName string, src io.Reader) {
627 if pconfig := parse.ParseConfig(fileName, src, parse.Opts{ImportsOnly: true}, ds.errs); pconfig != nil {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700628 ds.addImportDeps(nil, pconfig.Imports, fileName)
Todd Wang232d6492015-02-25 18:04:54 -0800629 }
630}
631
632// deducePackagePath deduces the package path for dir, by looking for prefix
633// matches against the src dirs. The resulting package path may be incorrect
634// even if no errors are reported; see the depSorter comment for details.
635func (ds *depSorter) deducePackagePath(dir string) (string, string, error) {
636 for ix, srcDir := range ds.srcDirs {
637 if strings.HasPrefix(dir, srcDir) {
638 relPath, err := filepath.Rel(srcDir, dir)
639 if err != nil {
640 return "", "", err
641 }
642 pkgPath := path.Clean(filepath.ToSlash(relPath))
643 genPath := pkgPath
644 if ix == 0 {
645 // We matched against the first srcDir, which is the VDLROOT dir. The
646 // genPath needs to include the vdlroot prefix.
647 genPath = path.Join(vdlrootImportPrefix, pkgPath)
648 }
649 return pkgPath, genPath, nil
650 }
651 }
652 return "", "", fmt.Errorf("no matching SrcDirs")
653}
654
655// Sort sorts all targets and returns the resulting list of Packages.
656func (ds *depSorter) Sort() []*Package {
657 sorted, cycles := ds.sorter.Sort()
658 if len(cycles) > 0 {
659 cycleStr := toposort.DumpCycles(cycles, printPackagePath)
Todd Wang86d5c3f2015-04-23 10:48:41 -0700660 ds.errorf("cyclic package dependency: %v", cycleStr)
Todd Wang232d6492015-02-25 18:04:54 -0800661 return nil
662 }
663 if len(sorted) == 0 {
664 return nil
665 }
666 targets := make([]*Package, len(sorted))
667 for ix, iface := range sorted {
668 targets[ix] = iface.(*Package)
669 }
670 return targets
671}
672
673func printPackagePath(v interface{}) string {
674 return v.(*Package).Path
675}
676
677// Opts specifies additional options for collecting build information.
678type Opts struct {
679 // Extensions specifies the file name extensions for valid vdl files. If
680 // empty we use ".vdl" by default.
681 Extensions []string
682
683 // VDLConfigName specifies the name of the optional config file in each vdl
684 // source package. If empty we use "vdl.config" by default.
685 VDLConfigName string
686}
687
688func (o Opts) exts() map[string]bool {
Jiri Simsa87d884d2015-06-18 10:25:54 -0700689 ret := set.StringBool.FromSlice(o.Extensions)
Todd Wang232d6492015-02-25 18:04:54 -0800690 if len(ret) == 0 {
Jiri Simsa87d884d2015-06-18 10:25:54 -0700691 ret = map[string]bool{".vdl": true}
Todd Wang232d6492015-02-25 18:04:54 -0800692 }
693 return ret
694}
695
696func (o Opts) vdlConfigName() string {
697 if o.VDLConfigName != "" {
698 return o.VDLConfigName
699 }
700 return "vdl.config"
701}
702
703// TransitivePackages takes a list of paths, and returns the corresponding
704// packages and transitive dependencies, ordered by dependency. Each path may
705// either be a directory (IsDirPath) or an import (IsImportPath).
706//
707// A path is a pattern if it includes one or more "..." wildcards, each of which
708// can match any string, including the empty string and strings containing
709// slashes. Such a pattern expands to all packages found in SrcDirs with names
710// matching the pattern. As a special-case, x/... matches x as well as x's
711// subdirectories.
712//
713// The special-case "all" is a synonym for "...", and denotes all packages found
714// in SrcDirs.
715//
716// Import path elements and file names are not allowed to begin with "." or "_";
717// such paths are ignored in wildcard matches, and return errors if specified
718// explicitly.
719//
720// The mode specifies whether we should ignore or produce errors for paths that
721// don't resolve to any packages. The opts arg specifies additional options.
722func TransitivePackages(paths []string, mode UnknownPathMode, opts Opts, errs *vdlutil.Errors) []*Package {
723 ds := newDepSorter(opts, errs)
724 for _, path := range paths {
725 if !ds.ResolvePath(path, mode) {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700726 mode.logOrErrorf(errs, "can't resolve %q to any packages", path)
Todd Wang232d6492015-02-25 18:04:54 -0800727 }
728 }
729 return ds.Sort()
730}
731
732// TransitivePackagesForConfig takes a config file represented by its file name
733// and src data, and returns all package dependencies in transitive order.
734//
735// The opts arg specifies additional options.
736func TransitivePackagesForConfig(fileName string, src io.Reader, opts Opts, errs *vdlutil.Errors) []*Package {
737 ds := newDepSorter(opts, errs)
738 ds.AddConfigDeps(fileName, src)
739 return ds.Sort()
740}
741
742// ParsePackage parses the given pkg with the given parse opts, and returns a
743// slice of parsed files, sorted by name. Errors are reported in errs.
744func ParsePackage(pkg *Package, opts parse.Opts, errs *vdlutil.Errors) (pfiles []*parse.File) {
745 vdlutil.Vlog.Printf("Parsing package %s %q, dir %s", pkg.Name, pkg.Path, pkg.Dir)
746 files, err := pkg.OpenFiles()
747 if err != nil {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700748 errs.Errorf("can't open vdl files %v (%v)", pkg.BaseFileNames, err)
Todd Wang232d6492015-02-25 18:04:54 -0800749 return nil
750 }
751 for filename, src := range files {
752 if pf := parse.ParseFile(path.Join(pkg.Path, filename), src, opts, errs); pf != nil {
753 pfiles = append(pfiles, pf)
754 }
755 }
756 sort.Sort(byBaseName(pfiles))
757 pkg.CloseFiles()
758 return
759}
760
761// byBaseName implements sort.Interface
762type byBaseName []*parse.File
763
764func (b byBaseName) Len() int { return len(b) }
765func (b byBaseName) Less(i, j int) bool { return b[i].BaseName < b[j].BaseName }
766func (b byBaseName) Swap(i, j int) { b[i], b[j] = b[j], b[i] }
767
768// BuildPackage parses and compiles the given pkg, updates env with the compiled
769// package and returns it. Errors are reported in env.
770//
771// All imports that pkg depend on must have already been compiled and populated
772// into env.
773func BuildPackage(pkg *Package, env *compile.Env) *compile.Package {
774 pfiles := ParsePackage(pkg, parse.Opts{}, env.Errors)
775 return compile.CompilePackage(pkg.Path, pkg.GenPath, pfiles, pkg.Config, env)
776}
777
778// BuildConfig parses and compiles the given config src and returns it. Errors
779// are reported in env; fileName is only used for error reporting.
780//
781// The implicit type is applied to the exported config const; untyped consts and
782// composite literals with no explicit type assume the implicit type. Errors
783// are reported if the implicit type isn't assignable from the final value. If
784// the implicit type is nil, the exported config const must be explicitly typed.
785//
786// All packages that the config src depends on must have already been compiled
787// and populated into env. The imports are injected into the parsed src,
788// behaving as if the src had listed the imports explicitly.
789func BuildConfig(fileName string, src io.Reader, implicit *vdl.Type, imports []string, env *compile.Env) *vdl.Value {
790 pconfig := parse.ParseConfig(fileName, src, parse.Opts{}, env.Errors)
791 if pconfig != nil {
792 pconfig.AddImports(imports...)
793 }
794 return compile.CompileConfig(implicit, pconfig, env)
795}
796
797// BuildConfigValue is a convenience function that runs BuildConfig, and then
798// converts the result into value. The implicit type used by BuildConfig is
799// inferred from the value.
800func BuildConfigValue(fileName string, src io.Reader, imports []string, env *compile.Env, value interface{}) {
801 rv := reflect.ValueOf(value)
802 tt, err := vdl.TypeFromReflect(rv.Type())
803 if err != nil {
804 env.Errors.Errorf(err.Error())
805 return
806 }
807 if tt.Kind() == vdl.Optional {
808 // The value is typically a Go pointer, which translates into VDL optional.
809 // Remove the optional when determining the implicit type for BuildConfig.
810 tt = tt.Elem()
811 }
812 vconfig := BuildConfig(fileName, src, tt, imports, env)
813 if vconfig == nil {
814 return
815 }
816 target, err := vdl.ReflectTarget(rv)
817 if err != nil {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700818 env.Errors.Errorf("can't create reflect target for %T (%v)", value, err)
Todd Wang232d6492015-02-25 18:04:54 -0800819 return
820 }
821 if err := vdl.FromValue(target, vconfig); err != nil {
Todd Wang86d5c3f2015-04-23 10:48:41 -0700822 env.Errors.Errorf("can't convert to %T from %v (%v)", value, vconfig, err)
Todd Wang232d6492015-02-25 18:04:54 -0800823 return
824 }
825}
826
827// BuildExprs parses and compiles the given data into a slice of values. The
828// input data is specified in VDL syntax, with commas separating multiple
829// expressions. There must be at least one expression specified in data.
830// Errors are reported in env.
831//
832// The given types specify the type of each returned value with the same slice
833// position. If there are more types than returned values, the extra types are
834// ignored. If there are fewer types than returned values, the last type is
835// used for all remaining values. Nil entries in types are allowed, and
836// indicate that the expression itself must be fully typed.
837//
838// All imports that the input data depends on must have already been compiled
839// and populated into env.
840func BuildExprs(data string, types []*vdl.Type, env *compile.Env) []*vdl.Value {
841 var values []*vdl.Value
842 var t *vdl.Type
843 for ix, pexpr := range parse.ParseExprs(data, env.Errors) {
844 if ix < len(types) {
845 t = types[ix]
846 }
847 values = append(values, compile.CompileExpr(t, pexpr, env))
848 }
849 return values
850}