setup.py 8.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247
  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 yaml
  9. # Always prefer setuptools over distutils
  10. from setuptools import setup, Command
  11. from setuptools_lint.setuptools_command import PylintCommand
  12. from six import string_types
  13. from six.moves import reload_module
  14. from yamllint.config import YamlLintConfig
  15. from yamllint.cli import Format
  16. from yamllint import linter
  17. def find_files(base_dir, exclude_dirs, include_dirs, file_regex):
  18. ''' find files matching file_regex '''
  19. found = []
  20. exclude_regex = ''
  21. include_regex = ''
  22. if exclude_dirs is not None:
  23. exclude_regex = r'|'.join([fnmatch.translate(x) for x in exclude_dirs]) or r'$.'
  24. if include_dirs is not None:
  25. include_regex = r'|'.join([fnmatch.translate(x) for x in include_dirs]) or r'$.'
  26. for root, dirs, files in os.walk(base_dir):
  27. if exclude_dirs is not None:
  28. # filter out excludes for dirs
  29. dirs[:] = [d for d in dirs if not re.match(exclude_regex, d)]
  30. if include_dirs is not None:
  31. # filter for includes for dirs
  32. dirs[:] = [d for d in dirs if re.match(include_regex, d)]
  33. matches = [os.path.join(root, f) for f in files if re.search(file_regex, f) is not None]
  34. found.extend(matches)
  35. return found
  36. class OpenShiftAnsibleYamlLint(Command):
  37. ''' Command to run yamllint '''
  38. description = "Run yamllint tests"
  39. user_options = [
  40. ('excludes=', 'e', 'directories to exclude'),
  41. ('config-file=', 'c', 'config file to use'),
  42. ('format=', 'f', 'format to use (standard, parsable)'),
  43. ]
  44. def initialize_options(self):
  45. ''' initialize_options '''
  46. # Reason: Defining these attributes as a part of initialize_options is
  47. # consistent with upstream usage
  48. # Status: permanently disabled
  49. # pylint: disable=attribute-defined-outside-init
  50. self.excludes = None
  51. self.config_file = None
  52. self.format = None
  53. def finalize_options(self):
  54. ''' finalize_options '''
  55. # Reason: These attributes are defined in initialize_options and this
  56. # usage is consistant with upstream usage
  57. # Status: permanently disabled
  58. # pylint: disable=attribute-defined-outside-init
  59. if isinstance(self.excludes, string_types):
  60. self.excludes = self.excludes.split(',')
  61. if self.format is None:
  62. self.format = 'standard'
  63. assert (self.format in ['standard', 'parsable']), (
  64. 'unknown format {0}.'.format(self.format))
  65. if self.config_file is None:
  66. self.config_file = '.yamllint'
  67. assert os.path.isfile(self.config_file), (
  68. 'yamllint config file {0} does not exist.'.format(self.config_file))
  69. def run(self):
  70. ''' run command '''
  71. if self.excludes is not None:
  72. print("Excludes:\n{0}".format(yaml.dump(self.excludes, default_flow_style=False)))
  73. config = YamlLintConfig(file=self.config_file)
  74. has_errors = False
  75. has_warnings = False
  76. if self.format == 'parsable':
  77. format_method = Format.parsable
  78. else:
  79. format_method = Format.standard_color
  80. for yaml_file in find_files(os.getcwd(), self.excludes, None, r'\.ya?ml$'):
  81. first = True
  82. with open(yaml_file, 'r') as contents:
  83. for problem in linter.run(contents, config):
  84. if first and self.format != 'parsable':
  85. print('\n{0}:'.format(os.path.relpath(yaml_file)))
  86. first = False
  87. print(format_method(problem, yaml_file))
  88. if problem.level == linter.PROBLEM_LEVELS[2]:
  89. has_errors = True
  90. elif problem.level == linter.PROBLEM_LEVELS[1]:
  91. has_warnings = True
  92. if has_errors or has_warnings:
  93. print('yammlint issues found')
  94. raise SystemExit(1)
  95. class OpenShiftAnsiblePylint(PylintCommand):
  96. ''' Class to override the default behavior of PylintCommand '''
  97. # Reason: This method needs to be an instance method to conform to the
  98. # overridden method's signature
  99. # Status: permanently disabled
  100. # pylint: disable=no-self-use
  101. def find_all_modules(self):
  102. ''' find all python files to test '''
  103. exclude_dirs = ['.tox', 'utils', 'test', 'tests', 'git']
  104. modules = []
  105. for match in find_files(os.getcwd(), exclude_dirs, None, r'\.py$'):
  106. package = os.path.basename(match).replace('.py', '')
  107. modules.append(('openshift_ansible', package, match))
  108. return modules
  109. def get_finalized_command(self, cmd):
  110. ''' override get_finalized_command to ensure we use our
  111. find_all_modules method '''
  112. if cmd == 'build_py':
  113. return self
  114. # Reason: This method needs to be an instance method to conform to the
  115. # overridden method's signature
  116. # Status: permanently disabled
  117. # pylint: disable=no-self-use
  118. def with_project_on_sys_path(self, func, func_args, func_kwargs):
  119. ''' override behavior, since we don't need to build '''
  120. return func(*func_args, **func_kwargs)
  121. class OpenShiftAnsibleGenerateValidation(Command):
  122. ''' Command to run generated module validation'''
  123. description = "Run generated module validation"
  124. user_options = []
  125. def initialize_options(self):
  126. ''' initialize_options '''
  127. pass
  128. def finalize_options(self):
  129. ''' finalize_options '''
  130. pass
  131. # self isn't used but I believe is required when it is called.
  132. # pylint: disable=no-self-use
  133. def run(self):
  134. ''' run command '''
  135. # find the files that call generate
  136. generate_files = find_files('roles',
  137. ['inventory',
  138. 'test',
  139. 'playbooks',
  140. 'utils'],
  141. None,
  142. 'generate.py$')
  143. if len(generate_files) < 1:
  144. print('Did not find any code generation. Please verify module code generation.') # noqa: E501
  145. raise SystemExit(1)
  146. errors = False
  147. for gen in generate_files:
  148. print('Checking generated module code: {0}'.format(gen))
  149. try:
  150. sys.path.insert(0, os.path.dirname(gen))
  151. # we are importing dynamically. This isn't in
  152. # the python path.
  153. # pylint: disable=import-error
  154. import generate
  155. reload_module(generate)
  156. generate.verify()
  157. except generate.GenerateAnsibleException as gae:
  158. print(gae.args)
  159. errors = True
  160. if errors:
  161. print('Found errors while generating module code.')
  162. raise SystemExit(1)
  163. print('\nAll generate scripts passed.\n')
  164. class UnsupportedCommand(Command):
  165. ''' Basic Command to override unsupported commands '''
  166. user_options = []
  167. # Reason: This method needs to be an instance method to conform to the
  168. # overridden method's signature
  169. # Status: permanently disabled
  170. # pylint: disable=no-self-use
  171. def initialize_options(self):
  172. ''' initialize_options '''
  173. pass
  174. # Reason: This method needs to be an instance method to conform to the
  175. # overridden method's signature
  176. # Status: permanently disabled
  177. # pylint: disable=no-self-use
  178. def finalize_options(self):
  179. ''' initialize_options '''
  180. pass
  181. # Reason: This method needs to be an instance method to conform to the
  182. # overridden method's signature
  183. # Status: permanently disabled
  184. # pylint: disable=no-self-use
  185. def run(self):
  186. ''' run command '''
  187. print("Unsupported command for openshift-ansible")
  188. setup(
  189. name='openshift-ansible',
  190. license="Apache 2.0",
  191. cmdclass={
  192. 'install': UnsupportedCommand,
  193. 'develop': UnsupportedCommand,
  194. 'build': UnsupportedCommand,
  195. 'build_py': UnsupportedCommand,
  196. 'build_ext': UnsupportedCommand,
  197. 'egg_info': UnsupportedCommand,
  198. 'sdist': UnsupportedCommand,
  199. 'lint': OpenShiftAnsiblePylint,
  200. 'yamllint': OpenShiftAnsibleYamlLint,
  201. 'generate_validation': OpenShiftAnsibleGenerateValidation,
  202. },
  203. packages=[],
  204. )