setup.py 13 KB

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