Skip to content

Commit

Permalink
Add drake/tools/formatter.py
Browse files Browse the repository at this point in the history
  • Loading branch information
jwnimmer-tri committed Mar 24, 2017
1 parent 6838969 commit eb82997
Show file tree
Hide file tree
Showing 6 changed files with 659 additions and 12 deletions.
38 changes: 38 additions & 0 deletions .clang-format
@@ -1,8 +1,46 @@
# -*- yaml -*-

# This file determines clang-format's style settings; for details, refer to
# http://clang.llvm.org/docs/ClangFormatStyleOptions.html

---
BasedOnStyle: Google
---
Language: Cpp

# Force pointers to the type for C++.
DerivePointerAlignment: false
PointerAlignment: Left

# Specify the #include statement order. This implements the order mandated by
# the Google C++ Style Guide: related header, C headers, C++ headers, library
# headers, and finally the project headers.
#
# To obtain updated lists of system headers used in the below expressions, see:
# http://stackoverflow.com/questions/2027991/list-of-standard-header-files-in-c-and-c/2029106#2029106.
IncludeCategories:
# Spacers used by drake/tools/formatter.py.
- Regex: '^<clang-format-priority-15>$'
Priority: 15
- Regex: '^<clang-format-priority-25>$'
Priority: 25
- Regex: '^<clang-format-priority-35>$'
Priority: 35
- Regex: '^<clang-format-priority-45>$'
Priority: 45
# C system headers.
- Regex: '^[<"](aio|arpa/inet|assert|complex|cpio|ctype|curses|dirent|dlfcn|errno|fcntl|fenv|float|fmtmsg|fnmatch|ftw|glob|grp|iconv|inttypes|iso646|langinfo|libgen|limits|locale|math|monetary|mqueue|ndbm|netdb|net/if|netinet/in|netinet/tcp|nl_types|poll|pthread|pwd|regex|sched|search|semaphore|setjmp|signal|spawn|stdalign|stdarg|stdatomic|stdbool|stddef|stdint|stdio|stdlib|stdnoreturn|string|strings|stropts|sys/ipc|syslog|sys/mman|sys/msg|sys/resource|sys/select|sys/sem|sys/shm|sys/socket|sys/stat|sys/statvfs|sys/time|sys/times|sys/types|sys/uio|sys/un|sys/utsname|sys/wait|tar|term|termios|tgmath|threads|time|trace|uchar|ulimit|uncntrl|unistd|utime|utmpx|wchar|wctype|wordexp)\.h[">]$'
Priority: 20
# C++ system headers (as of C++14).
- Regex: '^[<"](algorithm|array|atomic|bitset|cassert|ccomplex|cctype|cerrno|cfenv|cfloat|chrono|cinttypes|ciso646|climits|clocale|cmath|codecvt|complex|condition_variable|csetjmp|csignal|cstdalign|cstdarg|cstdbool|cstddef|cstdint|cstdio|cstdlib|cstring|ctgmath|ctime|cuchar|cwchar|cwctype|deque|exception|forward_list|fstream|functional|future|initializer_list|iomanip|ios|iosfwd|iostream|istream|iterator|limits|list|locale|map|memory|mutex|new|numeric|ostream|queue|random|ratio|regex|scoped_allocator|set|shared_mutex|sstream|stack|stdexcept|streambuf|string|strstream|system_error|thread|tuple|type_traits|typeindex|typeinfo|unordered_map|unordered_set|utility|valarray|vector)[">]$'
Priority: 30
# Other libraries' h files (with angles).
- Regex: '^<'
Priority: 40
# Your project's h files.
- Regex: '^"drake'
Priority: 50
# Other libraries' h files (with quotes).
- Regex: '^"'
Priority: 41
---
16 changes: 15 additions & 1 deletion drake/tools/BUILD
Expand Up @@ -17,6 +17,15 @@ py_binary(
deps = [
":named_vector",
],
data = [
"//tools:clang-format",
]
)

py_library(
name = "formatter",
srcs = ["formatter.py"],
data = ["//tools:clang-format"],
)

# === test/ ===
Expand Down Expand Up @@ -79,8 +88,13 @@ sh_test(
"test/gen/sample_translator.h",
"test/sample.named_vector",
":lcm_vector_gen",
"//:.clang-format",
],
)

py_test(
name = "formatter_test",
srcs = ["test/formatter_test.py"],
deps = [":formatter"],
)

cpplint(data = ["test/gen/drake/CPPLINT.cfg"])
297 changes: 297 additions & 0 deletions drake/tools/formatter.py
@@ -0,0 +1,297 @@
"""Classes to support C++ code formatting tools.
"""

import os
from subprocess import Popen, PIPE, CalledProcessError


class FormatterBase(object):
"""A base class for formatting-related tools, with the ability to load a
file, add / remove / modify lines, clang-format selected regions, and
compare the changes to the original file contents.
This class models a "working list" of the file during reformatting. Each
line in the file has an index (starting with index 0), and each line ends
with a newline (included, not implicit). Callers can modify the working
list, and run clang-format on (portions of) the working-list.
The is_same_as_original and is_permutation_of_original methods compare the
current working list to the original file contents. Other methods provide
access and modification by index.
The should_format predicate can be overridden in subclasses to change which
lines are subject to clang-format modifications.
"""

def __init__(self, filename, readlines=None):
"""Create a new FormatterBase. The required filename parameter refers
to the workspace-relative full path, e.g. drake/common/drake_assert.h.
The readlines parameter is optional and useful mostly for unit testing.
When readlines is present, readlines becomes the work list and the
filename is not opened. When readlines is absent, this constructor
reads the contents of the filename from disk into the work list (i.e.,
the default value of readlines is open(filename).readlines()).
"""
self._filename = filename
if readlines is None:
with open(filename, "r") as opened:
self._original_lines = opened.readlines()
else:
self._original_lines = list(readlines)
self._working_lines = list(self._original_lines)
self._check_rep()

def _check_rep(self):
assert self._filename
for line in self._original_lines:
assert line.endswith("\n"), line
for line in self._working_lines:
assert line.endswith("\n"), line

def is_same_as_original(self):
"""Return whether the working list is identical to the original file
contents read in by (or passed to) the constructor.
"""
return self._working_lines == self._original_lines

def is_permutation_of_original(self):
"""Return whether the working list is a permultation of the original
file lines read in by (or passed to) the constructor, modulo blank
lines.
"""
return (
set(self._working_lines + ["\n"]) ==
set(self._original_lines + ["\n"]))

def is_valid_index(self, index):
return 0 <= index and index < len(self._working_lines)

def is_blank_line(self, index):
return self.get_line(index).strip() == ""

def get_num_lines(self):
return len(self._working_lines)

def get_line(self, index):
assert self.is_valid_index(index)
return self._working_lines[index]

def get_all_lines(self):
return list(self._working_lines)

def set_line(self, index, line):
assert self.is_valid_index(index)
self._working_lines[index] = line
self._check_rep()

def set_all_lines(self, lines):
self._working_lines = list(lines)
self._check_rep()

def insert_lines(self, index, lines):
assert 0 <= index and index <= len(self._working_lines)
self._working_lines[index:0] = lines
self._check_rep()

def remove_all(self, indices):
if len(indices) == 0:
return
assert len(set(indices)) == len(indices)
rev_sorted_indices = sorted(indices, reverse=True)
assert self.is_valid_index(rev_sorted_indices[0])
assert self.is_valid_index(rev_sorted_indices[-1])
for index in rev_sorted_indices:
del self._working_lines[index]

def should_format(self, clang_format_on, index, line):
"""Subclasses can override to change what's going to be formatted.
True means the line should be formatted. The default is the same as
clang-format -- everything goes except "clang-format off" sections.
"""
return clang_format_on

def get_format_indices(self):
"""Return the sorted list of all indices that pass the
self.should_format predicate.
"""
result = []
clang_format_on = True
for index, line in enumerate(self._working_lines):
# Ignore lines between clang-format directive comments, and also
# ignore the lines with the directive comments themselves.
if '// clang-format off' in line:
clang_format_on = False
continue
if '/* clang-format off */' in line:
clang_format_on = False
continue
elif '// clang-format on' in line:
clang_format_on = True
continue
elif '/* clang-format on */' in line:
clang_format_on = True
continue
if self.should_format(clang_format_on, index, line):
result.append(index)
return result

def get_non_format_indices(self):
"""Return the complement of get_format_indices().
"""
all_indices = set(xrange(len(self._working_lines)))
return sorted(all_indices - set(self.get_format_indices()))

@staticmethod
def indices_to_ranges(indices):
"""Group a list of sorted indices into a sorted list of softed lists of
adjacent indices.
For example [1, 2, 5, 7, 8, 9] yields [[1, 2], [5], [7, 8, 9]].
"""
assert indices == sorted(indices)
result = []
for i in indices:
if len(result) and (result[-1][-1] == (i - 1)):
# Grow an existing range.
result[-1] = result[-1] + [i]
else:
# Start a new range.
result.append([i])
return result

def get_format_ranges(self):
return self.indices_to_ranges(self.get_format_indices())

def get_non_format_ranges(self):
return self.indices_to_ranges(self.get_non_format_indices())

def clang_format(self):
"""Reformat the working list using clang-format, passing -lines=...
groups for only the lines that pass the should_format() predicate.
"""
# Convert format_ranges to clang's one-based indexing.
lines_args = ["-lines=%d:%d" % (one_range[0] + 1, one_range[-1] + 1)
for one_range in self.get_format_ranges()]
if not lines_args:
return

# Run clang-format.
command = [
"clang-format",
"-style=file",
"-assume-filename=%s" % self._filename] + \
lines_args
formatter = Popen(command, stdin=PIPE, stdout=PIPE)
stdout, _ = formatter.communicate(input="".join(self._working_lines))

# Handle errors, otherwise reset the working list.
if formatter.returncode != 0:
raise CalledProcessError(formatter.returncode, command, stdout)
self.set_all_lines(stdout.splitlines(True))

def _pre_rewrite_file(self):
"""Subclasses may override to perform actions prior to rewrite_file."""
pass

def rewrite_file(self):
"""Overwrite the contents of the filename passed into the constructor
with the current working list.
"""
self._pre_rewrite_file()
temp_filename = self._filename + ".drake-formatter"
with open(temp_filename, "w") as opened:
for line in self._working_lines:
opened.write(line)
os.rename(temp_filename, self._filename)


class IncludeFormatter(FormatterBase):
"""A formatter tool that provides format_includes() helper to sort the
#include statements to match Google C++ Style Guide, as well as put a
blank line between each of the #include group sections.
"""

def __init__(self, filename, *args, **kwargs):
super(IncludeFormatter, self).__init__(filename, *args, **kwargs)
self._related_headers = []

# In most cases, clang-format has a built-in IncludeIsMainRegex that
# identifies the "related header" correctly, automatically. For an
# inl-h file, clang will not realize the .h is "related", so instead we
# manually compute that the related-header pathname here.
if filename.endswith('-inl.h'):
prior_to_ext = filename[:-len('-inl.h')]
self._related_headers.append('#include "%s.h"\n' % prior_to_ext)

def _pre_rewrite_file(self):
# Sanity check before writing out again.
if self.is_permutation_of_original():
return
message = ""
message += "%s: changes were not just a shuffle\n" % self._filename
message += "=" * 78 + "\n"
message += "".join(self._original_lines)
message += "=" * 78 + "\n"
message += "".join(self._working_lines)
message += "=" * 78 + "\n"
raise Exception(message)

def should_format(self, clang_format_on, index, line):
# We want all include statements, but until clang-format gets
# IncludeIsMainRegex support, we need omit the "related header"s.
return (
clang_format_on and
line.startswith("#include") and
'-inl.h"' not in line and
line not in self._related_headers)

def format_includes(self):
"""Reformat the #include statements in the working list (possibly also
changing around some nearby blank lines).
"""
# If there are not any includes to format, then we are done.
if not self.get_format_indices():
return

# Remove blank lines that are fully surrounded by include statements
# (or bracketed by include statements and start- or end-of-file). We
# will put back blank lines later, but in the meantime we need all of
# the includes bunched together so that clang-format will sort them.
# We want to preserve the comment line layouts near include statements,
# so here only _completely_ empty ranges are removed.
blank_indices_to_remove = []
for one_range in self.get_non_format_ranges():
if all([self.is_blank_line(index) for index in one_range]):
blank_indices_to_remove.extend(one_range)
self.remove_all(blank_indices_to_remove)

# Add priority spacers after every group of #include statements. We
# will turn these spacers into whitespace separators when we're done.
SPACERS = ["#include <clang-format-priority-%d>\n" % priority
for priority in [15, 25, 35, 45]]
for one_range in reversed(self.get_format_ranges()):
last_include_index = one_range[-1]
self.insert_lines(last_include_index + 1, SPACERS)

# Run the formatter over only the in-scope #include statements.
self.clang_format()

# Turn each run of spacers within an include block into a blank line.
# Remove any runs of spaces at the start or end.
include_indices = self.get_format_indices()
spacer_indices_to_remove = []
spacer_ranges = self.indices_to_ranges([
i for i in include_indices
if self.get_line(i) in SPACERS])
for one_range in spacer_ranges:
before_spacer = one_range[0] - 1
after_spacer = one_range[-1] + 1
if all([x in include_indices
for x in [before_spacer, after_spacer]]):
# Interior group of spacers. Replace with a blank line.
self.set_line(one_range[0], "\n")
one_range = one_range[1:]
spacer_indices_to_remove.extend(one_range)
self.remove_all(spacer_indices_to_remove)

0 comments on commit eb82997

Please sign in to comment.