2 # Copyright (c) 2012 The Chromium Authors. All rights reserved.
3 # Use of this source code is governed by a BSD-style license that can be
4 # found in the LICENSE file.
6 """Given a filename as an argument, sort the #include/#imports in that file.
8 Shows a diff and prompts for confirmation before doing the deed.
9 Works great with tools/git/for-all-touched-files.py.
18 """Prompts with a yes/no question, returns True if yes."""
21 # http://code.activestate.com/recipes/134892/
22 if sys
.platform
== 'win32':
28 fd
= sys
.stdin
.fileno()
29 old_settings
= termios
.tcgetattr(fd
)
32 tty
.setraw(sys
.stdin
.fileno())
33 ch
= sys
.stdin
.read(1)
35 termios
.tcsetattr(fd
, termios
.TCSADRAIN
, old_settings
)
37 return ch
in ('Y', 'y')
40 def IncludeCompareKey(line
):
41 """Sorting comparator key used for comparing two #include lines.
42 Returns the filename without the #include/#import/import prefix.
44 for prefix
in ('#include ', '#import ', 'import '):
45 if line
.startswith(prefix
):
46 line
= line
[len(prefix
):]
49 # The win32 api has all sorts of implicit include order dependencies :-/
50 # Give a few headers special sort keys that make sure they appear before all
52 if line
.startswith('<windows.h>'): # Must be before e.g. shellapi.h
54 if line
.startswith('<atlbase.h>'): # Must be before atlapp.h.
56 if line
.startswith('<ole2.h>'): # Must be before e.g. intshcut.h
58 if line
.startswith('<unknwn.h>'): # Must be before e.g. intshcut.h
61 # C++ system headers should come after C system headers.
62 if line
.startswith('<'):
63 if line
.find('.h>') != -1:
64 return '2' + line
.lower()
66 return '3' + line
.lower()
72 """Returns True if the line is an #include/#import/import line."""
73 return any([line
.startswith('#include '), line
.startswith('#import '),
74 line
.startswith('import ')])
77 def SortHeader(infile
, outfile
):
78 """Sorts the headers in infile, writing the sorted file to outfile."""
82 while IsInclude(line
):
83 infile_ended_on_include_line
= False
84 headerblock
.append(line
)
85 # Ensure we don't die due to trying to read beyond the end of the file.
89 infile_ended_on_include_line
= True
91 for header
in sorted(headerblock
, key
=IncludeCompareKey
):
93 if infile_ended_on_include_line
:
94 # We already wrote the last line above; exit to ensure it isn't written
97 # Intentionally fall through, to write the line that caused
98 # the above while loop to exit.
102 def FixFileWithConfirmFunction(filename
, confirm_function
,
103 perform_safety_checks
):
104 """Creates a fixed version of the file, invokes |confirm_function|
105 to decide whether to use the new file, and cleans up.
107 |confirm_function| takes two parameters, the original filename and
108 the fixed-up filename, and returns True to use the fixed-up file,
111 If |perform_safety_checks| is True, then the function checks whether it is
112 unsafe to reorder headers in this file and skips the reorder with a warning
113 message in that case.
115 if perform_safety_checks
and IsUnsafeToReorderHeaders(filename
):
116 print ('Not reordering headers in %s as the script thinks that the '
117 'order of headers in this file is semantically significant.'
120 fixfilename
= filename
+ '.new'
121 infile
= open(filename
, 'rb')
122 outfile
= open(fixfilename
, 'wb')
123 SortHeader(infile
, outfile
)
125 outfile
.close() # Important so the below diff gets the updated contents.
128 if confirm_function(filename
, fixfilename
):
129 if sys
.platform
== 'win32':
131 os
.rename(fixfilename
, filename
)
134 os
.remove(fixfilename
)
136 # If the file isn't there, we don't care.
140 def DiffAndConfirm(filename
, should_confirm
, perform_safety_checks
):
141 """Shows a diff of what the tool would change the file named
142 filename to. Shows a confirmation prompt if should_confirm is true.
143 Saves the resulting file if should_confirm is false or the user
144 answers Y to the confirmation prompt.
146 def ConfirmFunction(filename
, fixfilename
):
147 diff
= os
.system('diff -u %s %s' % (filename
, fixfilename
))
148 if sys
.platform
!= 'win32':
150 if diff
== 0: # Check exit code.
151 print '%s: no change' % filename
154 return (not should_confirm
or YesNo('Use new file (y/N)?'))
156 FixFileWithConfirmFunction(filename
, ConfirmFunction
, perform_safety_checks
)
158 def IsUnsafeToReorderHeaders(filename
):
159 # *_message_generator.cc is almost certainly a file that generates IPC
160 # definitions. Changes in include order in these files can result in them not
161 # building correctly.
162 if filename
.find("message_generator.cc") != -1:
167 parser
= optparse
.OptionParser(usage
='%prog filename1 filename2 ...')
168 parser
.add_option('-f', '--force', action
='store_false', default
=True,
169 dest
='should_confirm',
170 help='Turn off confirmation prompt.')
171 parser
.add_option('--no_safety_checks',
172 action
='store_false', default
=True,
173 dest
='perform_safety_checks',
174 help='Do not perform the safety checks via which this '
175 'script refuses to operate on files for which it thinks '
176 'the include ordering is semantically significant.')
177 opts
, filenames
= parser
.parse_args()
179 if len(filenames
) < 1:
183 for filename
in filenames
:
184 DiffAndConfirm(filename
, opts
.should_confirm
, opts
.perform_safety_checks
)
187 if __name__
== '__main__':