• Home
  • Line#
  • Scopes#
  • Navigate#
  • Raw
  • Download
1// Copyright 2017 Google Inc. All rights reserved.
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7//     http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15package build
16
17import (
18	"bufio"
19	"fmt"
20	"path/filepath"
21	"regexp"
22	"runtime"
23	"sort"
24	"strings"
25	"sync"
26
27	"android/soong/ui/metrics"
28	"android/soong/ui/status"
29)
30
31var (
32	// bazel output paths are in __main__/bazel-out/<config-specific-path>/bin
33	bazelOutputPathRegexOnce sync.Once
34	bazelOutputPathRegexp    *regexp.Regexp
35)
36
37func bazelOutputPathPattern(config Config) *regexp.Regexp {
38	bazelOutputPathRegexOnce.Do(func() {
39		// Bazel output files are in <Bazel output base>/execroot/__main__/bazel-out/<config>/bin
40		bazelOutRoot := filepath.Join(regexp.QuoteMeta(config.bazelOutputBase()), "execroot", "__main__", "bazel-out")
41		bazelOutputPathRegexp = regexp.MustCompile(bazelOutRoot + "/[^/]+/bin")
42	})
43	return bazelOutputPathRegexp
44}
45
46func ignoreBazelPath(config Config, path string) bool {
47	bazelRoot := filepath.Join(config.bazelOutputBase(), "execroot")
48	// Don't check bazel output regexp unless it is Bazel path
49	if strings.HasPrefix(path, bazelRoot) {
50		bazelOutputRegexp := bazelOutputPathPattern(config)
51		// if the file is a bazel path that is _not_ a Bazel generated file output, we rely on Bazel to
52		// ensure the paths to exist. If it _is_ a Bazel output path, we expect that it should be built
53		// by Ninja.
54		return !bazelOutputRegexp.MatchString(path)
55	}
56	return false
57}
58
59// Checks for files in the out directory that have a rule that depends on them but no rule to
60// create them. This catches a common set of build failures where a rule to generate a file is
61// deleted (either by deleting a module in an Android.mk file, or by modifying the build system
62// incorrectly).  These failures are often not caught by a local incremental build because the
63// previously built files are still present in the output directory.
64func testForDanglingRules(ctx Context, config Config) {
65	// Many modules are disabled on mac.  Checking for dangling rules would cause lots of build
66	// breakages, and presubmit wouldn't catch them, so just disable the check.
67	if runtime.GOOS != "linux" {
68		return
69	}
70
71	ctx.BeginTrace(metrics.TestRun, "test for dangling rules")
72	defer ctx.EndTrace()
73
74	ts := ctx.Status.StartTool()
75	action := &status.Action{
76		Description: "Test for dangling rules",
77	}
78	ts.StartAction(action)
79
80	// Get a list of leaf nodes in the dependency graph from ninja
81	executable := config.PrebuiltBuildTool("ninja")
82
83	commonArgs := []string{}
84	commonArgs = append(commonArgs, "-f", config.CombinedNinjaFile())
85	args := append(commonArgs, "-t", "targets", "rule")
86
87	cmd := Command(ctx, config, "ninja", executable, args...)
88	stdout, err := cmd.StdoutPipe()
89	if err != nil {
90		ctx.Fatal(err)
91	}
92
93	cmd.StartOrFatal()
94
95	outDir := config.OutDir()
96	modulePathsDir := filepath.Join(outDir, ".module_paths")
97	variablesFilePath := filepath.Join(outDir, "soong", "soong.variables")
98
99	// dexpreopt.config is an input to the soong_docs action, which runs the
100	// soong_build primary builder. However, this file is created from $(shell)
101	// invocation at Kati parse time, so it's not an explicit output of any
102	// Ninja action, but it is present during the build itself and can be
103	// treated as an source file.
104	dexpreoptConfigFilePath := filepath.Join(outDir, "soong", "dexpreopt.config")
105
106	// out/build_date.txt is considered a "source file"
107	buildDatetimeFilePath := filepath.Join(outDir, "build_date.txt")
108
109	// bpglob is built explicitly using Microfactory
110	bpglob := filepath.Join(config.SoongOutDir(), "bpglob")
111
112	danglingRules := make(map[string]bool)
113
114	scanner := bufio.NewScanner(stdout)
115	for scanner.Scan() {
116		line := scanner.Text()
117		if !strings.HasPrefix(line, outDir) {
118			// Leaf node is not in the out directory.
119			continue
120		}
121		if strings.HasPrefix(line, modulePathsDir) ||
122			line == variablesFilePath ||
123			line == dexpreoptConfigFilePath ||
124			line == buildDatetimeFilePath ||
125			line == bpglob {
126			// Leaf node is in one of Soong's bootstrap directories, which do not have
127			// full build rules in the primary build.ninja file.
128			continue
129		}
130
131		if ignoreBazelPath(config, line) {
132			continue
133		}
134		danglingRules[line] = true
135	}
136
137	cmd.WaitOrFatal()
138
139	var danglingRulesList []string
140	for rule := range danglingRules {
141		danglingRulesList = append(danglingRulesList, rule)
142	}
143	sort.Strings(danglingRulesList)
144
145	if len(danglingRulesList) > 0 {
146		sb := &strings.Builder{}
147		title := "Dependencies in out found with no rule to create them:"
148		fmt.Fprintln(sb, title)
149
150		reportLines := 1
151		for i, dep := range danglingRulesList {
152			if reportLines > 20 {
153				fmt.Fprintf(sb, "  ... and %d more\n", len(danglingRulesList)-i)
154				break
155			}
156			// It's helpful to see the reverse dependencies. ninja -t query is the
157			// best tool we got for that. Its output starts with the dependency
158			// itself.
159			queryCmd := Command(ctx, config, "ninja", executable,
160				append(commonArgs, "-t", "query", dep)...)
161			queryStdout, err := queryCmd.StdoutPipe()
162			if err != nil {
163				ctx.Fatal(err)
164			}
165			queryCmd.StartOrFatal()
166			scanner := bufio.NewScanner(queryStdout)
167			for scanner.Scan() {
168				reportLines++
169				fmt.Fprintln(sb, " ", scanner.Text())
170			}
171			queryCmd.WaitOrFatal()
172		}
173
174		ts.FinishAction(status.ActionResult{
175			Action: action,
176			Error:  fmt.Errorf(title),
177			Output: sb.String(),
178		})
179		ctx.Fatal("stopping")
180	}
181	ts.FinishAction(status.ActionResult{Action: action})
182}
183