blob: 5c6d870f653d0c47227680f7d001cba2e78cdc74 [file] [log] [blame]
Jeff Sharkey8190f4882014-08-28 12:24:07 -07001#!/usr/bin/env python
2
3# Copyright (C) 2014 The Android Open Source Project
4#
5# Licensed under the Apache License, Version 2.0 (the 'License');
6# you may not use this file except in compliance with the License.
7# You may obtain a copy of the License at
8#
9# http://www.apache.org/licenses/LICENSE-2.0
10#
11# Unless required by applicable law or agreed to in writing, software
12# distributed under the License is distributed on an 'AS IS' BASIS,
13# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
14# See the License for the specific language governing permissions and
15# limitations under the License.
16
17"""
18Enforces common Android public API design patterns. It ignores lint messages from
19a previous API level, if provided.
20
21Usage: apilint.py current.txt
22Usage: apilint.py current.txt previous.txt
Jeff Sharkey1498f9c2014-09-04 12:45:33 -070023
24You can also splice in blame details like this:
25$ git blame api/current.txt -t -e > /tmp/currentblame.txt
26$ apilint.py /tmp/currentblame.txt previous.txt --no-color
Jeff Sharkey8190f4882014-08-28 12:24:07 -070027"""
28
Jeff Sharkey1498f9c2014-09-04 12:45:33 -070029import re, sys, collections, traceback
Jeff Sharkey8190f4882014-08-28 12:24:07 -070030
31
32BLACK, RED, GREEN, YELLOW, BLUE, MAGENTA, CYAN, WHITE = range(8)
33
34def format(fg=None, bg=None, bright=False, bold=False, dim=False, reset=False):
35 # manually derived from http://en.wikipedia.org/wiki/ANSI_escape_code#Codes
Jeff Sharkey1498f9c2014-09-04 12:45:33 -070036 if "--no-color" in sys.argv: return ""
Jeff Sharkey8190f4882014-08-28 12:24:07 -070037 codes = []
38 if reset: codes.append("0")
39 else:
40 if not fg is None: codes.append("3%d" % (fg))
41 if not bg is None:
42 if not bright: codes.append("4%d" % (bg))
43 else: codes.append("10%d" % (bg))
44 if bold: codes.append("1")
45 elif dim: codes.append("2")
46 else: codes.append("22")
47 return "\033[%sm" % (";".join(codes))
48
49
50class Field():
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -070051 def __init__(self, clazz, line, raw, blame):
Jeff Sharkey8190f4882014-08-28 12:24:07 -070052 self.clazz = clazz
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -070053 self.line = line
Jeff Sharkey8190f4882014-08-28 12:24:07 -070054 self.raw = raw.strip(" {;")
Jeff Sharkey1498f9c2014-09-04 12:45:33 -070055 self.blame = blame
Jeff Sharkey8190f4882014-08-28 12:24:07 -070056
57 raw = raw.split()
58 self.split = list(raw)
59
60 for r in ["field", "volatile", "transient", "public", "protected", "static", "final", "deprecated"]:
61 while r in raw: raw.remove(r)
62
63 self.typ = raw[0]
64 self.name = raw[1].strip(";")
65 if len(raw) >= 4 and raw[2] == "=":
66 self.value = raw[3].strip(';"')
67 else:
68 self.value = None
69
Jeff Sharkey037458a2014-09-04 15:46:20 -070070 self.ident = self.raw.replace(" deprecated ", " ")
71
Jeff Sharkey8190f4882014-08-28 12:24:07 -070072 def __repr__(self):
73 return self.raw
74
75
76class Method():
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -070077 def __init__(self, clazz, line, raw, blame):
Jeff Sharkey8190f4882014-08-28 12:24:07 -070078 self.clazz = clazz
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -070079 self.line = line
Jeff Sharkey8190f4882014-08-28 12:24:07 -070080 self.raw = raw.strip(" {;")
Jeff Sharkey1498f9c2014-09-04 12:45:33 -070081 self.blame = blame
82
83 # drop generics for now
84 raw = re.sub("<.+?>", "", raw)
Jeff Sharkey8190f4882014-08-28 12:24:07 -070085
86 raw = re.split("[\s(),;]+", raw)
87 for r in ["", ";"]:
88 while r in raw: raw.remove(r)
89 self.split = list(raw)
90
91 for r in ["method", "public", "protected", "static", "final", "deprecated", "abstract"]:
92 while r in raw: raw.remove(r)
93
94 self.typ = raw[0]
95 self.name = raw[1]
96 self.args = []
97 for r in raw[2:]:
98 if r == "throws": break
99 self.args.append(r)
100
Jeff Sharkey037458a2014-09-04 15:46:20 -0700101 # identity for compat purposes
102 ident = self.raw
103 ident = ident.replace(" deprecated ", " ")
104 ident = ident.replace(" synchronized ", " ")
105 ident = re.sub("<.+?>", "", ident)
106 if " throws " in ident:
107 ident = ident[:ident.index(" throws ")]
108 self.ident = ident
109
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700110 def __repr__(self):
111 return self.raw
112
113
114class Class():
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700115 def __init__(self, pkg, line, raw, blame):
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700116 self.pkg = pkg
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700117 self.line = line
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700118 self.raw = raw.strip(" {;")
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700119 self.blame = blame
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700120 self.ctors = []
121 self.fields = []
122 self.methods = []
123
124 raw = raw.split()
125 self.split = list(raw)
126 if "class" in raw:
127 self.fullname = raw[raw.index("class")+1]
128 elif "interface" in raw:
129 self.fullname = raw[raw.index("interface")+1]
Jeff Sharkey037458a2014-09-04 15:46:20 -0700130 else:
131 raise ValueError("Funky class type %s" % (self.raw))
132
133 if "extends" in raw:
134 self.extends = raw[raw.index("extends")+1]
Jeff Sharkey047d7f02015-02-25 11:27:55 -0800135 self.extends_path = self.extends.split(".")
Jeff Sharkey037458a2014-09-04 15:46:20 -0700136 else:
137 self.extends = None
Jeff Sharkey047d7f02015-02-25 11:27:55 -0800138 self.extends_path = []
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700139
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700140 self.fullname = self.pkg.name + "." + self.fullname
Jeff Sharkey047d7f02015-02-25 11:27:55 -0800141 self.fullname_path = self.fullname.split(".")
142
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700143 self.name = self.fullname[self.fullname.rindex(".")+1:]
144
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700145 def __repr__(self):
146 return self.raw
147
148
149class Package():
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700150 def __init__(self, line, raw, blame):
151 self.line = line
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700152 self.raw = raw.strip(" {;")
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700153 self.blame = blame
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700154
155 raw = raw.split()
156 self.name = raw[raw.index("package")+1]
Jeff Sharkey047d7f02015-02-25 11:27:55 -0800157 self.name_path = self.name.split(".")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700158
159 def __repr__(self):
160 return self.raw
161
162
Jeff Sharkeya18a2e32015-02-22 15:54:32 -0800163def _parse_stream(f, clazz_cb=None):
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700164 line = 0
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700165 api = {}
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700166 pkg = None
167 clazz = None
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700168 blame = None
169
170 re_blame = re.compile("^([a-z0-9]{7,}) \(<([^>]+)>.+?\) (.+?)$")
Jeff Sharkeya18a2e32015-02-22 15:54:32 -0800171 for raw in f:
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700172 line += 1
173 raw = raw.rstrip()
174 match = re_blame.match(raw)
175 if match is not None:
176 blame = match.groups()[0:2]
177 raw = match.groups()[2]
178 else:
179 blame = None
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700180
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700181 if raw.startswith("package"):
182 pkg = Package(line, raw, blame)
183 elif raw.startswith(" ") and raw.endswith("{"):
Jeff Sharkeya18a2e32015-02-22 15:54:32 -0800184 # When provided with class callback, we treat as incremental
185 # parse and don't build up entire API
186 if clazz and clazz_cb:
187 clazz_cb(clazz)
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700188 clazz = Class(pkg, line, raw, blame)
Jeff Sharkeya18a2e32015-02-22 15:54:32 -0800189 if not clazz_cb:
190 api[clazz.fullname] = clazz
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700191 elif raw.startswith(" ctor"):
192 clazz.ctors.append(Method(clazz, line, raw, blame))
193 elif raw.startswith(" method"):
194 clazz.methods.append(Method(clazz, line, raw, blame))
195 elif raw.startswith(" field"):
196 clazz.fields.append(Field(clazz, line, raw, blame))
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700197
Jeff Sharkeya18a2e32015-02-22 15:54:32 -0800198 # Handle last trailing class
199 if clazz and clazz_cb:
200 clazz_cb(clazz)
201
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700202 return api
203
204
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700205class Failure():
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800206 def __init__(self, sig, clazz, detail, error, rule, msg):
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700207 self.sig = sig
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700208 self.error = error
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800209 self.rule = rule
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700210 self.msg = msg
211
212 if error:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800213 self.head = "Error %s" % (rule) if rule else "Error"
214 dump = "%s%s:%s %s" % (format(fg=RED, bg=BLACK, bold=True), self.head, format(reset=True), msg)
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700215 else:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800216 self.head = "Warning %s" % (rule) if rule else "Warning"
217 dump = "%s%s:%s %s" % (format(fg=YELLOW, bg=BLACK, bold=True), self.head, format(reset=True), msg)
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700218
219 self.line = clazz.line
220 blame = clazz.blame
221 if detail is not None:
222 dump += "\n in " + repr(detail)
223 self.line = detail.line
224 blame = detail.blame
225 dump += "\n in " + repr(clazz)
226 dump += "\n in " + repr(clazz.pkg)
227 dump += "\n at line " + repr(self.line)
228 if blame is not None:
229 dump += "\n last modified by %s in %s" % (blame[1], blame[0])
230
231 self.dump = dump
232
233 def __repr__(self):
234 return self.dump
235
236
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700237failures = {}
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700238
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800239def _fail(clazz, detail, error, rule, msg):
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700240 """Records an API failure to be processed later."""
241 global failures
242
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700243 sig = "%s-%s-%s" % (clazz.fullname, repr(detail), msg)
244 sig = sig.replace(" deprecated ", " ")
245
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800246 failures[sig] = Failure(sig, clazz, detail, error, rule, msg)
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -0700247
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700248
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800249def warn(clazz, detail, rule, msg):
250 _fail(clazz, detail, False, rule, msg)
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700251
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800252def error(clazz, detail, rule, msg):
253 _fail(clazz, detail, True, rule, msg)
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700254
255
256def verify_constants(clazz):
257 """All static final constants must be FOO_NAME style."""
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700258 if re.match("android\.R\.[a-z]+", clazz.fullname): return
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700259
260 for f in clazz.fields:
261 if "static" in f.split and "final" in f.split:
262 if re.match("[A-Z0-9_]+", f.name) is None:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800263 error(clazz, f, "C2", "Constant field names must be FOO_NAME")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700264
265
266def verify_enums(clazz):
267 """Enums are bad, mmkay?"""
268 if "extends java.lang.Enum" in clazz.raw:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800269 error(clazz, None, "F5", "Enums are not allowed")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700270
271
272def verify_class_names(clazz):
273 """Try catching malformed class names like myMtp or MTPUser."""
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700274 if clazz.fullname.startswith("android.opengl"): return
275 if clazz.fullname.startswith("android.renderscript"): return
276 if re.match("android\.R\.[a-z]+", clazz.fullname): return
277
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700278 if re.search("[A-Z]{2,}", clazz.name) is not None:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800279 warn(clazz, None, "S1", "Class names with acronyms should be Mtp not MTP")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700280 if re.match("[^A-Z]", clazz.name):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800281 error(clazz, None, "S1", "Class must start with uppercase char")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700282
283
284def verify_method_names(clazz):
285 """Try catching malformed method names, like Foo() or getMTU()."""
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700286 if clazz.fullname.startswith("android.opengl"): return
287 if clazz.fullname.startswith("android.renderscript"): return
288 if clazz.fullname == "android.system.OsConstants": return
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700289
290 for m in clazz.methods:
291 if re.search("[A-Z]{2,}", m.name) is not None:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800292 warn(clazz, m, "S1", "Method names with acronyms should be getMtu() instead of getMTU()")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700293 if re.match("[^a-z]", m.name):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800294 error(clazz, m, "S1", "Method name must start with lowercase char")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700295
296
297def verify_callbacks(clazz):
298 """Verify Callback classes.
299 All callback classes must be abstract.
300 All methods must follow onFoo() naming style."""
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700301 if clazz.fullname == "android.speech.tts.SynthesisCallback": return
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700302
303 if clazz.name.endswith("Callbacks"):
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800304 error(clazz, None, "L1", "Callback class names should be singular")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700305 if clazz.name.endswith("Observer"):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800306 warn(clazz, None, "L1", "Class should be named FooCallback")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700307
308 if clazz.name.endswith("Callback"):
309 if "interface" in clazz.split:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800310 error(clazz, None, "CL3", "Callbacks must be abstract class to enable extension in future API levels")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700311
312 for m in clazz.methods:
313 if not re.match("on[A-Z][a-z]*", m.name):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800314 error(clazz, m, "L1", "Callback method names must be onFoo() style")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700315
316
317def verify_listeners(clazz):
318 """Verify Listener classes.
319 All Listener classes must be interface.
320 All methods must follow onFoo() naming style.
321 If only a single method, it must match class name:
322 interface OnFooListener { void onFoo() }"""
323
324 if clazz.name.endswith("Listener"):
325 if " abstract class " in clazz.raw:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800326 error(clazz, None, "L1", "Listeners should be an interface, or otherwise renamed Callback")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700327
328 for m in clazz.methods:
329 if not re.match("on[A-Z][a-z]*", m.name):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800330 error(clazz, m, "L1", "Listener method names must be onFoo() style")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700331
332 if len(clazz.methods) == 1 and clazz.name.startswith("On"):
333 m = clazz.methods[0]
334 if (m.name + "Listener").lower() != clazz.name.lower():
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800335 error(clazz, m, "L1", "Single listener method name must match class name")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700336
337
338def verify_actions(clazz):
339 """Verify intent actions.
340 All action names must be named ACTION_FOO.
341 All action values must be scoped by package and match name:
342 package android.foo {
343 String ACTION_BAR = "android.foo.action.BAR";
344 }"""
345 for f in clazz.fields:
346 if f.value is None: continue
347 if f.name.startswith("EXTRA_"): continue
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700348 if f.name == "SERVICE_INTERFACE" or f.name == "PROVIDER_INTERFACE": continue
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700349
350 if "static" in f.split and "final" in f.split and f.typ == "java.lang.String":
351 if "_ACTION" in f.name or "ACTION_" in f.name or ".action." in f.value.lower():
352 if not f.name.startswith("ACTION_"):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800353 error(clazz, f, "C3", "Intent action constant name must be ACTION_FOO")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700354 else:
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700355 if clazz.fullname == "android.content.Intent":
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700356 prefix = "android.intent.action"
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700357 elif clazz.fullname == "android.provider.Settings":
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700358 prefix = "android.settings"
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700359 elif clazz.fullname == "android.app.admin.DevicePolicyManager" or clazz.fullname == "android.app.admin.DeviceAdminReceiver":
360 prefix = "android.app.action"
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700361 else:
362 prefix = clazz.pkg.name + ".action"
363 expected = prefix + "." + f.name[7:]
364 if f.value != expected:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800365 error(clazz, f, "C4", "Inconsistent action value; expected %s" % (expected))
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700366
367
368def verify_extras(clazz):
369 """Verify intent extras.
370 All extra names must be named EXTRA_FOO.
371 All extra values must be scoped by package and match name:
372 package android.foo {
373 String EXTRA_BAR = "android.foo.extra.BAR";
374 }"""
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700375 if clazz.fullname == "android.app.Notification": return
376 if clazz.fullname == "android.appwidget.AppWidgetManager": return
377
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700378 for f in clazz.fields:
379 if f.value is None: continue
380 if f.name.startswith("ACTION_"): continue
381
382 if "static" in f.split and "final" in f.split and f.typ == "java.lang.String":
383 if "_EXTRA" in f.name or "EXTRA_" in f.name or ".extra" in f.value.lower():
384 if not f.name.startswith("EXTRA_"):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800385 error(clazz, f, "C3", "Intent extra must be EXTRA_FOO")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700386 else:
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700387 if clazz.pkg.name == "android.content" and clazz.name == "Intent":
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700388 prefix = "android.intent.extra"
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700389 elif clazz.pkg.name == "android.app.admin":
390 prefix = "android.app.extra"
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700391 else:
392 prefix = clazz.pkg.name + ".extra"
393 expected = prefix + "." + f.name[6:]
394 if f.value != expected:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800395 error(clazz, f, "C4", "Inconsistent extra value; expected %s" % (expected))
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700396
397
398def verify_equals(clazz):
399 """Verify that equals() and hashCode() must be overridden together."""
400 methods = [ m.name for m in clazz.methods ]
401 eq = "equals" in methods
402 hc = "hashCode" in methods
403 if eq != hc:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800404 error(clazz, None, "M8", "Must override both equals and hashCode; missing one")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700405
406
407def verify_parcelable(clazz):
408 """Verify that Parcelable objects aren't hiding required bits."""
409 if "implements android.os.Parcelable" in clazz.raw:
410 creator = [ i for i in clazz.fields if i.name == "CREATOR" ]
411 write = [ i for i in clazz.methods if i.name == "writeToParcel" ]
412 describe = [ i for i in clazz.methods if i.name == "describeContents" ]
413
414 if len(creator) == 0 or len(write) == 0 or len(describe) == 0:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800415 error(clazz, None, "FW3", "Parcelable requires CREATOR, writeToParcel, and describeContents; missing one")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700416
417
418def verify_protected(clazz):
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800419 """Verify that no protected methods or fields are allowed."""
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700420 for m in clazz.methods:
421 if "protected" in m.split:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800422 error(clazz, m, "M7", "Protected methods not allowed; must be public")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700423 for f in clazz.fields:
424 if "protected" in f.split:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800425 error(clazz, f, "M7", "Protected fields not allowed; must be public")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700426
427
428def verify_fields(clazz):
429 """Verify that all exposed fields are final.
430 Exposed fields must follow myName style.
431 Catch internal mFoo objects being exposed."""
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700432
433 IGNORE_BARE_FIELDS = [
434 "android.app.ActivityManager.RecentTaskInfo",
435 "android.app.Notification",
436 "android.content.pm.ActivityInfo",
437 "android.content.pm.ApplicationInfo",
438 "android.content.pm.FeatureGroupInfo",
439 "android.content.pm.InstrumentationInfo",
440 "android.content.pm.PackageInfo",
441 "android.content.pm.PackageItemInfo",
442 "android.os.Message",
443 "android.system.StructPollfd",
444 ]
445
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700446 for f in clazz.fields:
447 if not "final" in f.split:
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700448 if clazz.fullname in IGNORE_BARE_FIELDS:
449 pass
450 elif clazz.fullname.endswith("LayoutParams"):
451 pass
452 elif clazz.fullname.startswith("android.util.Mutable"):
453 pass
454 else:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800455 error(clazz, f, "F2", "Bare fields must be marked final, or add accessors if mutable")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700456
457 if not "static" in f.split:
458 if not re.match("[a-z]([a-zA-Z]+)?", f.name):
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800459 error(clazz, f, "S1", "Non-static fields must be named using myField style")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700460
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700461 if re.match("[ms][A-Z]", f.name):
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800462 error(clazz, f, "F1", "Internal objects must not be exposed")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700463
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700464 if re.match("[A-Z_]+", f.name):
465 if "static" not in f.split or "final" not in f.split:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800466 error(clazz, f, "C2", "Constants must be marked static final")
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700467
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700468
469def verify_register(clazz):
470 """Verify parity of registration methods.
471 Callback objects use register/unregister methods.
472 Listener objects use add/remove methods."""
473 methods = [ m.name for m in clazz.methods ]
474 for m in clazz.methods:
475 if "Callback" in m.raw:
476 if m.name.startswith("register"):
477 other = "unregister" + m.name[8:]
478 if other not in methods:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800479 error(clazz, m, "L2", "Missing unregister method")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700480 if m.name.startswith("unregister"):
481 other = "register" + m.name[10:]
482 if other not in methods:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800483 error(clazz, m, "L2", "Missing register method")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700484
485 if m.name.startswith("add") or m.name.startswith("remove"):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800486 error(clazz, m, "L3", "Callback methods should be named register/unregister")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700487
488 if "Listener" in m.raw:
489 if m.name.startswith("add"):
490 other = "remove" + m.name[3:]
491 if other not in methods:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800492 error(clazz, m, "L2", "Missing remove method")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700493 if m.name.startswith("remove") and not m.name.startswith("removeAll"):
494 other = "add" + m.name[6:]
495 if other not in methods:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800496 error(clazz, m, "L2", "Missing add method")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700497
498 if m.name.startswith("register") or m.name.startswith("unregister"):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800499 error(clazz, m, "L3", "Listener methods should be named add/remove")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700500
501
502def verify_sync(clazz):
503 """Verify synchronized methods aren't exposed."""
504 for m in clazz.methods:
505 if "synchronized" in m.split:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800506 error(clazz, m, "M5", "Internal locks must not be exposed")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700507
508
509def verify_intent_builder(clazz):
510 """Verify that Intent builders are createFooIntent() style."""
511 if clazz.name == "Intent": return
512
513 for m in clazz.methods:
514 if m.typ == "android.content.Intent":
515 if m.name.startswith("create") and m.name.endswith("Intent"):
516 pass
517 else:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800518 error(clazz, m, "FW1", "Methods creating an Intent must be named createFooIntent()")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700519
520
521def verify_helper_classes(clazz):
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700522 """Verify that helper classes are named consistently with what they extend.
523 All developer extendable methods should be named onFoo()."""
524 test_methods = False
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700525 if "extends android.app.Service" in clazz.raw:
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700526 test_methods = True
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700527 if not clazz.name.endswith("Service"):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800528 error(clazz, None, "CL4", "Inconsistent class name; should be FooService")
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700529
530 found = False
531 for f in clazz.fields:
532 if f.name == "SERVICE_INTERFACE":
533 found = True
534 if f.value != clazz.fullname:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800535 error(clazz, f, "C4", "Inconsistent interface constant; expected %s" % (clazz.fullname))
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700536
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700537 if "extends android.content.ContentProvider" in clazz.raw:
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700538 test_methods = True
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700539 if not clazz.name.endswith("Provider"):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800540 error(clazz, None, "CL4", "Inconsistent class name; should be FooProvider")
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700541
542 found = False
543 for f in clazz.fields:
544 if f.name == "PROVIDER_INTERFACE":
545 found = True
546 if f.value != clazz.fullname:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800547 error(clazz, f, "C4", "Inconsistent interface constant; expected %s" % (clazz.fullname))
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700548
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700549 if "extends android.content.BroadcastReceiver" in clazz.raw:
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700550 test_methods = True
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700551 if not clazz.name.endswith("Receiver"):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800552 error(clazz, None, "CL4", "Inconsistent class name; should be FooReceiver")
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700553
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700554 if "extends android.app.Activity" in clazz.raw:
555 test_methods = True
556 if not clazz.name.endswith("Activity"):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800557 error(clazz, None, "CL4", "Inconsistent class name; should be FooActivity")
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700558
559 if test_methods:
560 for m in clazz.methods:
561 if "final" in m.split: continue
562 if not re.match("on[A-Z]", m.name):
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700563 if "abstract" in m.split:
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800564 warn(clazz, m, None, "Methods implemented by developers should be named onFoo()")
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700565 else:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800566 warn(clazz, m, None, "If implemented by developer, should be named onFoo(); otherwise consider marking final")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700567
568
569def verify_builder(clazz):
570 """Verify builder classes.
571 Methods should return the builder to enable chaining."""
572 if " extends " in clazz.raw: return
573 if not clazz.name.endswith("Builder"): return
574
575 if clazz.name != "Builder":
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800576 warn(clazz, None, None, "Builder should be defined as inner class")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700577
578 has_build = False
579 for m in clazz.methods:
580 if m.name == "build":
581 has_build = True
582 continue
583
584 if m.name.startswith("get"): continue
585 if m.name.startswith("clear"): continue
586
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700587 if m.name.startswith("with"):
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800588 warn(clazz, m, None, "Builder methods names should use setFoo() style")
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700589
590 if m.name.startswith("set"):
591 if not m.typ.endswith(clazz.fullname):
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800592 warn(clazz, m, "M4", "Methods must return the builder object")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700593
594 if not has_build:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800595 warn(clazz, None, None, "Missing build() method")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700596
597
598def verify_aidl(clazz):
599 """Catch people exposing raw AIDL."""
Jeff Sharkey932a07c2014-08-28 16:16:02 -0700600 if "extends android.os.Binder" in clazz.raw or "implements android.os.IInterface" in clazz.raw:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800601 error(clazz, None, None, "Raw AIDL interfaces must not be exposed")
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700602
603
Jeff Sharkey932a07c2014-08-28 16:16:02 -0700604def verify_internal(clazz):
605 """Catch people exposing internal classes."""
606 if clazz.pkg.name.startswith("com.android"):
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800607 error(clazz, None, None, "Internal classes must not be exposed")
Jeff Sharkey932a07c2014-08-28 16:16:02 -0700608
609
610def verify_layering(clazz):
611 """Catch package layering violations.
612 For example, something in android.os depending on android.app."""
613 ranking = [
614 ["android.service","android.accessibilityservice","android.inputmethodservice","android.printservice","android.appwidget","android.webkit","android.preference","android.gesture","android.print"],
615 "android.app",
616 "android.widget",
617 "android.view",
618 "android.animation",
619 "android.provider",
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700620 ["android.content","android.graphics.drawable"],
Jeff Sharkey932a07c2014-08-28 16:16:02 -0700621 "android.database",
622 "android.graphics",
623 "android.text",
624 "android.os",
625 "android.util"
626 ]
627
628 def rank(p):
629 for i in range(len(ranking)):
630 if isinstance(ranking[i], list):
631 for j in ranking[i]:
632 if p.startswith(j): return i
633 else:
634 if p.startswith(ranking[i]): return i
635
636 cr = rank(clazz.pkg.name)
637 if cr is None: return
638
639 for f in clazz.fields:
640 ir = rank(f.typ)
641 if ir and ir < cr:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800642 warn(clazz, f, "FW6", "Field type violates package layering")
Jeff Sharkey932a07c2014-08-28 16:16:02 -0700643
644 for m in clazz.methods:
645 ir = rank(m.typ)
646 if ir and ir < cr:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800647 warn(clazz, m, "FW6", "Method return type violates package layering")
Jeff Sharkey932a07c2014-08-28 16:16:02 -0700648 for arg in m.args:
649 ir = rank(arg)
650 if ir and ir < cr:
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800651 warn(clazz, m, "FW6", "Method argument type violates package layering")
Jeff Sharkey932a07c2014-08-28 16:16:02 -0700652
653
Jeff Sharkeya18a2e32015-02-22 15:54:32 -0800654def verify_boolean(clazz):
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800655 """Verifies that boolean accessors are named correctly.
656 For example, hasFoo() and setHasFoo()."""
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700657
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800658 def is_get(m): return len(m.args) == 0 and m.typ == "boolean"
659 def is_set(m): return len(m.args) == 1 and m.args[0] == "boolean"
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700660
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800661 gets = [ m for m in clazz.methods if is_get(m) ]
662 sets = [ m for m in clazz.methods if is_set(m) ]
663
664 def error_if_exists(methods, trigger, expected, actual):
665 for m in methods:
666 if m.name == actual:
667 error(clazz, m, "M6", "Symmetric method for %s must be named %s" % (trigger, expected))
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700668
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700669 for m in clazz.methods:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800670 if is_get(m):
671 if re.match("is[A-Z]", m.name):
672 target = m.name[2:]
673 expected = "setIs" + target
674 error_if_exists(sets, m.name, expected, "setHas" + target)
675 elif re.match("has[A-Z]", m.name):
676 target = m.name[3:]
677 expected = "setHas" + target
678 error_if_exists(sets, m.name, expected, "setIs" + target)
679 error_if_exists(sets, m.name, expected, "set" + target)
680 elif re.match("get[A-Z]", m.name):
681 target = m.name[3:]
682 expected = "set" + target
683 error_if_exists(sets, m.name, expected, "setIs" + target)
684 error_if_exists(sets, m.name, expected, "setHas" + target)
685
686 if is_set(m):
687 if re.match("set[A-Z]", m.name):
688 target = m.name[3:]
689 expected = "get" + target
690 error_if_exists(sets, m.name, expected, "is" + target)
691 error_if_exists(sets, m.name, expected, "has" + target)
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700692
693
694def verify_collections(clazz):
695 """Verifies that collection types are interfaces."""
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700696 if clazz.fullname == "android.os.Bundle": return
697
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700698 bad = ["java.util.Vector", "java.util.LinkedList", "java.util.ArrayList", "java.util.Stack",
699 "java.util.HashMap", "java.util.HashSet", "android.util.ArraySet", "android.util.ArrayMap"]
700 for m in clazz.methods:
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700701 if m.typ in bad:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800702 error(clazz, m, "CL2", "Return type is concrete collection; must be higher-level interface")
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700703 for arg in m.args:
Jeff Sharkey1498f9c2014-09-04 12:45:33 -0700704 if arg in bad:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800705 error(clazz, m, "CL2", "Argument is concrete collection; must be higher-level interface")
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700706
707
708def verify_flags(clazz):
709 """Verifies that flags are non-overlapping."""
710 known = collections.defaultdict(int)
711 for f in clazz.fields:
712 if "FLAG_" in f.name:
713 try:
714 val = int(f.value)
715 except:
716 continue
717
718 scope = f.name[0:f.name.index("FLAG_")]
719 if val & known[scope]:
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800720 warn(clazz, f, "C1", "Found overlapping flag constant value")
Jeff Sharkey294f0de2014-08-29 17:41:43 -0700721 known[scope] |= val
722
723
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800724def verify_exception(clazz):
725 """Verifies that methods don't throw generic exceptions."""
726 for m in clazz.methods:
727 if "throws java.lang.Exception" in m.raw or "throws java.lang.Throwable" in m.raw or "throws java.lang.Error" in m.raw:
728 error(clazz, m, "S1", "Methods must not throw generic exceptions")
729
730
731def verify_google(clazz):
732 """Verifies that APIs never reference Google."""
733
734 if re.search("google", clazz.raw, re.IGNORECASE):
735 error(clazz, None, None, "Must never reference Google")
736
737 test = []
738 test.extend(clazz.ctors)
739 test.extend(clazz.fields)
740 test.extend(clazz.methods)
741
742 for t in test:
743 if re.search("google", t.raw, re.IGNORECASE):
744 error(clazz, t, None, "Must never reference Google")
745
746
747def verify_bitset(clazz):
748 """Verifies that we avoid using heavy BitSet."""
749
750 for f in clazz.fields:
751 if f.typ == "java.util.BitSet":
752 error(clazz, f, None, "Field type must not be heavy BitSet")
753
754 for m in clazz.methods:
755 if m.typ == "java.util.BitSet":
756 error(clazz, m, None, "Return type must not be heavy BitSet")
757 for arg in m.args:
758 if arg == "java.util.BitSet":
759 error(clazz, m, None, "Argument type must not be heavy BitSet")
760
761
762def verify_manager(clazz):
763 """Verifies that FooManager is only obtained from Context."""
764
765 if not clazz.name.endswith("Manager"): return
766
767 for c in clazz.ctors:
Jeff Sharkey047d7f02015-02-25 11:27:55 -0800768 error(clazz, c, None, "Managers must always be obtained from Context; no direct constructors")
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800769
770
771def verify_boxed(clazz):
772 """Verifies that methods avoid boxed primitives."""
773
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800774 boxed = ["java.lang.Number","java.lang.Byte","java.lang.Double","java.lang.Float","java.lang.Integer","java.lang.Long","java.lang.Short"]
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800775
776 for c in clazz.ctors:
777 for arg in c.args:
778 if arg in boxed:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800779 error(clazz, c, "M11", "Must avoid boxed primitives")
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800780
781 for f in clazz.fields:
782 if f.typ in boxed:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800783 error(clazz, f, "M11", "Must avoid boxed primitives")
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800784
785 for m in clazz.methods:
786 if m.typ in boxed:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800787 error(clazz, m, "M11", "Must avoid boxed primitives")
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800788 for arg in m.args:
789 if arg in boxed:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800790 error(clazz, m, "M11", "Must avoid boxed primitives")
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -0800791
792
793def verify_static_utils(clazz):
794 """Verifies that helper classes can't be constructed."""
795 if clazz.fullname.startswith("android.opengl"): return
796 if re.match("android\.R\.[a-z]+", clazz.fullname): return
797
798 if len(clazz.fields) > 0: return
799 if len(clazz.methods) == 0: return
800
801 for m in clazz.methods:
802 if "static" not in m.split:
803 return
804
805 # At this point, we have no fields, and all methods are static
806 if len(clazz.ctors) > 0:
807 error(clazz, None, None, "Fully-static utility classes must not have constructor")
808
809
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800810def verify_overload_args(clazz):
811 """Verifies that method overloads add new arguments at the end."""
812 if clazz.fullname.startswith("android.opengl"): return
813
814 overloads = collections.defaultdict(list)
815 for m in clazz.methods:
816 if "deprecated" in m.split: continue
817 overloads[m.name].append(m)
818
Jeff Sharkeya18a2e32015-02-22 15:54:32 -0800819 for name, methods in overloads.items():
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800820 if len(methods) <= 1: continue
821
822 # Look for arguments common across all overloads
823 def cluster(args):
824 count = collections.defaultdict(int)
825 res = set()
826 for i in range(len(args)):
827 a = args[i]
828 res.add("%s#%d" % (a, count[a]))
829 count[a] += 1
830 return res
831
832 common_args = cluster(methods[0].args)
833 for m in methods:
834 common_args = common_args & cluster(m.args)
835
836 if len(common_args) == 0: continue
837
838 # Require that all common arguments are present at start of signature
839 locked_sig = None
840 for m in methods:
841 sig = m.args[0:len(common_args)]
842 if not common_args.issubset(cluster(sig)):
843 warn(clazz, m, "M2", "Expected common arguments [%s] at beginning of overloaded method" % (", ".join(common_args)))
844 elif not locked_sig:
845 locked_sig = sig
846 elif locked_sig != sig:
847 error(clazz, m, "M2", "Expected consistent argument ordering between overloads: %s..." % (", ".join(locked_sig)))
848
849
850def verify_callback_handlers(clazz):
851 """Verifies that methods adding listener/callback have overload
852 for specifying delivery thread."""
853
Jeff Sharkey047d7f02015-02-25 11:27:55 -0800854 # Ignore UI packages which assume main thread
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800855 skip = [
Jeff Sharkey047d7f02015-02-25 11:27:55 -0800856 "animation",
857 "view",
858 "graphics",
859 "transition",
860 "widget",
861 "webkit",
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800862 ]
863 for s in skip:
Jeff Sharkey047d7f02015-02-25 11:27:55 -0800864 if s in clazz.pkg.name_path: return
865 if s in clazz.extends_path: return
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800866
Jeff Sharkey047d7f02015-02-25 11:27:55 -0800867 # Ignore UI classes which assume main thread
868 if "app" in clazz.pkg.name_path or "app" in clazz.extends_path:
869 for s in ["ActionBar","Dialog","Application","Activity","Fragment","Loader"]:
870 if s in clazz.fullname: return
871 if "content" in clazz.pkg.name_path or "content" in clazz.extends_path:
872 for s in ["Loader"]:
873 if s in clazz.fullname: return
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800874
875 found = {}
876 by_name = collections.defaultdict(list)
877 for m in clazz.methods:
878 if m.name.startswith("unregister"): continue
879 if m.name.startswith("remove"): continue
880 if re.match("on[A-Z]+", m.name): continue
881
882 by_name[m.name].append(m)
883
884 for a in m.args:
885 if a.endswith("Listener") or a.endswith("Callback") or a.endswith("Callbacks"):
886 found[m.name] = m
887
888 for f in found.values():
889 takes_handler = False
890 for m in by_name[f.name]:
891 if "android.os.Handler" in m.args:
892 takes_handler = True
893 if not takes_handler:
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800894 warn(clazz, f, "L1", "Registration methods should have overload that accepts delivery Handler")
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800895
896
897def verify_context_first(clazz):
898 """Verifies that methods accepting a Context keep it the first argument."""
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800899 examine = clazz.ctors + clazz.methods
900 for m in examine:
901 if len(m.args) > 1 and m.args[0] != "android.content.Context":
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800902 if "android.content.Context" in m.args[1:]:
903 error(clazz, m, "M3", "Context is distinct, so it must be the first argument")
904
Jeff Sharkey90b547b2015-02-18 16:45:54 -0800905
906def verify_listener_last(clazz):
907 """Verifies that methods accepting a Listener or Callback keep them as last arguments."""
908 examine = clazz.ctors + clazz.methods
909 for m in examine:
910 if "Listener" in m.name or "Callback" in m.name: continue
911 found = False
912 for a in m.args:
913 if a.endswith("Callback") or a.endswith("Callbacks") or a.endswith("Listener"):
914 found = True
915 elif found and a != "android.os.Handler":
916 warn(clazz, m, "M3", "Listeners should always be at end of argument list")
917
918
919def verify_resource_names(clazz):
920 """Verifies that resource names have consistent case."""
921 if not re.match("android\.R\.[a-z]+", clazz.fullname): return
922
923 # Resources defined by files are foo_bar_baz
924 if clazz.name in ["anim","animator","color","dimen","drawable","interpolator","layout","transition","menu","mipmap","string","plurals","raw","xml"]:
925 for f in clazz.fields:
926 if re.match("[a-z1-9_]+$", f.name): continue
927 error(clazz, f, None, "Expected resource name in this class to be foo_bar_baz style")
928
929 # Resources defined inside files are fooBarBaz
930 if clazz.name in ["array","attr","id","bool","fraction","integer"]:
931 for f in clazz.fields:
932 if re.match("config_[a-z][a-zA-Z1-9]*$", f.name): continue
933 if re.match("layout_[a-z][a-zA-Z1-9]*$", f.name): continue
934 if re.match("state_[a-z_]*$", f.name): continue
935
936 if re.match("[a-z][a-zA-Z1-9]*$", f.name): continue
937 error(clazz, f, "C7", "Expected resource name in this class to be fooBarBaz style")
938
939 # Styles are FooBar_Baz
940 if clazz.name in ["style"]:
941 for f in clazz.fields:
942 if re.match("[A-Z][A-Za-z1-9]+(_[A-Z][A-Za-z1-9]+?)*$", f.name): continue
943 error(clazz, f, "C7", "Expected resource name in this class to be FooBar_Baz style")
Jeff Sharkeyb46a9692015-02-17 17:19:41 -0800944
945
Jeff Sharkeya18a2e32015-02-22 15:54:32 -0800946def examine_clazz(clazz):
947 """Find all style issues in the given class."""
948 if clazz.pkg.name.startswith("java"): return
949 if clazz.pkg.name.startswith("junit"): return
950 if clazz.pkg.name.startswith("org.apache"): return
951 if clazz.pkg.name.startswith("org.xml"): return
952 if clazz.pkg.name.startswith("org.json"): return
953 if clazz.pkg.name.startswith("org.w3c"): return
Jeff Sharkey8190f4882014-08-28 12:24:07 -0700954
Jeff Sharkeya18a2e32015-02-22 15:54:32 -0800955 verify_constants(clazz)
956 verify_enums(clazz)
957 verify_class_names(clazz)
958 verify_method_names(clazz)
959 verify_callbacks(clazz)
960 verify_listeners(clazz)
961 verify_actions(clazz)
962 verify_extras(clazz)
963 verify_equals(clazz)
964 verify_parcelable(clazz)
965 verify_protected(clazz)
966 verify_fields(clazz)
967 verify_register(clazz)
968 verify_sync(clazz)
969 verify_intent_builder(clazz)
970 verify_helper_classes(clazz)
971 verify_builder(clazz)
972 verify_aidl(clazz)
973 verify_internal(clazz)
974 verify_layering(clazz)
975 verify_boolean(clazz)
976 verify_collections(clazz)
977 verify_flags(clazz)
978 verify_exception(clazz)
979 verify_google(clazz)
980 verify_bitset(clazz)
981 verify_manager(clazz)
982 verify_boxed(clazz)
983 verify_static_utils(clazz)
984 verify_overload_args(clazz)
985 verify_callback_handlers(clazz)
986 verify_context_first(clazz)
987 verify_listener_last(clazz)
988 verify_resource_names(clazz)
989
990
991def examine_stream(stream):
992 """Find all style issues in the given API stream."""
993 global failures
994 failures = {}
995 _parse_stream(stream, examine_clazz)
996 return failures
997
998
999def examine_api(api):
1000 """Find all style issues in the given parsed API."""
1001 global failures
Jeff Sharkey1498f9c2014-09-04 12:45:33 -07001002 failures = {}
1003 for key in sorted(api.keys()):
Jeff Sharkeya18a2e32015-02-22 15:54:32 -08001004 examine_clazz(api[key])
Jeff Sharkey8190f4882014-08-28 12:24:07 -07001005 return failures
1006
1007
Jeff Sharkey037458a2014-09-04 15:46:20 -07001008def verify_compat(cur, prev):
1009 """Find any incompatible API changes between two levels."""
1010 global failures
1011
1012 def class_exists(api, test):
1013 return test.fullname in api
1014
1015 def ctor_exists(api, clazz, test):
1016 for m in clazz.ctors:
1017 if m.ident == test.ident: return True
1018 return False
1019
1020 def all_methods(api, clazz):
1021 methods = list(clazz.methods)
1022 if clazz.extends is not None:
1023 methods.extend(all_methods(api, api[clazz.extends]))
1024 return methods
1025
1026 def method_exists(api, clazz, test):
1027 methods = all_methods(api, clazz)
1028 for m in methods:
1029 if m.ident == test.ident: return True
1030 return False
1031
1032 def field_exists(api, clazz, test):
1033 for f in clazz.fields:
1034 if f.ident == test.ident: return True
1035 return False
1036
1037 failures = {}
1038 for key in sorted(prev.keys()):
1039 prev_clazz = prev[key]
1040
1041 if not class_exists(cur, prev_clazz):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -08001042 error(prev_clazz, None, None, "Class removed or incompatible change")
Jeff Sharkey037458a2014-09-04 15:46:20 -07001043 continue
1044
1045 cur_clazz = cur[key]
1046
1047 for test in prev_clazz.ctors:
1048 if not ctor_exists(cur, cur_clazz, test):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -08001049 error(prev_clazz, prev_ctor, None, "Constructor removed or incompatible change")
Jeff Sharkey037458a2014-09-04 15:46:20 -07001050
1051 methods = all_methods(prev, prev_clazz)
1052 for test in methods:
1053 if not method_exists(cur, cur_clazz, test):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -08001054 error(prev_clazz, test, None, "Method removed or incompatible change")
Jeff Sharkey037458a2014-09-04 15:46:20 -07001055
1056 for test in prev_clazz.fields:
1057 if not field_exists(cur, cur_clazz, test):
Jeff Sharkey9f64d5c62015-02-14 17:03:47 -08001058 error(prev_clazz, test, None, "Field removed or incompatible change")
Jeff Sharkey037458a2014-09-04 15:46:20 -07001059
1060 return failures
1061
1062
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -07001063if __name__ == "__main__":
Jeff Sharkeya18a2e32015-02-22 15:54:32 -08001064 with open(sys.argv[1]) as f:
1065 cur_fail = examine_stream(f)
Jeff Sharkey8190f4882014-08-28 12:24:07 -07001066
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -07001067 if len(sys.argv) > 2:
Jeff Sharkeya18a2e32015-02-22 15:54:32 -08001068 with open(sys.argv[2]) as f:
1069 prev_fail = examine_stream(f)
Jeff Sharkey8190f4882014-08-28 12:24:07 -07001070
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -07001071 # ignore errors from previous API level
1072 for p in prev_fail:
1073 if p in cur_fail:
1074 del cur_fail[p]
Jeff Sharkey8190f4882014-08-28 12:24:07 -07001075
Jeff Sharkeya18a2e32015-02-22 15:54:32 -08001076 """
1077 # NOTE: disabled because of memory pressure
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -07001078 # look for compatibility issues
1079 compat_fail = verify_compat(cur, prev)
Jeff Sharkey8190f4882014-08-28 12:24:07 -07001080
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -07001081 print "%s API compatibility issues %s\n" % ((format(fg=WHITE, bg=BLUE, bold=True), format(reset=True)))
1082 for f in sorted(compat_fail):
1083 print compat_fail[f]
1084 print
Jeff Sharkeya18a2e32015-02-22 15:54:32 -08001085 """
Jeff Sharkeyed6aaf02015-01-30 13:31:45 -07001086
1087 print "%s API style issues %s\n" % ((format(fg=WHITE, bg=BLUE, bold=True), format(reset=True)))
1088 for f in sorted(cur_fail):
1089 print cur_fail[f]
Jeff Sharkey037458a2014-09-04 15:46:20 -07001090 print