VirtualBox

source: vbox/trunk/src/VBox/Devices/EFI/Firmware/BaseTools/Scripts/PatchCheck.py@ 101489

Last change on this file since 101489 was 101291, checked in by vboxsync, 19 months ago

EFI/FirmwareNew: Make edk2-stable202308 build on all supported platforms (using gcc at least, msvc not tested yet), bugref:4643

  • Property svn:eol-style set to native
  • Property svn:executable set to *
File size: 26.6 KB
Line 
1## @file
2# Check a patch for various format issues
3#
4# Copyright (c) 2015 - 2021, Intel Corporation. All rights reserved.<BR>
5# Copyright (C) 2020, Red Hat, Inc.<BR>
6# Copyright (c) 2020, ARM Ltd. All rights reserved.<BR>
7#
8# SPDX-License-Identifier: BSD-2-Clause-Patent
9#
10
11from __future__ import print_function
12
13VersionNumber = '0.1'
14__copyright__ = "Copyright (c) 2015 - 2016, Intel Corporation All rights reserved."
15
16import email
17import argparse
18import os
19import re
20import subprocess
21import sys
22
23import email.header
24
25class Verbose:
26 SILENT, ONELINE, NORMAL = range(3)
27 level = NORMAL
28
29class EmailAddressCheck:
30 """Checks an email address."""
31
32 def __init__(self, email, description):
33 self.ok = True
34
35 if email is None:
36 self.error('Email address is missing!')
37 return
38 if description is None:
39 self.error('Email description is missing!')
40 return
41
42 self.description = "'" + description + "'"
43 self.check_email_address(email)
44
45 def error(self, *err):
46 if self.ok and Verbose.level > Verbose.ONELINE:
47 print('The ' + self.description + ' email address is not valid:')
48 self.ok = False
49 if Verbose.level < Verbose.NORMAL:
50 return
51 count = 0
52 for line in err:
53 prefix = (' *', ' ')[count > 0]
54 print(prefix, line)
55 count += 1
56
57 email_re1 = re.compile(r'(?:\s*)(.*?)(\s*)<(.+)>\s*$',
58 re.MULTILINE|re.IGNORECASE)
59
60 def check_email_address(self, email):
61 email = email.strip()
62 mo = self.email_re1.match(email)
63 if mo is None:
64 self.error("Email format is invalid: " + email.strip())
65 return
66
67 name = mo.group(1).strip()
68 if name == '':
69 self.error("Name is not provided with email address: " +
70 email)
71 else:
72 quoted = len(name) > 2 and name[0] == '"' and name[-1] == '"'
73 if name.find(',') >= 0 and not quoted:
74 self.error('Add quotes (") around name with a comma: ' +
75 name)
76
77 if mo.group(2) == '':
78 self.error("There should be a space between the name and " +
79 "email address: " + email)
80
81 if mo.group(3).find(' ') >= 0:
82 self.error("The email address cannot contain a space: " +
83 mo.group(3))
84
85 if ' via Groups.Io' in name and mo.group(3).endswith('@groups.io'):
86 self.error("Email rewritten by lists DMARC / DKIM / SPF: " +
87 email)
88
89class CommitMessageCheck:
90 """Checks the contents of a git commit message."""
91
92 def __init__(self, subject, message, author_email):
93 self.ok = True
94
95 if subject is None and message is None:
96 self.error('Commit message is missing!')
97 return
98
99 MergifyMerge = False
100 if "mergify[bot]@users.noreply.github.com" in author_email:
101 if "Merge branch" in subject:
102 MergifyMerge = True
103
104 self.subject = subject
105 self.msg = message
106
107 print (subject)
108
109 self.check_contributed_under()
110 if not MergifyMerge:
111 self.check_signed_off_by()
112 self.check_misc_signatures()
113 self.check_overall_format()
114 self.report_message_result()
115
116 url = 'https://github.com/tianocore/tianocore.github.io/wiki/Commit-Message-Format'
117
118 def report_message_result(self):
119 if Verbose.level < Verbose.NORMAL:
120 return
121 if self.ok:
122 # All checks passed
123 return_code = 0
124 print('The commit message format passed all checks.')
125 else:
126 return_code = 1
127 if not self.ok:
128 print(self.url)
129
130 def error(self, *err):
131 if self.ok and Verbose.level > Verbose.ONELINE:
132 print('The commit message format is not valid:')
133 self.ok = False
134 if Verbose.level < Verbose.NORMAL:
135 return
136 count = 0
137 for line in err:
138 prefix = (' *', ' ')[count > 0]
139 print(prefix, line)
140 count += 1
141
142 # Find 'contributed-under:' at the start of a line ignoring case and
143 # requires ':' to be present. Matches if there is white space before
144 # the tag or between the tag and the ':'.
145 contributed_under_re = \
146 re.compile(r'^\s*contributed-under\s*:', re.MULTILINE|re.IGNORECASE)
147
148 def check_contributed_under(self):
149 match = self.contributed_under_re.search(self.msg)
150 if match is not None:
151 self.error('Contributed-under! (Note: this must be ' +
152 'removed by the code contributor!)')
153
154 @staticmethod
155 def make_signature_re(sig, re_input=False):
156 if re_input:
157 sub_re = sig
158 else:
159 sub_re = sig.replace('-', r'[-\s]+')
160 re_str = (r'^(?P<tag>' + sub_re +
161 r')(\s*):(\s*)(?P<value>\S.*?)(?:\s*)$')
162 try:
163 return re.compile(re_str, re.MULTILINE|re.IGNORECASE)
164 except Exception:
165 print("Tried to compile re:", re_str)
166 raise
167
168 sig_block_re = \
169 re.compile(r'''^
170 (?: (?P<tag>[^:]+) \s* : \s*
171 (?P<value>\S.*?) )
172 |
173 (?: \[ (?P<updater>[^:]+) \s* : \s*
174 (?P<note>.+?) \s* \] )
175 \s* $''',
176 re.VERBOSE | re.MULTILINE)
177
178 def find_signatures(self, sig):
179 if not sig.endswith('-by') and sig != 'Cc':
180 sig += '-by'
181 regex = self.make_signature_re(sig)
182
183 sigs = regex.findall(self.msg)
184
185 bad_case_sigs = filter(lambda m: m[0] != sig, sigs)
186 for s in bad_case_sigs:
187 self.error("'" +s[0] + "' should be '" + sig + "'")
188
189 for s in sigs:
190 if s[1] != '':
191 self.error('There should be no spaces between ' + sig +
192 " and the ':'")
193 if s[2] != ' ':
194 self.error("There should be a space after '" + sig + ":'")
195
196 EmailAddressCheck(s[3], sig)
197
198 return sigs
199
200 def check_signed_off_by(self):
201 sob='Signed-off-by'
202 if self.msg.find(sob) < 0:
203 self.error('Missing Signed-off-by! (Note: this must be ' +
204 'added by the code contributor!)')
205 return
206
207 sobs = self.find_signatures('Signed-off')
208
209 if len(sobs) == 0:
210 self.error('Invalid Signed-off-by format!')
211 return
212
213 sig_types = (
214 'Reviewed',
215 'Reported',
216 'Tested',
217 'Suggested',
218 'Acked',
219 'Cc'
220 )
221
222 def check_misc_signatures(self):
223 for sig in self.sig_types:
224 self.find_signatures(sig)
225
226 cve_re = re.compile('CVE-[0-9]{4}-[0-9]{5}[^0-9]')
227
228 def check_overall_format(self):
229 lines = self.msg.splitlines()
230
231 if len(lines) >= 1 and lines[0].endswith('\r\n'):
232 empty_line = '\r\n'
233 else:
234 empty_line = '\n'
235
236 lines.insert(0, empty_line)
237 lines.insert(0, self.subject + empty_line)
238
239 count = len(lines)
240
241 if count <= 0:
242 self.error('Empty commit message!')
243 return
244
245 if count >= 1 and re.search(self.cve_re, lines[0]):
246 #
247 # If CVE-xxxx-xxxxx is present in subject line, then limit length of
248 # subject line to 92 characters
249 #
250 if len(lines[0].rstrip()) >= 93:
251 self.error(
252 'First line of commit message (subject line) is too long (%d >= 93).' %
253 (len(lines[0].rstrip()))
254 )
255 else:
256 #
257 # If CVE-xxxx-xxxxx is not present in subject line, then limit
258 # length of subject line to 75 characters
259 #
260 if len(lines[0].rstrip()) >= 76:
261 self.error(
262 'First line of commit message (subject line) is too long (%d >= 76).' %
263 (len(lines[0].rstrip()))
264 )
265
266 if count >= 1 and len(lines[0].strip()) == 0:
267 self.error('First line of commit message (subject line) ' +
268 'is empty.')
269
270 if count >= 2 and lines[1].strip() != '':
271 self.error('Second line of commit message should be ' +
272 'empty.')
273
274 for i in range(2, count):
275 if (len(lines[i]) >= 76 and
276 len(lines[i].split()) > 1 and
277 not lines[i].startswith('git-svn-id:') and
278 not lines[i].startswith('Reviewed-by') and
279 not lines[i].startswith('Acked-by:') and
280 not lines[i].startswith('Tested-by:') and
281 not lines[i].startswith('Reported-by:') and
282 not lines[i].startswith('Suggested-by:') and
283 not lines[i].startswith('Signed-off-by:') and
284 not lines[i].startswith('Cc:')):
285 #
286 # Print a warning if body line is longer than 75 characters
287 #
288 print(
289 'WARNING - Line %d of commit message is too long (%d >= 76).' %
290 (i + 1, len(lines[i]))
291 )
292 print(lines[i])
293
294 last_sig_line = None
295 for i in range(count - 1, 0, -1):
296 line = lines[i]
297 mo = self.sig_block_re.match(line)
298 if mo is None:
299 if line.strip() == '':
300 break
301 elif last_sig_line is not None:
302 err2 = 'Add empty line before "%s"?' % last_sig_line
303 self.error('The line before the signature block ' +
304 'should be empty', err2)
305 else:
306 self.error('The signature block was not found')
307 break
308 last_sig_line = line.strip()
309
310(START, PRE_PATCH, PATCH) = range(3)
311
312class GitDiffCheck:
313 """Checks the contents of a git diff."""
314
315 def __init__(self, diff):
316 self.ok = True
317 self.format_ok = True
318 self.lines = diff.splitlines(True)
319 self.count = len(self.lines)
320 self.line_num = 0
321 self.state = START
322 self.new_bin = []
323 while self.line_num < self.count and self.format_ok:
324 line_num = self.line_num
325 self.run()
326 assert(self.line_num > line_num)
327 self.report_message_result()
328
329 def report_message_result(self):
330 if Verbose.level < Verbose.NORMAL:
331 return
332 if self.ok:
333 print('The code passed all checks.')
334 if self.new_bin:
335 print('\nWARNING - The following binary files will be added ' +
336 'into the repository:')
337 for binary in self.new_bin:
338 print(' ' + binary)
339
340 def run(self):
341 line = self.lines[self.line_num]
342
343 if self.state in (PRE_PATCH, PATCH):
344 if line.startswith('diff --git'):
345 self.state = START
346 if self.state == PATCH:
347 if line.startswith('@@ '):
348 self.state = PRE_PATCH
349 elif len(line) >= 1 and line[0] not in ' -+' and \
350 not line.startswith('\r\n') and \
351 not line.startswith(r'\ No newline ') and not self.binary:
352 for line in self.lines[self.line_num + 1:]:
353 if line.startswith('diff --git'):
354 self.format_error('diff found after end of patch')
355 break
356 self.line_num = self.count
357 return
358
359 if self.state == START:
360 if line.startswith('diff --git'):
361 self.state = PRE_PATCH
362 self.filename = line[13:].split(' ', 1)[0]
363 self.is_newfile = False
364 self.force_crlf = True
365 self.force_notabs = True
366 if self.filename.endswith('.sh') or \
367 self.filename.startswith('BaseTools/BinWrappers/PosixLike/') or \
368 self.filename.startswith('BaseTools/BinPipWrappers/PosixLike/') or \
369 self.filename == 'BaseTools/BuildEnv':
370 #
371 # Do not enforce CR/LF line endings for linux shell scripts.
372 # Some linux shell scripts don't end with the ".sh" extension,
373 # they are identified by their path.
374 #
375 self.force_crlf = False
376 if self.filename == '.gitmodules' or \
377 self.filename == 'BaseTools/Conf/diff.order':
378 #
379 # .gitmodules and diff orderfiles are used internally by git
380 # use tabs and LF line endings. Do not enforce no tabs and
381 # do not enforce CR/LF line endings.
382 #
383 self.force_crlf = False
384 self.force_notabs = False
385 if os.path.basename(self.filename) == 'GNUmakefile' or \
386 os.path.basename(self.filename).lower() == 'makefile' or \
387 os.path.splitext(self.filename)[1] == '.makefile' or \
388 self.filename.startswith(
389 'BaseTools/Source/C/VfrCompile/Pccts/'):
390 self.force_notabs = False
391 elif len(line.rstrip()) != 0:
392 self.format_error("didn't find diff command")
393 self.line_num += 1
394 elif self.state == PRE_PATCH:
395 if line.startswith('@@ '):
396 self.state = PATCH
397 self.binary = False
398 elif line.startswith('GIT binary patch') or \
399 line.startswith('Binary files'):
400 self.state = PATCH
401 self.binary = True
402 if self.is_newfile:
403 self.new_bin.append(self.filename)
404 elif line.startswith('new file mode 160000'):
405 #
406 # New submodule. Do not enforce CR/LF line endings
407 #
408 self.force_crlf = False
409 else:
410 ok = False
411 self.is_newfile = self.newfile_prefix_re.match(line)
412 for pfx in self.pre_patch_prefixes:
413 if line.startswith(pfx):
414 ok = True
415 if not ok:
416 self.format_error("didn't find diff hunk marker (@@)")
417 self.line_num += 1
418 elif self.state == PATCH:
419 if self.binary:
420 pass
421 elif line.startswith('-'):
422 pass
423 elif line.startswith('+'):
424 self.check_added_line(line[1:])
425 elif line.startswith('\r\n'):
426 pass
427 elif line.startswith(r'\ No newline '):
428 pass
429 elif not line.startswith(' '):
430 self.format_error("unexpected patch line")
431 self.line_num += 1
432
433 pre_patch_prefixes = (
434 '--- ',
435 '+++ ',
436 'index ',
437 'new file ',
438 'deleted file ',
439 'old mode ',
440 'new mode ',
441 'similarity index ',
442 'copy from ',
443 'copy to ',
444 'rename ',
445 )
446
447 line_endings = ('\r\n', '\n\r', '\n', '\r')
448
449 newfile_prefix_re = \
450 re.compile(r'''^
451 index\ 0+\.\.
452 ''',
453 re.VERBOSE)
454
455 def added_line_error(self, msg, line):
456 lines = [ msg ]
457 if self.filename is not None:
458 lines.append('File: ' + self.filename)
459 lines.append('Line: ' + line)
460
461 self.error(*lines)
462
463 old_debug_re = \
464 re.compile(r'''
465 DEBUG \s* \( \s* \( \s*
466 (?: DEBUG_[A-Z_]+ \s* \| \s*)*
467 EFI_D_ ([A-Z_]+)
468 ''',
469 re.VERBOSE)
470
471 def check_added_line(self, line):
472 eol = ''
473 for an_eol in self.line_endings:
474 if line.endswith(an_eol):
475 eol = an_eol
476 line = line[:-len(eol)]
477
478 stripped = line.rstrip()
479
480 if self.force_crlf and eol != '\r\n' and (line.find('Subproject commit') == -1):
481 self.added_line_error('Line ending (%s) is not CRLF' % repr(eol),
482 line)
483 if self.force_notabs and '\t' in line:
484 self.added_line_error('Tab character used', line)
485 if len(stripped) < len(line):
486 self.added_line_error('Trailing whitespace found', line)
487
488 mo = self.old_debug_re.search(line)
489 if mo is not None:
490 self.added_line_error('EFI_D_' + mo.group(1) + ' was used, '
491 'but DEBUG_' + mo.group(1) +
492 ' is now recommended', line)
493
494 rp_file = os.path.realpath(self.filename)
495 rp_script = os.path.realpath(__file__)
496 if line.find('__FUNCTION__') != -1 and rp_file != rp_script:
497 self.added_line_error('__FUNCTION__ was used, but __func__ '
498 'is now recommended', line)
499
500 split_diff_re = re.compile(r'''
501 (?P<cmd>
502 ^ diff \s+ --git \s+ a/.+ \s+ b/.+ $
503 )
504 (?P<index>
505 ^ index \s+ .+ $
506 )
507 ''',
508 re.IGNORECASE | re.VERBOSE | re.MULTILINE)
509
510 def format_error(self, err):
511 self.format_ok = False
512 err = 'Patch format error: ' + err
513 err2 = 'Line: ' + self.lines[self.line_num].rstrip()
514 self.error(err, err2)
515
516 def error(self, *err):
517 if self.ok and Verbose.level > Verbose.ONELINE:
518 print('Code format is not valid:')
519 self.ok = False
520 if Verbose.level < Verbose.NORMAL:
521 return
522 count = 0
523 for line in err:
524 prefix = (' *', ' ')[count > 0]
525 print(prefix, line)
526 count += 1
527
528class CheckOnePatch:
529 """Checks the contents of a git email formatted patch.
530
531 Various checks are performed on both the commit message and the
532 patch content.
533 """
534
535 def __init__(self, name, patch):
536 self.patch = patch
537 self.find_patch_pieces()
538
539 email_check = EmailAddressCheck(self.author_email, 'Author')
540 email_ok = email_check.ok
541
542 msg_check = CommitMessageCheck(self.commit_subject, self.commit_msg, self.author_email)
543 msg_ok = msg_check.ok
544
545 diff_ok = True
546 if self.diff is not None:
547 diff_check = GitDiffCheck(self.diff)
548 diff_ok = diff_check.ok
549
550 self.ok = email_ok and msg_ok and diff_ok
551
552 if Verbose.level == Verbose.ONELINE:
553 if self.ok:
554 result = 'ok'
555 else:
556 result = list()
557 if not msg_ok:
558 result.append('commit message')
559 if not diff_ok:
560 result.append('diff content')
561 result = 'bad ' + ' and '.join(result)
562 print(name, result)
563
564
565 git_diff_re = re.compile(r'''
566 ^ diff \s+ --git \s+ a/.+ \s+ b/.+ $
567 ''',
568 re.IGNORECASE | re.VERBOSE | re.MULTILINE)
569
570 stat_re = \
571 re.compile(r'''
572 (?P<commit_message> [\s\S\r\n]* )
573 (?P<stat>
574 ^ --- $ [\r\n]+
575 (?: ^ \s+ .+ \s+ \| \s+ \d+ \s+ \+* \-*
576 $ [\r\n]+ )+
577 [\s\S\r\n]+
578 )
579 ''',
580 re.IGNORECASE | re.VERBOSE | re.MULTILINE)
581
582 subject_prefix_re = \
583 re.compile(r'''^
584 \s* (\[
585 [^\[\]]* # Allow all non-brackets
586 \])* \s*
587 ''',
588 re.VERBOSE)
589
590 def find_patch_pieces(self):
591 if sys.version_info < (3, 0):
592 patch = self.patch.encode('ascii', 'ignore')
593 else:
594 patch = self.patch
595
596 self.commit_msg = None
597 self.stat = None
598 self.commit_subject = None
599 self.commit_prefix = None
600 self.diff = None
601
602 if patch.startswith('diff --git'):
603 self.diff = patch
604 return
605
606 pmail = email.message_from_string(patch)
607 parts = list(pmail.walk())
608 assert(len(parts) == 1)
609 assert(parts[0].get_content_type() == 'text/plain')
610 content = parts[0].get_payload(decode=True).decode('utf-8', 'ignore')
611
612 mo = self.git_diff_re.search(content)
613 if mo is not None:
614 self.diff = content[mo.start():]
615 content = content[:mo.start()]
616
617 mo = self.stat_re.search(content)
618 if mo is None:
619 self.commit_msg = content
620 else:
621 self.stat = mo.group('stat')
622 self.commit_msg = mo.group('commit_message')
623 #
624 # Parse subject line from email header. The subject line may be
625 # composed of multiple parts with different encodings. Decode and
626 # combine all the parts to produce a single string with the contents of
627 # the decoded subject line.
628 #
629 parts = email.header.decode_header(pmail.get('subject'))
630 subject = ''
631 for (part, encoding) in parts:
632 if encoding:
633 part = part.decode(encoding)
634 else:
635 try:
636 part = part.decode()
637 except:
638 pass
639 subject = subject + part
640
641 self.commit_subject = subject.replace('\r\n', '')
642 self.commit_subject = self.commit_subject.replace('\n', '')
643 self.commit_subject = self.subject_prefix_re.sub('', self.commit_subject, 1)
644
645 self.author_email = pmail['from']
646
647class CheckGitCommits:
648 """Reads patches from git based on the specified git revision range.
649
650 The patches are read from git, and then checked.
651 """
652
653 def __init__(self, rev_spec, max_count):
654 commits = self.read_commit_list_from_git(rev_spec, max_count)
655 if len(commits) == 1 and Verbose.level > Verbose.ONELINE:
656 commits = [ rev_spec ]
657 self.ok = True
658 blank_line = False
659 for commit in commits:
660 if Verbose.level > Verbose.ONELINE:
661 if blank_line:
662 print()
663 else:
664 blank_line = True
665 print('Checking git commit:', commit)
666 email = self.read_committer_email_address_from_git(commit)
667 self.ok &= EmailAddressCheck(email, 'Committer').ok
668 patch = self.read_patch_from_git(commit)
669 self.ok &= CheckOnePatch(commit, patch).ok
670 if not commits:
671 print("Couldn't find commit matching: '{}'".format(rev_spec))
672
673 def read_commit_list_from_git(self, rev_spec, max_count):
674 # Run git to get the commit patch
675 cmd = [ 'rev-list', '--abbrev-commit', '--no-walk' ]
676 if max_count is not None:
677 cmd.append('--max-count=' + str(max_count))
678 cmd.append(rev_spec)
679 out = self.run_git(*cmd)
680 return out.split() if out else []
681
682 def read_patch_from_git(self, commit):
683 # Run git to get the commit patch
684 return self.run_git('show', '--pretty=email', '--no-textconv',
685 '--no-use-mailmap', commit)
686
687 def read_committer_email_address_from_git(self, commit):
688 # Run git to get the committer email
689 return self.run_git('show', '--pretty=%cn <%ce>', '--no-patch',
690 '--no-use-mailmap', commit)
691
692 def run_git(self, *args):
693 cmd = [ 'git' ]
694 cmd += args
695 p = subprocess.Popen(cmd,
696 stdout=subprocess.PIPE,
697 stderr=subprocess.STDOUT)
698 Result = p.communicate()
699 return Result[0].decode('utf-8', 'ignore') if Result[0] and Result[0].find(b"fatal")!=0 else None
700
701class CheckOnePatchFile:
702 """Performs a patch check for a single file.
703
704 stdin is used when the filename is '-'.
705 """
706
707 def __init__(self, patch_filename):
708 if patch_filename == '-':
709 patch = sys.stdin.read()
710 patch_filename = 'stdin'
711 else:
712 f = open(patch_filename, 'rb')
713 patch = f.read().decode('utf-8', 'ignore')
714 f.close()
715 if Verbose.level > Verbose.ONELINE:
716 print('Checking patch file:', patch_filename)
717 self.ok = CheckOnePatch(patch_filename, patch).ok
718
719class CheckOneArg:
720 """Performs a patch check for a single command line argument.
721
722 The argument will be handed off to a file or git-commit based
723 checker.
724 """
725
726 def __init__(self, param, max_count=None):
727 self.ok = True
728 if param == '-' or os.path.exists(param):
729 checker = CheckOnePatchFile(param)
730 else:
731 checker = CheckGitCommits(param, max_count)
732 self.ok = checker.ok
733
734class PatchCheckApp:
735 """Checks patches based on the command line arguments."""
736
737 def __init__(self):
738 self.parse_options()
739 patches = self.args.patches
740
741 if len(patches) == 0:
742 patches = [ 'HEAD' ]
743
744 self.ok = True
745 self.count = None
746 for patch in patches:
747 self.process_one_arg(patch)
748
749 if self.count is not None:
750 self.process_one_arg('HEAD')
751
752 if self.ok:
753 self.retval = 0
754 else:
755 self.retval = -1
756
757 def process_one_arg(self, arg):
758 if len(arg) >= 2 and arg[0] == '-':
759 try:
760 self.count = int(arg[1:])
761 return
762 except ValueError:
763 pass
764 self.ok &= CheckOneArg(arg, self.count).ok
765 self.count = None
766
767 def parse_options(self):
768 parser = argparse.ArgumentParser(description=__copyright__)
769 parser.add_argument('--version', action='version',
770 version='%(prog)s ' + VersionNumber)
771 parser.add_argument('patches', nargs='*',
772 help='[patch file | git rev list]')
773 group = parser.add_mutually_exclusive_group()
774 group.add_argument("--oneline",
775 action="store_true",
776 help="Print one result per line")
777 group.add_argument("--silent",
778 action="store_true",
779 help="Print nothing")
780 self.args = parser.parse_args()
781 if self.args.oneline:
782 Verbose.level = Verbose.ONELINE
783 if self.args.silent:
784 Verbose.level = Verbose.SILENT
785
786if __name__ == "__main__":
787 sys.exit(PatchCheckApp().retval)
Note: See TracBrowser for help on using the repository browser.

© 2025 Oracle Support Privacy / Do Not Sell My Info Terms of Use Trademark Policy Automated Access Etiquette