blob: 953532dd981d2dea76cd49f36f4ecb1514e5ead8 [file] [log] [blame]
Jingwen Chen3f0d3b62016-09-22 17:46:49 +00001# Copyright 2016 The Bazel Authors. 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
15# Implementations of Maven rules in Skylark:
Adam Michael26de97b2016-11-08 23:47:29 +000016# 1) maven_jar(name, artifact, repository, sha1, settings)
Jingwen Chen3f0d3b62016-09-22 17:46:49 +000017# The API of this is largely the same as the native maven_jar rule,
Adam Michael26de97b2016-11-08 23:47:29 +000018# except for the server attribute, which is not implemented. The optional
19# settings supports passing a custom Maven settings.xml to download the JAR.
Googlerb6938442018-02-12 14:33:16 -080020# 2) maven_aar(name, artifact, sha1, settings)
Adam Michael26de97b2016-11-08 23:47:29 +000021# The API of this rule is the same as maven_jar except that the artifact must
22# be the Maven coordinate of an AAR and it does not support the historical
23# repository and server attributes.
24# 3) maven_dependency_plugin()
Jingwen Chen3f0d3b62016-09-22 17:46:49 +000025# This rule downloads the maven-dependency-plugin used internally
26# for testing and the implementation for the fetching of artifacts.
David Ostrovsky7d5b31f2017-01-19 17:44:54 +000027#
28# Maven coordinates are expected to be in this form:
29# groupId:artifactId:version[:packaging][:classifier]
30#
Jingwen Chen3f0d3b62016-09-22 17:46:49 +000031# Installation requirements prior to using this rule:
32# 1) Maven binary: `mvn`
33# 2) Maven plugin: `maven-dependency-plugin:2.10`
34# Get it: $ mvn org.apache.maven.plugins:maven-dependency-plugin:2.10:get \
35# -Dartifact=org.apache.maven.plugins:maven-dependency-plugin:2.10 \
36# -Dmaven.repo.local=$HOME/.m2/repository # or specify your own local repository
37
38"""Rules for retrieving Maven dependencies (experimental)"""
39
40MAVEN_CENTRAL_URL = "https://repo1.maven.org/maven2"
41
42# Binary dependencies needed for running the bash commands
43DEPS = ["mvn", "openssl", "awk"]
44
45MVN_PLUGIN = "org.apache.maven.plugins:maven-dependency-plugin:2.10"
46
47
48def _execute(ctx, command):
49 return ctx.execute(["bash", "-c", """
50set -ex
51%s""" % command])
52
53
54# Fail fast
55def _check_dependencies(ctx):
56 for dep in DEPS:
57 if ctx.which(dep) == None:
Adam Michael26de97b2016-11-08 23:47:29 +000058 fail("%s requires %s as a dependency. Please check your PATH." % (ctx.name, dep))
Jingwen Chen3f0d3b62016-09-22 17:46:49 +000059
60
61def _validate_attr(ctx):
Adam Michael26de97b2016-11-08 23:47:29 +000062 if hasattr(ctx.attr, "server") and (ctx.attr.server != None):
Jingwen Chen3f0d3b62016-09-22 17:46:49 +000063 fail("%s specifies a 'server' attribute which is currently not supported." % ctx.name)
64
65
66def _artifact_dir(coordinates):
67 return "/".join(coordinates.group_id.split(".") +
68 [coordinates.artifact_id, coordinates.version])
69
70
Adam Michael26de97b2016-11-08 23:47:29 +000071# Creates a struct containing the different parts of an artifact's FQN.
72# If the fully_qualified_name does not specify a packaging and the rule does
73# not set a default packaging then JAR is assumed.
74def _create_coordinates(fully_qualified_name, packaging="jar"):
Jingwen Chen3f0d3b62016-09-22 17:46:49 +000075 parts = fully_qualified_name.split(":")
Jingwen Chen3f0d3b62016-09-22 17:46:49 +000076 classifier = None
77
78 if len(parts) == 3:
79 group_id, artifact_id, version = parts
Adam Michael26de97b2016-11-08 23:47:29 +000080 # Updates the FQN with the default packaging so that the Maven plugin
81 # downloads the correct artifact.
82 fully_qualified_name = "%s:%s" % (fully_qualified_name, packaging)
Jingwen Chen3f0d3b62016-09-22 17:46:49 +000083 elif len(parts) == 4:
David Ostrovsky7d5b31f2017-01-19 17:44:54 +000084 group_id, artifact_id, version, packaging = parts
Jingwen Chen3f0d3b62016-09-22 17:46:49 +000085 elif len(parts) == 5:
David Ostrovsky7d5b31f2017-01-19 17:44:54 +000086 group_id, artifact_id, version, packaging, classifier = parts
Jingwen Chen3f0d3b62016-09-22 17:46:49 +000087 else:
88 fail("Invalid fully qualified name for artifact: %s" % fully_qualified_name)
89
90 return struct(
91 fully_qualified_name = fully_qualified_name,
92 group_id = group_id,
93 artifact_id = artifact_id,
94 packaging = packaging,
95 classifier = classifier,
96 version = version,
97 )
98
99
Adam Michael26de97b2016-11-08 23:47:29 +0000100# NOTE: Please use this method to define ALL paths that the maven_*
101# rules use. Doing otherwise will lead to inconsistencies and/or errors.
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000102#
103# CONVENTION: *_path refers to files, *_dir refers to directories.
104def _create_paths(ctx, coordinates):
105 """Creates a struct that contains the paths to create the cache WORKSPACE"""
106
107 # e.g. guava-18.0.jar
David Ostrovsky7d5b31f2017-01-19 17:44:54 +0000108 artifact_filename = "%s-%s" % (coordinates.artifact_id,
109 coordinates.version)
110 if coordinates.classifier:
111 artifact_filename += "-" + coordinates.classifier
112 artifact_filename += "." + coordinates.packaging
Adam Michael26de97b2016-11-08 23:47:29 +0000113 sha1_filename = "%s.sha1" % artifact_filename
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000114
115 # e.g. com/google/guava/guava/18.0
Adam Michael26de97b2016-11-08 23:47:29 +0000116 relative_artifact_dir = _artifact_dir(coordinates)
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000117
Adam Michael26de97b2016-11-08 23:47:29 +0000118 # The symlink to the actual artifact is stored in this dir, along with the
119 # BUILD file. The dir has the same name as the packaging to support syntax
120 # like @guava//jar and @google_play_services//aar.
121 symlink_dir = coordinates.packaging
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000122
123 m2 = ".m2"
124 m2_repo = "/".join([m2, "repository"]) # .m2/repository
125
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000126 return struct(
Adam Michael26de97b2016-11-08 23:47:29 +0000127 artifact_filename = artifact_filename,
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000128 sha1_filename = sha1_filename,
129
130 symlink_dir = ctx.path(symlink_dir),
131
132 # e.g. external/com_google_guava_guava/ \
133 # .m2/repository/com/google/guava/guava/18.0/guava-18.0.jar
Adam Michael26de97b2016-11-08 23:47:29 +0000134 artifact_path = ctx.path("/".join([m2_repo, relative_artifact_dir, artifact_filename])),
135 artifact_dir = ctx.path("/".join([m2_repo, relative_artifact_dir])),
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000136
Adam Michael26de97b2016-11-08 23:47:29 +0000137 sha1_path = ctx.path("/".join([m2_repo, relative_artifact_dir, sha1_filename])),
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000138
139 # e.g. external/com_google_guava_guava/jar/guava-18.0.jar
Adam Michael26de97b2016-11-08 23:47:29 +0000140 symlink_artifact_path = ctx.path("/".join([symlink_dir, artifact_filename])),
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000141 )
142
Adam Michael26de97b2016-11-08 23:47:29 +0000143_maven_jar_build_file_template = """
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000144# DO NOT EDIT: automatically generated BUILD file for maven_jar rule {rule_name}
145
146java_import(
147 name = 'jar',
Adam Michael26de97b2016-11-08 23:47:29 +0000148 jars = ['{artifact_filename}'],
ajmichael431b6432017-11-14 10:20:45 -0800149 deps = [
150{deps_string}
151 ],
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000152 visibility = ['//visibility:public']
153)
154
155filegroup(
156 name = 'file',
Adam Michael26de97b2016-11-08 23:47:29 +0000157 srcs = ['{artifact_filename}'],
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000158 visibility = ['//visibility:public']
Adam Michael26de97b2016-11-08 23:47:29 +0000159)\n"""
160
161_maven_aar_build_file_template = """
162# DO NOT EDIT: automatically generated BUILD file for maven_aar rule {rule_name}
163
164aar_import(
165 name = 'aar',
166 aar = '{artifact_filename}',
ajmichael431b6432017-11-14 10:20:45 -0800167 deps = [
168{deps_string}
169 ],
Adam Michael26de97b2016-11-08 23:47:29 +0000170 visibility = ['//visibility:public'],
171)
172
173filegroup(
174 name = 'file',
175 srcs = ['{artifact_filename}'],
176 visibility = ['//visibility:public']
177)\n"""
178
179# Provides the syntax "@jar_name//jar" for dependencies
180def _generate_build_file(ctx, template, paths):
ajmichael431b6432017-11-14 10:20:45 -0800181 deps_string = "\n".join(["'%s'," % dep for dep in ctx.attr.deps])
Adam Michael26de97b2016-11-08 23:47:29 +0000182 contents = template.format(
ajmichael431b6432017-11-14 10:20:45 -0800183 rule_name = ctx.name,
184 artifact_filename = paths.artifact_filename,
185 deps_string = deps_string)
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000186 ctx.file('%s/BUILD' % paths.symlink_dir, contents, False)
187
188
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000189def _file_exists(ctx, filename):
190 return _execute(ctx, "[[ -f %s ]] && exit 0 || exit 1" % filename).return_code == 0
191
192
193# Constructs the maven command to retrieve the dependencies from remote
194# repositories using the dependency plugin, and executes it.
195def _mvn_download(ctx, paths, fully_qualified_name):
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000196 # If a custom settings file exists, we'll use that. If not, Maven will use the default settings.
197 mvn_flags = ""
Adam Michaela110ac42016-12-02 17:58:03 +0000198 if hasattr(ctx.attr, "settings") and ctx.attr.settings != None:
199 ctx.symlink(ctx.attr.settings, "settings.xml")
200 mvn_flags += "-s %s " % "settings.xml"
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000201
202 # dependency:get step. Downloads the artifact into the local repository.
203 mvn_get = MVN_PLUGIN + ":get"
204 mvn_artifact = "-Dartifact=%s" % fully_qualified_name
205 mvn_transitive = "-Dtransitive=false"
Adam Michael26de97b2016-11-08 23:47:29 +0000206 if hasattr(ctx.attr, "repository") and ctx.attr.repository != "":
207 mvn_flags += "-Dmaven.repo.remote=%s " % ctx.attr.repository
208 command = " ".join(["mvn", mvn_flags, mvn_get, mvn_transitive, mvn_artifact])
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000209 exec_result = _execute(ctx, command)
210 if exec_result.return_code != 0:
211 fail("%s\n%s\nFailed to fetch Maven dependency" % (exec_result.stdout, exec_result.stderr))
212
213 # dependency:copy step. Moves the artifact from the local repository into //external.
214 mvn_copy = MVN_PLUGIN + ":copy"
Adam Michael26de97b2016-11-08 23:47:29 +0000215 mvn_output_dir = "-DoutputDirectory=%s" % paths.artifact_dir
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000216 command = " ".join(["mvn", mvn_flags, mvn_copy, mvn_artifact, mvn_output_dir])
217 exec_result = _execute(ctx, command)
218 if exec_result.return_code != 0:
219 fail("%s\n%s\nFailed to fetch Maven dependency" % (exec_result.stdout, exec_result.stderr))
220
221
222def _check_sha1(ctx, paths, sha1):
Adam Michael26de97b2016-11-08 23:47:29 +0000223 actual_sha1 = _execute(ctx, "openssl sha1 %s | awk '{printf $2}'" % paths.artifact_path).stdout
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000224
225 if sha1.lower() != actual_sha1.lower():
226 fail(("{rule_name} has SHA-1 of {actual_sha1}, " +
227 "does not match expected SHA-1 ({expected_sha1})").format(
228 rule_name = ctx.name,
229 expected_sha1 = sha1,
230 actual_sha1 = actual_sha1))
231 else:
Adam Michael26de97b2016-11-08 23:47:29 +0000232 _execute(ctx, "echo %s %s > %s" % (sha1, paths.artifact_path, paths.sha1_path))
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000233
234
Adam Michael26de97b2016-11-08 23:47:29 +0000235def _maven_artifact_impl(ctx, default_rule_packaging, build_file_template):
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000236 # Ensure that we have all of the dependencies installed
237 _check_dependencies(ctx)
238
239 # Provide warnings and errors about attributes
240 _validate_attr(ctx)
241
242 # Create a struct to contain the different parts of the artifact FQN
Adam Michael26de97b2016-11-08 23:47:29 +0000243 coordinates = _create_coordinates(ctx.attr.artifact, default_rule_packaging)
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000244
245 # Create a struct to store the relative and absolute paths needed for this rule
246 paths = _create_paths(ctx, coordinates)
247
248 _generate_build_file(
249 ctx = ctx,
Adam Michael26de97b2016-11-08 23:47:29 +0000250 template = build_file_template,
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000251 paths = paths,
252 )
253
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000254 if _execute(ctx, "mkdir -p %s" % paths.symlink_dir).return_code != 0:
255 fail("%s: Failed to create dirs in execution root.\n" % ctx.name)
256
257 # Download the artifact
258 _mvn_download(
259 ctx = ctx,
260 paths = paths,
261 fully_qualified_name = coordinates.fully_qualified_name
262 )
263
264 if (ctx.attr.sha1 != ""):
265 _check_sha1(
266 ctx = ctx,
267 paths = paths,
268 sha1 = ctx.attr.sha1,
269 )
270
Adam Michael26de97b2016-11-08 23:47:29 +0000271 ctx.symlink(paths.artifact_path, paths.symlink_artifact_path)
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000272
273
Adam Michael26de97b2016-11-08 23:47:29 +0000274_common_maven_rule_attrs = {
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000275 "artifact": attr.string(
276 default = "",
277 mandatory = True,
278 ),
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000279 "sha1": attr.string(default = ""),
ajmichael431b6432017-11-14 10:20:45 -0800280 "settings": attr.label(default = None),
281 # Allow the user to specify deps for the generated java_import or aar_import
282 # since maven_jar and maven_aar do not automatically pull in transitive
283 # dependencies.
284 "deps": attr.label_list(),
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000285}
286
Adam Michael26de97b2016-11-08 23:47:29 +0000287def _maven_jar_impl(ctx):
288 _maven_artifact_impl(ctx, "jar", _maven_jar_build_file_template)
289
290
291def _maven_aar_impl(ctx):
292 _maven_artifact_impl(ctx, "aar", _maven_aar_build_file_template)
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000293
294maven_jar = repository_rule(
vladmosceaed512018-01-03 12:20:57 -0800295 implementation = _maven_jar_impl,
296 attrs = dict(_common_maven_rule_attrs.items() + {
Adam Michael26de97b2016-11-08 23:47:29 +0000297 # Needed for compatability reasons with the native maven_jar rule.
298 "repository": attr.string(default = ""),
299 "server": attr.label(default = None),
vladmosceaed512018-01-03 12:20:57 -0800300 }.items()),
Adam Michael26de97b2016-11-08 23:47:29 +0000301 local=False,
302)
303
304maven_aar = repository_rule(
305 implementation=_maven_aar_impl,
306 attrs=_common_maven_rule_attrs,
Jingwen Chen3f0d3b62016-09-22 17:46:49 +0000307 local=False,
308)
309
310
311def _maven_dependency_plugin_impl(ctx):
312 _BUILD_FILE = """
313# DO NOT EDIT: automatically generated BUILD file for maven_dependency_plugin
314
315filegroup(
316 name = 'files',
317 srcs = glob(['**']),
318 visibility = ['//visibility:public']
319)
320"""
321 ctx.file("BUILD", _BUILD_FILE, False)
322
323 _SETTINGS_XML = """
324<!-- # DO NOT EDIT: automatically generated settings.xml for maven_dependency_plugin -->
325<settings xmlns="http://maven.apache.org/SETTINGS/1.0.0"
326 xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
327 xsi:schemaLocation="http://maven.apache.org/SETTINGS/1.0.0
328 https://maven.apache.org/xsd/settings-1.0.0.xsd">
329 <localRepository>{localRepository}</localRepository>
330 <mirrors>
331 <mirror>
332 <id>central</id>
333 <url>{mirror}</url>
334 <mirrorOf>*,default</mirrorOf>
335 </mirror>
336 </mirrors>
337</settings>
338""".format(
339 localRepository = ctx.path("repository"),
340 mirror = MAVEN_CENTRAL_URL,
341 )
342 settings_path = ctx.path("settings.xml")
343 ctx.file("%s" % settings_path, _SETTINGS_XML, False)
344
345 # Download the plugin with transitive dependencies
346 mvn_flags = "-s %s" % settings_path
347 mvn_get = MVN_PLUGIN + ":get"
348 mvn_artifact = "-Dartifact=%s" % MVN_PLUGIN
349 command = " ".join(["mvn", mvn_flags, mvn_get, mvn_artifact])
350
351 exec_result = _execute(ctx, command)
352 if exec_result.return_code != 0:
353 fail("%s\nFailed to fetch Maven dependency" % exec_result.stderr)
354
355
356_maven_dependency_plugin = repository_rule(
357 implementation=_maven_dependency_plugin_impl,
358)
359
360
361def maven_dependency_plugin():
362 _maven_dependency_plugin(name = "m2")