]> git.lizzy.rs Git - rust.git/blobdiff - util/update_lints.py
Merge #3353
[rust.git] / util / update_lints.py
index 8078b68367b2cc1bac0e3207bdacd0f6e3d00672..221069d353cb3093063b1b0eefc60b46435475e4 100755 (executable)
@@ -1,4 +1,16 @@
 #!/usr/bin/env python
+
+# Copyright 2014-2018 The Rust Project Developers. See the COPYRIGHT
+# file at the top-level directory of this distribution and at
+# http://rust-lang.org/COPYRIGHT.
+#
+# Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
+# http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
+# <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
+# option. This file may not be copied, modified, or distributed
+# except according to those terms.
+
+
 # Generate a Markdown table of all lints, and put it in README.md.
 # With -n option, only print the new table to stdout.
 # With -c option, print a warning and set exit status to 1 if a file would be
@@ -7,13 +19,7 @@
 import os
 import re
 import sys
-
-declare_lint_re = re.compile(r'''
-    declare_lint! \s* [{(] \s*
-    pub \s+ (?P<name>[A-Z_][A-Z_0-9]*) \s*,\s*
-    (?P<level>Forbid|Deny|Warn|Allow) \s*,\s*
-    " (?P<desc>(?:[^"\\]+|\\.)*) " \s* [})]
-''', re.VERBOSE | re.DOTALL)
+from subprocess import call
 
 declare_deprecated_lint_re = re.compile(r'''
     declare_deprecated_lint! \s* [{(] \s*
@@ -21,31 +27,25 @@ declare_deprecated_lint_re = re.compile(r'''
     " (?P<desc>(?:[^"\\]+|\\.)*) " \s* [})]
 ''', re.VERBOSE | re.DOTALL)
 
-declare_restriction_lint_re = re.compile(r'''
-    declare_restriction_lint! \s* [{(] \s*
+declare_clippy_lint_re = re.compile(r'''
+    declare_clippy_lint! \s* [{(] \s*
     pub \s+ (?P<name>[A-Z_][A-Z_0-9]*) \s*,\s*
+    (?P<cat>[a-z_]+) \s*,\s*
     " (?P<desc>(?:[^"\\]+|\\.)*) " \s* [})]
 ''', re.VERBOSE | re.DOTALL)
 
 nl_escape_re = re.compile(r'\\\n\s*')
 
-wiki_link = 'https://github.com/Manishearth/rust-clippy/wiki'
+docs_link = 'https://rust-lang-nursery.github.io/rust-clippy/master/index.html'
 
 
-def collect(lints, deprecated_lints, restriction_lints, fn):
+def collect(deprecated_lints, clippy_lints, fn):
     """Collect all lints from a file.
 
     Adds entries to the lints list as `(module, name, level, desc)`.
     """
     with open(fn) as fp:
         code = fp.read()
-    for match in declare_lint_re.finditer(code):
-        # remove \-newline escapes from description string
-        desc = nl_escape_re.sub('', match.group('desc'))
-        lints.append((os.path.splitext(os.path.basename(fn))[0],
-                      match.group('name').lower(),
-                      match.group('level').lower(),
-                      desc.replace('\\"', '"')))
 
     for match in declare_deprecated_lint_re.finditer(code):
         # remove \-newline escapes from description string
@@ -54,35 +54,23 @@ def collect(lints, deprecated_lints, restriction_lints, fn):
                                 match.group('name').lower(),
                                 desc.replace('\\"', '"')))
 
-    for match in declare_restriction_lint_re.finditer(code):
+    for match in declare_clippy_lint_re.finditer(code):
         # remove \-newline escapes from description string
         desc = nl_escape_re.sub('', match.group('desc'))
-        restriction_lints.append((os.path.splitext(os.path.basename(fn))[0],
-                                match.group('name').lower(),
-                                "allow",
-                                desc.replace('\\"', '"')))
-
-
-def gen_table(lints, link=None):
-    """Write lint table in Markdown format."""
-    if link:
-        lints = [(p, '[%s](%s#%s)' % (l, link, l), lvl, d)
-                 for (p, l, lvl, d) in lints]
-    # first and third column widths
-    w_name = max(len(l[1]) for l in lints)
-    w_desc = max(len(l[3]) for l in lints)
-    # header and underline
-    yield '%-*s | default | meaning\n' % (w_name, 'name')
-    yield '%s-|-%s-|-%s\n' % ('-' * w_name, '-' * 7, '-' * w_desc)
-    # one table row per lint
-    for (_, name, default, meaning) in sorted(lints, key=lambda l: l[1]):
-        yield '%-*s | %-7s | %s\n' % (w_name, name, default, meaning)
-
-
-def gen_group(lints, levels=None):
+        cat = match.group('cat')
+        if cat in ('internal', 'internal_warn'):
+            continue
+        module_name = os.path.splitext(os.path.basename(fn))[0]
+        if module_name == 'mod':
+            module_name = os.path.basename(os.path.dirname(fn))
+        clippy_lints[cat].append((module_name,
+                                  match.group('name').lower(),
+                                  "allow",
+                                  desc.replace('\\"', '"')))
+
+
+def gen_group(lints):
     """Write lint group (list of all lints in the form module::NAME)."""
-    if levels:
-        lints = [tup for tup in lints if tup[2] in levels]
     for (module, name, _, _) in sorted(lints):
         yield '        %s::%s,\n' % (module, name.upper())
 
@@ -98,7 +86,11 @@ def gen_deprecated(lints):
     """Declare deprecated lints"""
 
     for lint in lints:
-        yield '    store.register_removed("%s", "%s");\n' % (lint[1], lint[2])
+        yield '    store.register_removed(\n'
+        yield '        "%s",\n' % lint[1]
+        yield '        "%s",\n' % lint[2]
+        yield '    );\n'
+
 
 def replace_region(fn, region_start, region_end, callback,
                    replace_start=True, write_back=True):
@@ -112,6 +104,8 @@ def replace_region(fn, region_start, region_end, callback,
     with open(fn) as fp:
         lines = list(fp)
 
+    found = False
+
     # replace old region with new region
     new_lines = []
     in_old_region = False
@@ -126,9 +120,13 @@ def replace_region(fn, region_start, region_end, callback,
                 new_lines.append(line)
             # old region starts here
             in_old_region = True
+            found = True
         else:
             new_lines.append(line)
 
+    if not found:
+        print("regex " + region_start + " not found")
+
     # write back to file
     if write_back:
         with open(fn, 'w') as fp:
@@ -139,9 +137,17 @@ def replace_region(fn, region_start, region_end, callback,
 
 
 def main(print_only=False, check=False):
-    lints = []
     deprecated_lints = []
-    restriction_lints = []
+    clippy_lints = {
+        "correctness": [],
+        "style": [],
+        "complexity": [],
+        "perf": [],
+        "restriction": [],
+        "pedantic": [],
+        "cargo": [],
+        "nursery": [],
+    }
 
     # check directory
     if not os.path.isfile('clippy_lints/src/lib.rs'):
@@ -149,69 +155,95 @@ def main(print_only=False, check=False):
         return
 
     # collect all lints from source files
-    for root, _, files in os.walk('clippy_lints/src'):
+    for root, dirs, files in os.walk('clippy_lints/src'):
         for fn in files:
             if fn.endswith('.rs'):
-                collect(lints, deprecated_lints, restriction_lints,
+                collect(deprecated_lints, clippy_lints,
                         os.path.join(root, fn))
 
+    # determine version
+    with open('Cargo.toml') as fp:
+        for line in fp:
+            if line.startswith('version ='):
+                clippy_version = line.split()[2].strip('"')
+                break
+        else:
+            print('Error: version not found in Cargo.toml!')
+            return
+
+    all_lints = []
+    clippy_lint_groups = [
+        "correctness",
+        "style",
+        "complexity",
+        "perf",
+    ]
+    clippy_lint_list = []
+    for x in clippy_lint_groups:
+        clippy_lint_list += clippy_lints[x]
+    for _, value in clippy_lints.iteritems():
+        all_lints += value
+
     if print_only:
-        sys.stdout.writelines(gen_table(lints + restriction_lints))
+        call(["./util/dev", "update_lints", "--print-only"])
         return
 
-    # replace table in README.md
+    # update the lint counter in README.md
     changed = replace_region(
-        'README.md', r'^name +\|', '^$',
-        lambda: gen_table(lints + restriction_lints, link=wiki_link),
-        write_back=not check)
-
-    changed |= replace_region(
         'README.md',
-        r'^There are \d+ lints included in this crate:', "",
-        lambda: ['There are %d lints included in this crate:\n' % (len(lints)
-            + len(restriction_lints))],
+        r'^\[There are \d+ lints included in this crate!\]\(https://rust-lang-nursery.github.io/rust-clippy/master/index.html\)$', "",
+        lambda: ['[There are %d lints included in this crate!](https://rust-lang-nursery.github.io/rust-clippy/master/index.html)\n' %
+                 (len(all_lints))],
         write_back=not check)
 
     # update the links in the CHANGELOG
     changed |= replace_region(
         'CHANGELOG.md',
-        "<!-- begin autogenerated links to wiki -->",
-        "<!-- end autogenerated links to wiki -->",
-        lambda: ["[`{0}`]: {1}#{0}\n".format(l[1], wiki_link) for l in
-                 sorted(lints + restriction_lints + deprecated_lints,
+        "<!-- begin autogenerated links to lint list -->",
+        "<!-- end autogenerated links to lint list -->",
+        lambda: ["[`{0}`]: {1}#{0}\n".format(l[1], docs_link) for l in
+                 sorted(all_lints + deprecated_lints,
                         key=lambda l: l[1])],
         replace_start=False, write_back=not check)
 
-    # update the `pub mod` list
+    # update version of clippy_lints in Cargo.toml
     changed |= replace_region(
-        'clippy_lints/src/lib.rs', r'begin lints modules', r'end lints modules',
-        lambda: gen_mods(lints + restriction_lints),
+        'Cargo.toml', r'# begin automatic update', '# end automatic update',
+        lambda: ['clippy_lints = { version = "%s", path = "clippy_lints" }\n' %
+                 clippy_version],
         replace_start=False, write_back=not check)
 
-    # same for "clippy" lint collection
+    # update version of clippy_lints in Cargo.toml
     changed |= replace_region(
-        'clippy_lints/src/lib.rs', r'reg.register_lint_group\("clippy"', r'\]\);',
-        lambda: gen_group(lints, levels=('warn', 'deny')),
+        'clippy_lints/Cargo.toml', r'# begin automatic update', '# end automatic update',
+        lambda: ['version = "%s"\n' % clippy_version],
         replace_start=False, write_back=not check)
 
-    # same for "deprecated" lint collection
+    # update the `pub mod` list
     changed |= replace_region(
-            'clippy_lints/src/lib.rs', r'let mut store', r'end deprecated lints',
-            lambda: gen_deprecated(deprecated_lints),
-            replace_start=False,
-            write_back=not check)
+        'clippy_lints/src/lib.rs', r'begin lints modules', r'end lints modules',
+        lambda: gen_mods(all_lints),
+        replace_start=False, write_back=not check)
 
-    # same for "clippy_pedantic" lint collection
+    # same for "clippy::*" lint collections
     changed |= replace_region(
-        'clippy_lints/src/lib.rs', r'reg.register_lint_group\("clippy_pedantic"', r'\]\);',
-        lambda: gen_group(lints, levels=('allow',)),
+        'clippy_lints/src/lib.rs', r'reg.register_lint_group\("clippy::all"', r'\]\);',
+        lambda: gen_group(clippy_lint_list),
         replace_start=False, write_back=not check)
 
-    # same for "clippy_restrictions" lint collection
+    for key, value in clippy_lints.iteritems():
+        # same for "clippy::*" lint collections
+        changed |= replace_region(
+            'clippy_lints/src/lib.rs', r'reg.register_lint_group\("clippy::' + key + r'"', r'\]\);',
+            lambda: gen_group(value),
+            replace_start=False, write_back=not check)
+
+    # same for "deprecated" lint collection
     changed |= replace_region(
-        'clippy_lints/src/lib.rs', r'reg.register_lint_group\("clippy_restrictions"',
-        r'\]\);', lambda: gen_group(restriction_lints),
-        replace_start=False, write_back=not check)
+        'clippy_lints/src/lib.rs', r'begin deprecated lints', r'end deprecated lints',
+        lambda: gen_deprecated(deprecated_lints),
+        replace_start=False,
+        write_back=not check)
 
     if check and changed:
         print('Please run util/update_lints.py to regenerate lints lists.')