setup.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311
  1. """A setuptools based setup module.
  2. """
  3. from __future__ import print_function
  4. import os
  5. import fnmatch
  6. import re
  7. import sys
  8. import subprocess
  9. import yaml
  10. # Always prefer setuptools over distutils
  11. from setuptools import setup, Command
  12. from setuptools_lint.setuptools_command import PylintCommand
  13. from six import string_types
  14. from six.moves import reload_module
  15. from yamllint.config import YamlLintConfig
  16. from yamllint.cli import Format
  17. from yamllint import linter
  18. def find_files(base_dir, exclude_dirs, include_dirs, file_regex):
  19. ''' find files matching file_regex '''
  20. found = []
  21. exclude_regex = ''
  22. include_regex = ''
  23. if exclude_dirs is not None:
  24. exclude_regex = r'|'.join([fnmatch.translate(x) for x in exclude_dirs]) or r'$.'
  25. if include_dirs is not None:
  26. include_regex = r'|'.join([fnmatch.translate(x) for x in include_dirs]) or r'$.'
  27. for root, dirs, files in os.walk(base_dir):
  28. if exclude_dirs is not None:
  29. # filter out excludes for dirs
  30. dirs[:] = [d for d in dirs if not re.match(exclude_regex, d)]
  31. if include_dirs is not None:
  32. # filter for includes for dirs
  33. dirs[:] = [d for d in dirs if re.match(include_regex, d)]
  34. matches = [os.path.join(root, f) for f in files if re.search(file_regex, f) is not None]
  35. found.extend(matches)
  36. return found
  37. class OpenShiftAnsibleYamlLint(Command):
  38. ''' Command to run yamllint '''
  39. description = "Run yamllint tests"
  40. user_options = [
  41. ('excludes=', 'e', 'directories to exclude'),
  42. ('config-file=', 'c', 'config file to use'),
  43. ('format=', 'f', 'format to use (standard, parsable)'),
  44. ]
  45. def initialize_options(self):
  46. ''' initialize_options '''
  47. # Reason: Defining these attributes as a part of initialize_options is
  48. # consistent with upstream usage
  49. # Status: permanently disabled
  50. # pylint: disable=attribute-defined-outside-init
  51. self.excludes = None
  52. self.config_file = None
  53. self.format = None
  54. def finalize_options(self):
  55. ''' finalize_options '''
  56. # Reason: These attributes are defined in initialize_options and this
  57. # usage is consistant with upstream usage
  58. # Status: permanently disabled
  59. # pylint: disable=attribute-defined-outside-init
  60. if isinstance(self.excludes, string_types):
  61. self.excludes = self.excludes.split(',')
  62. if self.format is None:
  63. self.format = 'standard'
  64. assert (self.format in ['standard', 'parsable']), (
  65. 'unknown format {0}.'.format(self.format))
  66. if self.config_file is None:
  67. self.config_file = '.yamllint'
  68. assert os.path.isfile(self.config_file), (
  69. 'yamllint config file {0} does not exist.'.format(self.config_file))
  70. def run(self):
  71. ''' run command '''
  72. if self.excludes is not None:
  73. print("Excludes:\n{0}".format(yaml.dump(self.excludes, default_flow_style=False)))
  74. config = YamlLintConfig(file=self.config_file)
  75. has_errors = False
  76. has_warnings = False
  77. if self.format == 'parsable':
  78. format_method = Format.parsable
  79. else:
  80. format_method = Format.standard_color
  81. for yaml_file in find_files(os.getcwd(), self.excludes, None, r'\.ya?ml$'):
  82. first = True
  83. with open(yaml_file, 'r') as contents:
  84. for problem in linter.run(contents, config):
  85. if first and self.format != 'parsable':
  86. print('\n{0}:'.format(os.path.relpath(yaml_file)))
  87. first = False
  88. print(format_method(problem, yaml_file))
  89. if problem.level == linter.PROBLEM_LEVELS[2]:
  90. has_errors = True
  91. elif problem.level == linter.PROBLEM_LEVELS[1]:
  92. has_warnings = True
  93. if has_errors or has_warnings:
  94. print('yammlint issues found')
  95. raise SystemExit(1)
  96. class OpenShiftAnsiblePylint(PylintCommand):
  97. ''' Class to override the default behavior of PylintCommand '''
  98. # Reason: This method needs to be an instance method to conform to the
  99. # overridden method's signature
  100. # Status: permanently disabled
  101. # pylint: disable=no-self-use
  102. def find_all_modules(self):
  103. ''' find all python files to test '''
  104. exclude_dirs = ['.tox', 'utils', 'test', 'tests', 'git']
  105. modules = []
  106. for match in find_files(os.getcwd(), exclude_dirs, None, r'\.py$'):
  107. package = os.path.basename(match).replace('.py', '')
  108. modules.append(('openshift_ansible', package, match))
  109. return modules
  110. def get_finalized_command(self, cmd):
  111. ''' override get_finalized_command to ensure we use our
  112. find_all_modules method '''
  113. if cmd == 'build_py':
  114. return self
  115. # Reason: This method needs to be an instance method to conform to the
  116. # overridden method's signature
  117. # Status: permanently disabled
  118. # pylint: disable=no-self-use
  119. def with_project_on_sys_path(self, func, func_args, func_kwargs):
  120. ''' override behavior, since we don't need to build '''
  121. return func(*func_args, **func_kwargs)
  122. class OpenShiftAnsibleGenerateValidation(Command):
  123. ''' Command to run generated module validation'''
  124. description = "Run generated module validation"
  125. user_options = []
  126. def initialize_options(self):
  127. ''' initialize_options '''
  128. pass
  129. def finalize_options(self):
  130. ''' finalize_options '''
  131. pass
  132. # self isn't used but I believe is required when it is called.
  133. # pylint: disable=no-self-use
  134. def run(self):
  135. ''' run command '''
  136. # find the files that call generate
  137. generate_files = find_files('roles',
  138. ['inventory',
  139. 'test',
  140. 'playbooks',
  141. 'utils'],
  142. None,
  143. 'generate.py$')
  144. if len(generate_files) < 1:
  145. print('Did not find any code generation. Please verify module code generation.') # noqa: E501
  146. raise SystemExit(1)
  147. errors = False
  148. for gen in generate_files:
  149. print('Checking generated module code: {0}'.format(gen))
  150. try:
  151. sys.path.insert(0, os.path.dirname(gen))
  152. # we are importing dynamically. This isn't in
  153. # the python path.
  154. # pylint: disable=import-error
  155. import generate
  156. reload_module(generate)
  157. generate.verify()
  158. except generate.GenerateAnsibleException as gae:
  159. print(gae.args)
  160. errors = True
  161. if errors:
  162. print('Found errors while generating module code.')
  163. raise SystemExit(1)
  164. print('\nAll generate scripts passed.\n')
  165. class OpenShiftAnsibleSyntaxCheck(Command):
  166. ''' Command to run Ansible syntax check'''
  167. description = "Run Ansible syntax check"
  168. user_options = []
  169. # Colors
  170. FAIL = '\033[91m' # Red
  171. ENDC = '\033[0m' # Reset
  172. def initialize_options(self):
  173. ''' initialize_options '''
  174. pass
  175. def finalize_options(self):
  176. ''' finalize_options '''
  177. pass
  178. def run(self):
  179. ''' run command '''
  180. has_errors = False
  181. playbooks = set()
  182. included_playbooks = set()
  183. for yaml_file in find_files(
  184. os.path.join(os.getcwd(), 'playbooks', 'byo'),
  185. None, None, r'\.ya?ml$'):
  186. with open(yaml_file, 'r') as contents:
  187. for task in yaml.safe_load(contents):
  188. if not isinstance(task, dict):
  189. # Skip yaml files which do not contain plays or includes
  190. continue
  191. if 'include' in task:
  192. # Add the playbook and capture included playbooks
  193. playbooks.add(yaml_file)
  194. included_file_name = task['include'].split()[0]
  195. included_file = os.path.normpath(
  196. os.path.join(os.path.dirname(yaml_file),
  197. included_file_name))
  198. included_playbooks.add(included_file)
  199. elif 'hosts' in task:
  200. playbooks.add(yaml_file)
  201. # Evaluate the difference between all playbooks and included playbooks
  202. entrypoint_playbooks = sorted(playbooks.difference(included_playbooks))
  203. print('Entry point playbook count: {}'.format(len(entrypoint_playbooks)))
  204. # Syntax each entry point playbook
  205. for playbook in entrypoint_playbooks:
  206. print('-' * 60)
  207. print('Syntax checking playbook: {}'.format(playbook))
  208. try:
  209. subprocess.check_output(
  210. ['ansible-playbook', '-i localhost,',
  211. '--syntax-check', playbook]
  212. )
  213. except subprocess.CalledProcessError as cpe:
  214. print('{}Execution failed: {}{}'.format(
  215. self.FAIL, cpe, self.ENDC))
  216. has_errors = True
  217. if has_errors:
  218. raise SystemExit(1)
  219. class UnsupportedCommand(Command):
  220. ''' Basic Command to override unsupported commands '''
  221. user_options = []
  222. # Reason: This method needs to be an instance method to conform to the
  223. # overridden method's signature
  224. # Status: permanently disabled
  225. # pylint: disable=no-self-use
  226. def initialize_options(self):
  227. ''' initialize_options '''
  228. pass
  229. # Reason: This method needs to be an instance method to conform to the
  230. # overridden method's signature
  231. # Status: permanently disabled
  232. # pylint: disable=no-self-use
  233. def finalize_options(self):
  234. ''' initialize_options '''
  235. pass
  236. # Reason: This method needs to be an instance method to conform to the
  237. # overridden method's signature
  238. # Status: permanently disabled
  239. # pylint: disable=no-self-use
  240. def run(self):
  241. ''' run command '''
  242. print("Unsupported command for openshift-ansible")
  243. setup(
  244. name='openshift-ansible',
  245. license="Apache 2.0",
  246. cmdclass={
  247. 'install': UnsupportedCommand,
  248. 'develop': UnsupportedCommand,
  249. 'build': UnsupportedCommand,
  250. 'build_py': UnsupportedCommand,
  251. 'build_ext': UnsupportedCommand,
  252. 'egg_info': UnsupportedCommand,
  253. 'sdist': UnsupportedCommand,
  254. 'lint': OpenShiftAnsiblePylint,
  255. 'yamllint': OpenShiftAnsibleYamlLint,
  256. 'generate_validation': OpenShiftAnsibleGenerateValidation,
  257. 'ansible_syntax': OpenShiftAnsibleSyntaxCheck,
  258. },
  259. packages=[],
  260. )