blob: deb3c20385d411de1bc98295b91f8030ca33fa0a [file] [log] [blame]
Jim Hebert91c052c2011-03-11 11:00:53 -08001# Copyright (c) 2010 The Chromium OS Authors. All rights reserved.
2# Use of this source code is governed by a BSD-style license that can be
3# found in the LICENSE file.
4
Don Garrett25f309a2014-03-19 14:02:12 -07005"""Command to extract the dependancy tree for a given package."""
6
Jim Hebert91c052c2011-03-11 11:00:53 -08007import json
Don Garrettf8bf7842014-03-20 17:03:42 -07008import portage # pylint: disable=F0401
9
Jim Hebert91c052c2011-03-11 11:00:53 -080010from parallel_emerge import DepGraphGenerator
Don Garrettf8bf7842014-03-20 17:03:42 -070011
Jim Hebertcf870d72013-06-12 15:33:34 -070012from chromite.lib import commandline
13from chromite.lib import cros_build_lib
Jim Hebert91c052c2011-03-11 11:00:53 -080014
Mike Frysingercc838832014-05-24 13:10:30 -040015
David James1b363582012-12-17 11:53:11 -080016def FlattenDepTree(deptree, pkgtable=None, parentcpv=None):
Don Garrett25f309a2014-03-19 14:02:12 -070017 """Simplify dependency json.
18
19Turn something like this (the parallel_emerge DepsTree format):
Jim Hebert91c052c2011-03-11 11:00:53 -080020{
21 "app-admin/eselect-1.2.9": {
22 "action": "merge",
23 "deps": {
24 "sys-apps/coreutils-7.5-r1": {
25 "action": "merge",
26 "deps": {},
27 "deptype": "runtime"
28 },
29 ...
30 }
31 }
32}
33 ...into something like this (the cros_extract_deps format):
34{
35 "app-admin/eselect-1.2.9": {
36 "deps": ["coreutils-7.5-r1"],
37 "rev_deps": [],
38 "name": "eselect",
39 "category": "app-admin",
40 "version": "1.2.9",
41 "full_name": "app-admin/eselect-1.2.9",
42 "action": "merge"
43 },
44 "sys-apps/coreutils-7.5-r1": {
45 "deps": [],
46 "rev_deps": ["app-admin/eselect-1.2.9"],
47 "name": "coreutils",
48 "category": "sys-apps",
49 "version": "7.5-r1",
50 "full_name": "sys-apps/coreutils-7.5-r1",
51 "action": "merge"
52 }
53}
54 """
David James1b363582012-12-17 11:53:11 -080055 if pkgtable is None:
56 pkgtable = {}
Jim Hebert91c052c2011-03-11 11:00:53 -080057 for cpv, record in deptree.items():
58 if cpv not in pkgtable:
David James1b363582012-12-17 11:53:11 -080059 cat, nam, ver, rev = portage.versions.catpkgsplit(cpv)
Jim Hebert91c052c2011-03-11 11:00:53 -080060 pkgtable[cpv] = {"deps": [],
61 "rev_deps": [],
62 "name": nam,
63 "category": cat,
64 "version": "%s-%s" % (ver, rev),
65 "full_name": cpv,
Jim Hebertcf870d72013-06-12 15:33:34 -070066 "cpes": GetCPEFromCPV(cat, nam, ver),
Jim Hebert91c052c2011-03-11 11:00:53 -080067 "action": record["action"]}
68 # If we have a parent, that is a rev_dep for the current package.
69 if parentcpv:
70 pkgtable[cpv]["rev_deps"].append(parentcpv)
71 # If current package has any deps, record those.
72 for childcpv in record["deps"]:
73 pkgtable[cpv]["deps"].append(childcpv)
74 # Visit the subtree recursively as well.
75 FlattenDepTree(record["deps"], pkgtable=pkgtable, parentcpv=cpv)
76 return pkgtable
77
78
Jim Hebertcf870d72013-06-12 15:33:34 -070079def GetCPEFromCPV(category, package, version):
80 """Look up the CPE for a specified Portage package.
Jim Hebert91c052c2011-03-11 11:00:53 -080081
Jim Hebertcf870d72013-06-12 15:33:34 -070082 Args:
83 category: The Portage package's category, e.g. "net-misc"
84 package: The Portage package's name, e.g. "curl"
85 version: The Portage version, e.g. "7.30.0"
86
Mike Frysinger02e1e072013-11-10 22:11:34 -050087 Returns:
88 A list of CPE Name strings, e.g.
89 ["cpe:/a:curl:curl:7.30.0", "cpe:/a:curl:libcurl:7.30.0"]
Jim Hebertcf870d72013-06-12 15:33:34 -070090 """
91 equery_cmd = ["equery", "m", "-U", "%s/%s" % (category, package)]
92 lines = cros_build_lib.RunCommand(equery_cmd, error_code_ok=True,
93 print_cmd=False,
94 redirect_stdout=True).output.splitlines()
95 # Look for lines like "Remote-ID: cpe:/a:kernel:linux-pam ID: cpe"
96 # and extract the cpe URI.
97 cpes = []
98 for line in lines:
99 if "ID: cpe" not in line:
100 continue
Jim Hebert96aff9c2013-07-16 15:43:17 -0700101 cpes.append("%s:%s" % (line.split()[1], version.replace("_", "")))
Jim Hebertcf870d72013-06-12 15:33:34 -0700102 # Note that we're assuming we can combine the root of the CPE, taken
103 # from metadata.xml, and tack on the version number as used by
104 # Portage, and come up with a legitimate CPE. This works so long as
105 # Portage and CPE agree on the precise formatting of the version
Jim Hebert96aff9c2013-07-16 15:43:17 -0700106 # number, which they almost always do. The major exception we've
107 # identified thus far is that our ebuilds have a pattern of inserting
108 # underscores prior to patchlevels, that neither upstream nor CPE
109 # use. For example, our code will decide we have
Jim Hebertcf870d72013-06-12 15:33:34 -0700110 # cpe:/a:todd_miller:sudo:1.8.6_p7 yet the advisories use a format
111 # like cpe:/a:todd_miller:sudo:1.8.6p7, without the underscore. (CPE
112 # is "right" in this example, in that it matches www.sudo.ws.)
113 #
Jim Hebert96aff9c2013-07-16 15:43:17 -0700114 # Removing underscores seems to improve our chances of correctly
115 # arriving at the CPE used by NVD. However, at the end of the day,
116 # ebuild version numbers are rev'd by people who don't have "try to
117 # match NVD" as one of their goals, and there is always going to be
118 # some risk of minor formatting disagreements at the version number
119 # level, if not from stray underscores then from something else.
120 #
Jim Hebertcf870d72013-06-12 15:33:34 -0700121 # This is livable so long as you do some fuzzy version number
122 # comparison in your vulnerability monitoring, between what-we-have
123 # and what-the-advisory-says-is-affected.
124 return cpes
125
126
127def ExtractCPEList(deps_list):
128 cpe_dump = []
129 for cpv, record in deps_list.items():
130 if record["cpes"]:
Kees Cook5e3961b2014-06-19 12:03:12 -0700131 name = "%s/%s" % (record["category"], record["name"])
132 cpe_dump.append({"ComponentName": name,
133 "Repository": "cros",
134 "Targets": sorted(record["cpes"])})
Jim Hebertcf870d72013-06-12 15:33:34 -0700135 else:
136 cros_build_lib.Warning("No CPE entry for %s", cpv)
Kees Cook5e3961b2014-06-19 12:03:12 -0700137 return sorted(cpe_dump, key=lambda k: k["ComponentName"])
Jim Hebert91c052c2011-03-11 11:00:53 -0800138
139
Brian Harring30675052012-02-29 12:18:22 -0800140def main(argv):
Jim Hebertcf870d72013-06-12 15:33:34 -0700141 parser = commandline.ArgumentParser(description="""
142This extracts the dependency tree for the specified package, and outputs it
143to stdout, in a serialized JSON format.""")
144 parser.add_argument("--board", required=True,
145 help="The board to use when computing deps.")
146 parser.add_argument("--format", default="deps",
147 choices=["deps", "cpe"],
148 help="Output either traditional deps or CPE-only JSON")
149 # Even though this is really just a pass-through to DepGraphGenerator,
150 # handling it as a known arg here allows us to specify a default more
151 # elegantly than testing for its presence in the unknown_args later.
152 parser.add_argument("--root-deps", default="rdeps",
153 help="Which deps to report (defaults to rdeps)")
154 known_args, unknown_args = parser.parse_known_args(argv)
Jim Hebert91c052c2011-03-11 11:00:53 -0800155
Jim Hebertcf870d72013-06-12 15:33:34 -0700156 lib_argv = ["--board=%s" % known_args.board,
157 "--root-deps=%s" % known_args.root_deps,
158 "--quiet", "--pretend", "--emptytree"]
159 lib_argv.extend(unknown_args)
Jim Hebert91c052c2011-03-11 11:00:53 -0800160
161 deps = DepGraphGenerator()
Jim Hebertcf870d72013-06-12 15:33:34 -0700162 deps.Initialize(lib_argv)
David James1b363582012-12-17 11:53:11 -0800163 deps_tree, _deps_info = deps.GenDependencyTree()
Jim Hebertcf870d72013-06-12 15:33:34 -0700164 deps_list = FlattenDepTree(deps_tree)
165 if known_args.format == "cpe":
166 deps_list = ExtractCPEList(deps_list)
167 print json.dumps(deps_list, sort_keys=True, indent=2)